+
+
+
+
Enter the password to open this PDF file:
-
-
-
-
-
-
-
-
- Aim for 1-2 sentences that describe the subject, setting, or actions.
-
-
-
-
-
-
+
+
+
-
-
-
-
-
-
-
-
- This is used for ornamental images, like borders or watermarks.
-
-
-
-
-
-
-
+
-
+
+
+
+
+
+ Preparing document for printing...
+
+
+
+
+
+
+
+
+
diff --git a/static/pdf.js/l10n.js b/static/pdf.js/l10n.js
new file mode 100644
index 00000000..3d5ecffa
--- /dev/null
+++ b/static/pdf.js/l10n.js
@@ -0,0 +1,1033 @@
+/**
+ * Copyright (c) 2011-2013 Fabien Cazenave, Mozilla.
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to
+ * deal in the Software without restriction, including without limitation the
+ * rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
+ * sell copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
+ * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
+ * IN THE SOFTWARE.
+ */
+/*
+ Additional modifications for PDF.js project:
+ - Disables language initialization on page loading;
+ - Removes consoleWarn and consoleLog and use console.log/warn directly.
+ - Removes window._ assignment.
+ - Remove compatibility code for OldIE.
+*/
+
+/*jshint browser: true, devel: true, es5: true, globalstrict: true */
+'use strict';
+
+document.webL10n = (function(window, document, undefined) {
+ var gL10nData = {};
+ var gTextData = '';
+ var gTextProp = 'textContent';
+ var gLanguage = '';
+ var gMacros = {};
+ var gReadyState = 'loading';
+
+
+ /**
+ * Synchronously loading l10n resources significantly minimizes flickering
+ * from displaying the app with non-localized strings and then updating the
+ * strings. Although this will block all script execution on this page, we
+ * expect that the l10n resources are available locally on flash-storage.
+ *
+ * As synchronous XHR is generally considered as a bad idea, we're still
+ * loading l10n resources asynchronously -- but we keep this in a setting,
+ * just in case... and applications using this library should hide their
+ * content until the `localized' event happens.
+ */
+
+ var gAsyncResourceLoading = true; // read-only
+
+
+ /**
+ * DOM helpers for the so-called "HTML API".
+ *
+ * These functions are written for modern browsers. For old versions of IE,
+ * they're overridden in the 'startup' section at the end of this file.
+ */
+
+ function getL10nResourceLinks() {
+ return document.querySelectorAll('link[type="application/l10n"]');
+ }
+
+ function getL10nDictionary() {
+ var script = document.querySelector('script[type="application/l10n"]');
+ // TODO: support multiple and external JSON dictionaries
+ return script ? JSON.parse(script.innerHTML) : null;
+ }
+
+ function getTranslatableChildren(element) {
+ return element ? element.querySelectorAll('*[data-l10n-id]') : [];
+ }
+
+ function getL10nAttributes(element) {
+ if (!element)
+ return {};
+
+ var l10nId = element.getAttribute('data-l10n-id');
+ var l10nArgs = element.getAttribute('data-l10n-args');
+ var args = {};
+ if (l10nArgs) {
+ try {
+ args = JSON.parse(l10nArgs);
+ } catch (e) {
+ console.warn('could not parse arguments for #' + l10nId);
+ }
+ }
+ return { id: l10nId, args: args };
+ }
+
+ function fireL10nReadyEvent(lang) {
+ var evtObject = document.createEvent('Event');
+ evtObject.initEvent('localized', true, false);
+ evtObject.language = lang;
+ document.dispatchEvent(evtObject);
+ }
+
+ function xhrLoadText(url, onSuccess, onFailure) {
+ onSuccess = onSuccess || function _onSuccess(data) {};
+ onFailure = onFailure || function _onFailure() {
+ console.warn(url + ' not found.');
+ };
+
+ var xhr = new XMLHttpRequest();
+ xhr.open('GET', url, gAsyncResourceLoading);
+ if (xhr.overrideMimeType) {
+ xhr.overrideMimeType('text/plain; charset=utf-8');
+ }
+ xhr.onreadystatechange = function() {
+ if (xhr.readyState == 4) {
+ if (xhr.status == 200 || xhr.status === 0) {
+ onSuccess(xhr.responseText);
+ } else {
+ onFailure();
+ }
+ }
+ };
+ xhr.onerror = onFailure;
+ xhr.ontimeout = onFailure;
+
+ // in Firefox OS with the app:// protocol, trying to XHR a non-existing
+ // URL will raise an exception here -- hence this ugly try...catch.
+ try {
+ xhr.send(null);
+ } catch (e) {
+ onFailure();
+ }
+ }
+
+
+ /**
+ * l10n resource parser:
+ * - reads (async XHR) the l10n resource matching `lang';
+ * - imports linked resources (synchronously) when specified;
+ * - parses the text data (fills `gL10nData' and `gTextData');
+ * - triggers success/failure callbacks when done.
+ *
+ * @param {string} href
+ * URL of the l10n resource to parse.
+ *
+ * @param {string} lang
+ * locale (language) to parse. Must be a lowercase string.
+ *
+ * @param {Function} successCallback
+ * triggered when the l10n resource has been successully parsed.
+ *
+ * @param {Function} failureCallback
+ * triggered when the an error has occured.
+ *
+ * @return {void}
+ * uses the following global variables: gL10nData, gTextData, gTextProp.
+ */
+
+ function parseResource(href, lang, successCallback, failureCallback) {
+ var baseURL = href.replace(/[^\/]*$/, '') || './';
+
+ // handle escaped characters (backslashes) in a string
+ function evalString(text) {
+ if (text.lastIndexOf('\\') < 0)
+ return text;
+ return text.replace(/\\\\/g, '\\')
+ .replace(/\\n/g, '\n')
+ .replace(/\\r/g, '\r')
+ .replace(/\\t/g, '\t')
+ .replace(/\\b/g, '\b')
+ .replace(/\\f/g, '\f')
+ .replace(/\\{/g, '{')
+ .replace(/\\}/g, '}')
+ .replace(/\\"/g, '"')
+ .replace(/\\'/g, "'");
+ }
+
+ // parse *.properties text data into an l10n dictionary
+ // If gAsyncResourceLoading is false, then the callback will be called
+ // synchronously. Otherwise it is called asynchronously.
+ function parseProperties(text, parsedPropertiesCallback) {
+ var dictionary = {};
+
+ // token expressions
+ var reBlank = /^\s*|\s*$/;
+ var reComment = /^\s*#|^\s*$/;
+ var reSection = /^\s*\[(.*)\]\s*$/;
+ var reImport = /^\s*@import\s+url\((.*)\)\s*$/i;
+ var reSplit = /^([^=\s]*)\s*=\s*(.+)$/; // TODO: escape EOLs with '\'
+
+ // parse the *.properties file into an associative array
+ function parseRawLines(rawText, extendedSyntax, parsedRawLinesCallback) {
+ var entries = rawText.replace(reBlank, '').split(/[\r\n]+/);
+ var currentLang = '*';
+ var genericLang = lang.split('-', 1)[0];
+ var skipLang = false;
+ var match = '';
+
+ function nextEntry() {
+ // Use infinite loop instead of recursion to avoid reaching the
+ // maximum recursion limit for content with many lines.
+ while (true) {
+ if (!entries.length) {
+ parsedRawLinesCallback();
+ return;
+ }
+ var line = entries.shift();
+
+ // comment or blank line?
+ if (reComment.test(line))
+ continue;
+
+ // the extended syntax supports [lang] sections and @import rules
+ if (extendedSyntax) {
+ match = reSection.exec(line);
+ if (match) { // section start?
+ // RFC 4646, section 4.4, "All comparisons MUST be performed
+ // in a case-insensitive manner."
+
+ currentLang = match[1].toLowerCase();
+ skipLang = (currentLang !== '*') &&
+ (currentLang !== lang) && (currentLang !== genericLang);
+ continue;
+ } else if (skipLang) {
+ continue;
+ }
+ match = reImport.exec(line);
+ if (match) { // @import rule?
+ loadImport(baseURL + match[1], nextEntry);
+ return;
+ }
+ }
+
+ // key-value pair
+ var tmp = line.match(reSplit);
+ if (tmp && tmp.length == 3) {
+ dictionary[tmp[1]] = evalString(tmp[2]);
+ }
+ }
+ }
+ nextEntry();
+ }
+
+ // import another *.properties file
+ function loadImport(url, callback) {
+ xhrLoadText(url, function(content) {
+ parseRawLines(content, false, callback); // don't allow recursive imports
+ }, null);
+ }
+
+ // fill the dictionary
+ parseRawLines(text, true, function() {
+ parsedPropertiesCallback(dictionary);
+ });
+ }
+
+ // load and parse l10n data (warning: global variables are used here)
+ xhrLoadText(href, function(response) {
+ gTextData += response; // mostly for debug
+
+ // parse *.properties text data into an l10n dictionary
+ parseProperties(response, function(data) {
+
+ // find attribute descriptions, if any
+ for (var key in data) {
+ var id, prop, index = key.lastIndexOf('.');
+ if (index > 0) { // an attribute has been specified
+ id = key.substring(0, index);
+ prop = key.substr(index + 1);
+ } else { // no attribute: assuming text content by default
+ id = key;
+ prop = gTextProp;
+ }
+ if (!gL10nData[id]) {
+ gL10nData[id] = {};
+ }
+ gL10nData[id][prop] = data[key];
+ }
+
+ // trigger callback
+ if (successCallback) {
+ successCallback();
+ }
+ });
+ }, failureCallback);
+ }
+
+ // load and parse all resources for the specified locale
+ function loadLocale(lang, callback) {
+ // RFC 4646, section 2.1 states that language tags have to be treated as
+ // case-insensitive. Convert to lowercase for case-insensitive comparisons.
+ if (lang) {
+ lang = lang.toLowerCase();
+ }
+
+ callback = callback || function _callback() {};
+
+ clear();
+ gLanguage = lang;
+
+ // check all
nodes
+ // and load the resource files
+ var langLinks = getL10nResourceLinks();
+ var langCount = langLinks.length;
+ if (langCount === 0) {
+ // we might have a pre-compiled dictionary instead
+ var dict = getL10nDictionary();
+ if (dict && dict.locales && dict.default_locale) {
+ console.log('using the embedded JSON directory, early way out');
+ gL10nData = dict.locales[lang];
+ if (!gL10nData) {
+ var defaultLocale = dict.default_locale.toLowerCase();
+ for (var anyCaseLang in dict.locales) {
+ anyCaseLang = anyCaseLang.toLowerCase();
+ if (anyCaseLang === lang) {
+ gL10nData = dict.locales[lang];
+ break;
+ } else if (anyCaseLang === defaultLocale) {
+ gL10nData = dict.locales[defaultLocale];
+ }
+ }
+ }
+ callback();
+ } else {
+ console.log('no resource to load, early way out');
+ }
+ // early way out
+ fireL10nReadyEvent(lang);
+ gReadyState = 'complete';
+ return;
+ }
+
+ // start the callback when all resources are loaded
+ var onResourceLoaded = null;
+ var gResourceCount = 0;
+ onResourceLoaded = function() {
+ gResourceCount++;
+ if (gResourceCount >= langCount) {
+ callback();
+ fireL10nReadyEvent(lang);
+ gReadyState = 'complete';
+ }
+ };
+
+ // load all resource files
+ function L10nResourceLink(link) {
+ var href = link.href;
+ // Note: If |gAsyncResourceLoading| is false, then the following callbacks
+ // are synchronously called.
+ this.load = function(lang, callback) {
+ parseResource(href, lang, callback, function() {
+ console.warn(href + ' not found.');
+ // lang not found, used default resource instead
+ console.warn('"' + lang + '" resource not found');
+ gLanguage = '';
+ // Resource not loaded, but we still need to call the callback.
+ callback();
+ });
+ };
+ }
+
+ for (var i = 0; i < langCount; i++) {
+ var resource = new L10nResourceLink(langLinks[i]);
+ resource.load(lang, onResourceLoaded);
+ }
+ }
+
+ // clear all l10n data
+ function clear() {
+ gL10nData = {};
+ gTextData = '';
+ gLanguage = '';
+ // TODO: clear all non predefined macros.
+ // There's no such macro /yet/ but we're planning to have some...
+ }
+
+
+ /**
+ * Get rules for plural forms (shared with JetPack), see:
+ * http://unicode.org/repos/cldr-tmp/trunk/diff/supplemental/language_plural_rules.html
+ * https://github.com/mozilla/addon-sdk/blob/master/python-lib/plural-rules-generator.p
+ *
+ * @param {string} lang
+ * locale (language) used.
+ *
+ * @return {Function}
+ * returns a function that gives the plural form name for a given integer:
+ * var fun = getPluralRules('en');
+ * fun(1) -> 'one'
+ * fun(0) -> 'other'
+ * fun(1000) -> 'other'.
+ */
+
+ function getPluralRules(lang) {
+ var locales2rules = {
+ 'af': 3,
+ 'ak': 4,
+ 'am': 4,
+ 'ar': 1,
+ 'asa': 3,
+ 'az': 0,
+ 'be': 11,
+ 'bem': 3,
+ 'bez': 3,
+ 'bg': 3,
+ 'bh': 4,
+ 'bm': 0,
+ 'bn': 3,
+ 'bo': 0,
+ 'br': 20,
+ 'brx': 3,
+ 'bs': 11,
+ 'ca': 3,
+ 'cgg': 3,
+ 'chr': 3,
+ 'cs': 12,
+ 'cy': 17,
+ 'da': 3,
+ 'de': 3,
+ 'dv': 3,
+ 'dz': 0,
+ 'ee': 3,
+ 'el': 3,
+ 'en': 3,
+ 'eo': 3,
+ 'es': 3,
+ 'et': 3,
+ 'eu': 3,
+ 'fa': 0,
+ 'ff': 5,
+ 'fi': 3,
+ 'fil': 4,
+ 'fo': 3,
+ 'fr': 5,
+ 'fur': 3,
+ 'fy': 3,
+ 'ga': 8,
+ 'gd': 24,
+ 'gl': 3,
+ 'gsw': 3,
+ 'gu': 3,
+ 'guw': 4,
+ 'gv': 23,
+ 'ha': 3,
+ 'haw': 3,
+ 'he': 2,
+ 'hi': 4,
+ 'hr': 11,
+ 'hu': 0,
+ 'id': 0,
+ 'ig': 0,
+ 'ii': 0,
+ 'is': 3,
+ 'it': 3,
+ 'iu': 7,
+ 'ja': 0,
+ 'jmc': 3,
+ 'jv': 0,
+ 'ka': 0,
+ 'kab': 5,
+ 'kaj': 3,
+ 'kcg': 3,
+ 'kde': 0,
+ 'kea': 0,
+ 'kk': 3,
+ 'kl': 3,
+ 'km': 0,
+ 'kn': 0,
+ 'ko': 0,
+ 'ksb': 3,
+ 'ksh': 21,
+ 'ku': 3,
+ 'kw': 7,
+ 'lag': 18,
+ 'lb': 3,
+ 'lg': 3,
+ 'ln': 4,
+ 'lo': 0,
+ 'lt': 10,
+ 'lv': 6,
+ 'mas': 3,
+ 'mg': 4,
+ 'mk': 16,
+ 'ml': 3,
+ 'mn': 3,
+ 'mo': 9,
+ 'mr': 3,
+ 'ms': 0,
+ 'mt': 15,
+ 'my': 0,
+ 'nah': 3,
+ 'naq': 7,
+ 'nb': 3,
+ 'nd': 3,
+ 'ne': 3,
+ 'nl': 3,
+ 'nn': 3,
+ 'no': 3,
+ 'nr': 3,
+ 'nso': 4,
+ 'ny': 3,
+ 'nyn': 3,
+ 'om': 3,
+ 'or': 3,
+ 'pa': 3,
+ 'pap': 3,
+ 'pl': 13,
+ 'ps': 3,
+ 'pt': 3,
+ 'rm': 3,
+ 'ro': 9,
+ 'rof': 3,
+ 'ru': 11,
+ 'rwk': 3,
+ 'sah': 0,
+ 'saq': 3,
+ 'se': 7,
+ 'seh': 3,
+ 'ses': 0,
+ 'sg': 0,
+ 'sh': 11,
+ 'shi': 19,
+ 'sk': 12,
+ 'sl': 14,
+ 'sma': 7,
+ 'smi': 7,
+ 'smj': 7,
+ 'smn': 7,
+ 'sms': 7,
+ 'sn': 3,
+ 'so': 3,
+ 'sq': 3,
+ 'sr': 11,
+ 'ss': 3,
+ 'ssy': 3,
+ 'st': 3,
+ 'sv': 3,
+ 'sw': 3,
+ 'syr': 3,
+ 'ta': 3,
+ 'te': 3,
+ 'teo': 3,
+ 'th': 0,
+ 'ti': 4,
+ 'tig': 3,
+ 'tk': 3,
+ 'tl': 4,
+ 'tn': 3,
+ 'to': 0,
+ 'tr': 0,
+ 'ts': 3,
+ 'tzm': 22,
+ 'uk': 11,
+ 'ur': 3,
+ 've': 3,
+ 'vi': 0,
+ 'vun': 3,
+ 'wa': 4,
+ 'wae': 3,
+ 'wo': 0,
+ 'xh': 3,
+ 'xog': 3,
+ 'yo': 0,
+ 'zh': 0,
+ 'zu': 3
+ };
+
+ // utility functions for plural rules methods
+ function isIn(n, list) {
+ return list.indexOf(n) !== -1;
+ }
+ function isBetween(n, start, end) {
+ return start <= n && n <= end;
+ }
+
+ // list of all plural rules methods:
+ // map an integer to the plural form name to use
+ var pluralRules = {
+ '0': function(n) {
+ return 'other';
+ },
+ '1': function(n) {
+ if ((isBetween((n % 100), 3, 10)))
+ return 'few';
+ if (n === 0)
+ return 'zero';
+ if ((isBetween((n % 100), 11, 99)))
+ return 'many';
+ if (n == 2)
+ return 'two';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '2': function(n) {
+ if (n !== 0 && (n % 10) === 0)
+ return 'many';
+ if (n == 2)
+ return 'two';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '3': function(n) {
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '4': function(n) {
+ if ((isBetween(n, 0, 1)))
+ return 'one';
+ return 'other';
+ },
+ '5': function(n) {
+ if ((isBetween(n, 0, 2)) && n != 2)
+ return 'one';
+ return 'other';
+ },
+ '6': function(n) {
+ if (n === 0)
+ return 'zero';
+ if ((n % 10) == 1 && (n % 100) != 11)
+ return 'one';
+ return 'other';
+ },
+ '7': function(n) {
+ if (n == 2)
+ return 'two';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '8': function(n) {
+ if ((isBetween(n, 3, 6)))
+ return 'few';
+ if ((isBetween(n, 7, 10)))
+ return 'many';
+ if (n == 2)
+ return 'two';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '9': function(n) {
+ if (n === 0 || n != 1 && (isBetween((n % 100), 1, 19)))
+ return 'few';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '10': function(n) {
+ if ((isBetween((n % 10), 2, 9)) && !(isBetween((n % 100), 11, 19)))
+ return 'few';
+ if ((n % 10) == 1 && !(isBetween((n % 100), 11, 19)))
+ return 'one';
+ return 'other';
+ },
+ '11': function(n) {
+ if ((isBetween((n % 10), 2, 4)) && !(isBetween((n % 100), 12, 14)))
+ return 'few';
+ if ((n % 10) === 0 ||
+ (isBetween((n % 10), 5, 9)) ||
+ (isBetween((n % 100), 11, 14)))
+ return 'many';
+ if ((n % 10) == 1 && (n % 100) != 11)
+ return 'one';
+ return 'other';
+ },
+ '12': function(n) {
+ if ((isBetween(n, 2, 4)))
+ return 'few';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '13': function(n) {
+ if ((isBetween((n % 10), 2, 4)) && !(isBetween((n % 100), 12, 14)))
+ return 'few';
+ if (n != 1 && (isBetween((n % 10), 0, 1)) ||
+ (isBetween((n % 10), 5, 9)) ||
+ (isBetween((n % 100), 12, 14)))
+ return 'many';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '14': function(n) {
+ if ((isBetween((n % 100), 3, 4)))
+ return 'few';
+ if ((n % 100) == 2)
+ return 'two';
+ if ((n % 100) == 1)
+ return 'one';
+ return 'other';
+ },
+ '15': function(n) {
+ if (n === 0 || (isBetween((n % 100), 2, 10)))
+ return 'few';
+ if ((isBetween((n % 100), 11, 19)))
+ return 'many';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '16': function(n) {
+ if ((n % 10) == 1 && n != 11)
+ return 'one';
+ return 'other';
+ },
+ '17': function(n) {
+ if (n == 3)
+ return 'few';
+ if (n === 0)
+ return 'zero';
+ if (n == 6)
+ return 'many';
+ if (n == 2)
+ return 'two';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '18': function(n) {
+ if (n === 0)
+ return 'zero';
+ if ((isBetween(n, 0, 2)) && n !== 0 && n != 2)
+ return 'one';
+ return 'other';
+ },
+ '19': function(n) {
+ if ((isBetween(n, 2, 10)))
+ return 'few';
+ if ((isBetween(n, 0, 1)))
+ return 'one';
+ return 'other';
+ },
+ '20': function(n) {
+ if ((isBetween((n % 10), 3, 4) || ((n % 10) == 9)) && !(
+ isBetween((n % 100), 10, 19) ||
+ isBetween((n % 100), 70, 79) ||
+ isBetween((n % 100), 90, 99)
+ ))
+ return 'few';
+ if ((n % 1000000) === 0 && n !== 0)
+ return 'many';
+ if ((n % 10) == 2 && !isIn((n % 100), [12, 72, 92]))
+ return 'two';
+ if ((n % 10) == 1 && !isIn((n % 100), [11, 71, 91]))
+ return 'one';
+ return 'other';
+ },
+ '21': function(n) {
+ if (n === 0)
+ return 'zero';
+ if (n == 1)
+ return 'one';
+ return 'other';
+ },
+ '22': function(n) {
+ if ((isBetween(n, 0, 1)) || (isBetween(n, 11, 99)))
+ return 'one';
+ return 'other';
+ },
+ '23': function(n) {
+ if ((isBetween((n % 10), 1, 2)) || (n % 20) === 0)
+ return 'one';
+ return 'other';
+ },
+ '24': function(n) {
+ if ((isBetween(n, 3, 10) || isBetween(n, 13, 19)))
+ return 'few';
+ if (isIn(n, [2, 12]))
+ return 'two';
+ if (isIn(n, [1, 11]))
+ return 'one';
+ return 'other';
+ }
+ };
+
+ // return a function that gives the plural form name for a given integer
+ var index = locales2rules[lang.replace(/-.*$/, '')];
+ if (!(index in pluralRules)) {
+ console.warn('plural form unknown for [' + lang + ']');
+ return function() { return 'other'; };
+ }
+ return pluralRules[index];
+ }
+
+ // pre-defined 'plural' macro
+ gMacros.plural = function(str, param, key, prop) {
+ var n = parseFloat(param);
+ if (isNaN(n))
+ return str;
+
+ // TODO: support other properties (l20n still doesn't...)
+ if (prop != gTextProp)
+ return str;
+
+ // initialize _pluralRules
+ if (!gMacros._pluralRules) {
+ gMacros._pluralRules = getPluralRules(gLanguage);
+ }
+ var index = '[' + gMacros._pluralRules(n) + ']';
+
+ // try to find a [zero|one|two] key if it's defined
+ if (n === 0 && (key + '[zero]') in gL10nData) {
+ str = gL10nData[key + '[zero]'][prop];
+ } else if (n == 1 && (key + '[one]') in gL10nData) {
+ str = gL10nData[key + '[one]'][prop];
+ } else if (n == 2 && (key + '[two]') in gL10nData) {
+ str = gL10nData[key + '[two]'][prop];
+ } else if ((key + index) in gL10nData) {
+ str = gL10nData[key + index][prop];
+ } else if ((key + '[other]') in gL10nData) {
+ str = gL10nData[key + '[other]'][prop];
+ }
+
+ return str;
+ };
+
+
+ /**
+ * l10n dictionary functions
+ */
+
+ // fetch an l10n object, warn if not found, apply `args' if possible
+ function getL10nData(key, args, fallback) {
+ var data = gL10nData[key];
+ if (!data) {
+ console.warn('#' + key + ' is undefined.');
+ if (!fallback) {
+ return null;
+ }
+ data = fallback;
+ }
+
+ /** This is where l10n expressions should be processed.
+ * The plan is to support C-style expressions from the l20n project;
+ * until then, only two kinds of simple expressions are supported:
+ * {[ index ]} and {{ arguments }}.
+ */
+ var rv = {};
+ for (var prop in data) {
+ var str = data[prop];
+ str = substIndexes(str, args, key, prop);
+ str = substArguments(str, args, key);
+ rv[prop] = str;
+ }
+ return rv;
+ }
+
+ // replace {[macros]} with their values
+ function substIndexes(str, args, key, prop) {
+ var reIndex = /\{\[\s*([a-zA-Z]+)\(([a-zA-Z]+)\)\s*\]\}/;
+ var reMatch = reIndex.exec(str);
+ if (!reMatch || !reMatch.length)
+ return str;
+
+ // an index/macro has been found
+ // Note: at the moment, only one parameter is supported
+ var macroName = reMatch[1];
+ var paramName = reMatch[2];
+ var param;
+ if (args && paramName in args) {
+ param = args[paramName];
+ } else if (paramName in gL10nData) {
+ param = gL10nData[paramName];
+ }
+
+ // there's no macro parser yet: it has to be defined in gMacros
+ if (macroName in gMacros) {
+ var macro = gMacros[macroName];
+ str = macro(str, param, key, prop);
+ }
+ return str;
+ }
+
+ // replace {{arguments}} with their values
+ function substArguments(str, args, key) {
+ var reArgs = /\{\{\s*(.+?)\s*\}\}/g;
+ return str.replace(reArgs, function(matched_text, arg) {
+ if (args && arg in args) {
+ return args[arg];
+ }
+ if (arg in gL10nData) {
+ return gL10nData[arg];
+ }
+ console.log('argument {{' + arg + '}} for #' + key + ' is undefined.');
+ return matched_text;
+ });
+ }
+
+ // translate an HTML element
+ function translateElement(element) {
+ var l10n = getL10nAttributes(element);
+ if (!l10n.id)
+ return;
+
+ // get the related l10n object
+ var data = getL10nData(l10n.id, l10n.args);
+ if (!data) {
+ console.warn('#' + l10n.id + ' is undefined.');
+ return;
+ }
+
+ // translate element (TODO: security checks?)
+ if (data[gTextProp]) { // XXX
+ if (getChildElementCount(element) === 0) {
+ element[gTextProp] = data[gTextProp];
+ } else {
+ // this element has element children: replace the content of the first
+ // (non-empty) child textNode and clear other child textNodes
+ var children = element.childNodes;
+ var found = false;
+ for (var i = 0, l = children.length; i < l; i++) {
+ if (children[i].nodeType === 3 && /\S/.test(children[i].nodeValue)) {
+ if (found) {
+ children[i].nodeValue = '';
+ } else {
+ children[i].nodeValue = data[gTextProp];
+ found = true;
+ }
+ }
+ }
+ // if no (non-empty) textNode is found, insert a textNode before the
+ // first element child.
+ if (!found) {
+ var textNode = document.createTextNode(data[gTextProp]);
+ element.insertBefore(textNode, element.firstChild);
+ }
+ }
+ delete data[gTextProp];
+ }
+
+ for (var k in data) {
+ element[k] = data[k];
+ }
+ }
+
+ // webkit browsers don't currently support 'children' on SVG elements...
+ function getChildElementCount(element) {
+ if (element.children) {
+ return element.children.length;
+ }
+ if (typeof element.childElementCount !== 'undefined') {
+ return element.childElementCount;
+ }
+ var count = 0;
+ for (var i = 0; i < element.childNodes.length; i++) {
+ count += element.nodeType === 1 ? 1 : 0;
+ }
+ return count;
+ }
+
+ // translate an HTML subtree
+ function translateFragment(element) {
+ element = element || document.documentElement;
+
+ // check all translatable children (= w/ a `data-l10n-id' attribute)
+ var children = getTranslatableChildren(element);
+ var elementCount = children.length;
+ for (var i = 0; i < elementCount; i++) {
+ translateElement(children[i]);
+ }
+
+ // translate element itself if necessary
+ translateElement(element);
+ }
+
+ return {
+ // get a localized string
+ get: function(key, args, fallbackString) {
+ var index = key.lastIndexOf('.');
+ var prop = gTextProp;
+ if (index > 0) { // An attribute has been specified
+ prop = key.substr(index + 1);
+ key = key.substring(0, index);
+ }
+ var fallback;
+ if (fallbackString) {
+ fallback = {};
+ fallback[prop] = fallbackString;
+ }
+ var data = getL10nData(key, args, fallback);
+ if (data && prop in data) {
+ return data[prop];
+ }
+ return '{{' + key + '}}';
+ },
+
+ // debug
+ getData: function() { return gL10nData; },
+ getText: function() { return gTextData; },
+
+ // get|set the document language
+ getLanguage: function() { return gLanguage; },
+ setLanguage: function(lang, callback) {
+ loadLocale(lang, function() {
+ if (callback)
+ callback();
+ translateFragment();
+ });
+ },
+
+ // get the direction (ltr|rtl) of the current language
+ getDirection: function() {
+ // http://www.w3.org/International/questions/qa-scripts
+ // Arabic, Hebrew, Farsi, Pashto, Urdu
+ var rtlList = ['ar', 'he', 'fa', 'ps', 'ur'];
+ var shortCode = gLanguage.split('-', 1)[0];
+ return (rtlList.indexOf(shortCode) >= 0) ? 'rtl' : 'ltr';
+ },
+
+ // translate an element or document fragment
+ translate: translateFragment,
+
+ // this can be used to prevent race conditions
+ getReadyState: function() { return gReadyState; },
+ ready: function(callback) {
+ if (!callback) {
+ return;
+ } else if (gReadyState == 'complete' || gReadyState == 'interactive') {
+ window.setTimeout(function() {
+ callback();
+ });
+ } else if (document.addEventListener) {
+ document.addEventListener('localized', function once() {
+ document.removeEventListener('localized', once);
+ callback();
+ });
+ }
+ }
+ };
+}) (window, document);
diff --git a/static/pdf.js/locale/ach/viewer.ftl b/static/pdf.js/locale/ach/viewer.ftl
deleted file mode 100644
index 36769b70..00000000
--- a/static/pdf.js/locale/ach/viewer.ftl
+++ /dev/null
@@ -1,225 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pot buk mukato
-pdfjs-previous-button-label = Mukato
-pdfjs-next-button =
- .title = Pot buk malubo
-pdfjs-next-button-label = Malubo
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pot buk
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = pi { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } me { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Jwik Matidi
-pdfjs-zoom-out-button-label = Jwik Matidi
-pdfjs-zoom-in-button =
- .title = Kwot Madit
-pdfjs-zoom-in-button-label = Kwot Madit
-pdfjs-zoom-select =
- .title = Kwoti
-pdfjs-presentation-mode-button =
- .title = Lokke i kit me tyer
-pdfjs-presentation-mode-button-label = Kit me tyer
-pdfjs-open-file-button =
- .title = Yab Pwail
-pdfjs-open-file-button-label = Yab
-pdfjs-print-button =
- .title = Go
-pdfjs-print-button-label = Go
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Gintic
-pdfjs-tools-button-label = Gintic
-pdfjs-first-page-button =
- .title = Cit i pot buk mukwongo
-pdfjs-first-page-button-label = Cit i pot buk mukwongo
-pdfjs-last-page-button =
- .title = Cit i pot buk magiko
-pdfjs-last-page-button-label = Cit i pot buk magiko
-pdfjs-page-rotate-cw-button =
- .title = Wire i tung lacuc
-pdfjs-page-rotate-cw-button-label = Wire i tung lacuc
-pdfjs-page-rotate-ccw-button =
- .title = Wire i tung lacam
-pdfjs-page-rotate-ccw-button-label = Wire i tung lacam
-pdfjs-cursor-text-select-tool-button =
- .title = Cak gitic me yero coc
-pdfjs-cursor-text-select-tool-button-label = Gitic me yero coc
-pdfjs-cursor-hand-tool-button =
- .title = Cak gitic me cing
-pdfjs-cursor-hand-tool-button-label = Gitic cing
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Jami me gin acoya…
-pdfjs-document-properties-button-label = Jami me gin acoya…
-pdfjs-document-properties-file-name = Nying pwail:
-pdfjs-document-properties-file-size = Dit pa pwail:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Wiye:
-pdfjs-document-properties-author = Ngat mucoyo:
-pdfjs-document-properties-subject = Subjek:
-pdfjs-document-properties-keywords = Lok mapire tek:
-pdfjs-document-properties-creation-date = Nino dwe me cwec:
-pdfjs-document-properties-modification-date = Nino dwe me yub:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Lacwec:
-pdfjs-document-properties-producer = Layub PDF:
-pdfjs-document-properties-version = Kit PDF:
-pdfjs-document-properties-page-count = Kwan me pot buk:
-pdfjs-document-properties-page-size = Dit pa potbuk:
-pdfjs-document-properties-page-size-unit-inches = i
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = atir
-pdfjs-document-properties-page-size-orientation-landscape = arii
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Waraga
-pdfjs-document-properties-page-size-name-legal = Cik
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = Eyo
-pdfjs-document-properties-linearized-no = Pe
-pdfjs-document-properties-close-button = Lor
-
-## Print
-
-pdfjs-print-progress-message = Yubo coc me agoya…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Juki
-pdfjs-printing-not-supported = Ciko: Layeny ma pe teno goyo liweng.
-pdfjs-printing-not-ready = Ciko: PDF pe ocane weng me agoya.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Lok gintic ma inget
-pdfjs-toggle-sidebar-button-label = Lok gintic ma inget
-pdfjs-document-outline-button =
- .title = Nyut Wiyewiye me Gin acoya (dii-kiryo me yaro/kano jami weng)
-pdfjs-document-outline-button-label = Pek pa gin acoya
-pdfjs-attachments-button =
- .title = Nyut twec
-pdfjs-attachments-button-label = Twec
-pdfjs-thumbs-button =
- .title = Nyut cal
-pdfjs-thumbs-button-label = Cal
-pdfjs-findbar-button =
- .title = Nong iye gin acoya
-pdfjs-findbar-button-label = Nong
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pot buk { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Cal me pot buk { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Nong
- .placeholder = Nong i dokumen…
-pdfjs-find-previous-button =
- .title = Nong timme pa lok mukato
-pdfjs-find-previous-button-label = Mukato
-pdfjs-find-next-button =
- .title = Nong timme pa lok malubo
-pdfjs-find-next-button-label = Malubo
-pdfjs-find-highlight-checkbox = Ket Lanyut I Weng
-pdfjs-find-match-case-checkbox-label = Lok marwate
-pdfjs-find-reached-top = Oo iwi gin acoya, omede ki i tere
-pdfjs-find-reached-bottom = Oo i agiki me gin acoya, omede ki iwiye
-pdfjs-find-not-found = Lok pe ononge
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lac me iye pot buk
-pdfjs-page-scale-fit = Porre me pot buk
-pdfjs-page-scale-auto = Kwot pire kene
-pdfjs-page-scale-actual = Dite kikome
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Bal otime kun cano PDF.
-pdfjs-invalid-file-error = Pwail me PDF ma pe atir onyo obale woko.
-pdfjs-missing-file-error = Pwail me PDF tye ka rem.
-pdfjs-unexpected-response-error = Lagam mape kigeno pa lapok tic.
-pdfjs-rendering-error = Bal otime i kare me nyuto pot buk.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Lok angea manok]
-
-## Password
-
-pdfjs-password-label = Ket mung me donyo me yabo pwail me PDF man.
-pdfjs-password-invalid = Mung me donyo pe atir. Tim ber i tem doki.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Juki
-pdfjs-web-fonts-disabled = Kijuko dit pa coc me kakube woko: pe romo tic ki dit pa coc me PDF ma kiketo i kine.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ach/viewer.properties b/static/pdf.js/locale/ach/viewer.properties
new file mode 100644
index 00000000..50747b6e
--- /dev/null
+++ b/static/pdf.js/locale/ach/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pot buk mukato
+previous_label=Mukato
+next.title=Pot buk malubo
+next_label=Malubo
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pot buk:
+page_of=pi {{pageCount}}
+
+zoom_out.title=Jwik Matidi
+zoom_out_label=Jwik Matidi
+zoom_in.title=Kwot Madit
+zoom_in_label=Kwot Madit
+zoom.title=Kwoti
+presentation_mode.title=Lokke i kit me tyer
+presentation_mode_label=Kit me tyer
+open_file.title=Yab Pwail
+open_file_label=Yab
+print.title=Go
+print_label=Go
+download.title=Gam
+download_label=Gam
+bookmark.title=Neno ma kombedi (lok onyo yab i dirica manyen)
+bookmark_label=Neno ma kombedi
+
+# Secondary toolbar and context menu
+tools.title=Gintic
+tools_label=Gintic
+first_page.title=Cit i pot buk mukwongo
+first_page.label=Cit i pot buk mukwongo
+first_page_label=Cit i pot buk mukwongo
+last_page.title=Cit i pot buk magiko
+last_page.label=Cit i pot buk magiko
+last_page_label=Cit i pot buk magiko
+page_rotate_cw.title=Wire i tung lacuc
+page_rotate_cw.label=Wire i tung lacuc
+page_rotate_cw_label=Wire i tung lacuc
+page_rotate_ccw.title=Wire i tung lacam
+page_rotate_ccw.label=Wire i tung lacam
+page_rotate_ccw_label=Wire i tung lacam
+
+hand_tool_enable.title=Ye gintic me cing
+hand_tool_enable_label=Ye gintic me cing
+hand_tool_disable.title=Juk gintic me cing
+hand_tool_disable_label=Juk gintic me cing
+
+# Document properties dialog box
+document_properties.title=Jami me gin acoya…
+document_properties_label=Jami me gin acoya…
+document_properties_file_name=Nying pwail:
+document_properties_file_size=Dit pa pwail:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Wiye:
+document_properties_author=Ngat mucoyo:
+document_properties_subject=Lok:
+document_properties_keywords=Lok mapire tek:
+document_properties_creation_date=Nino dwe me cwec:
+document_properties_modification_date=Nino dwe me yub:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Lacwec:
+document_properties_producer=Layub PDF:
+document_properties_version=Kit PDF:
+document_properties_page_count=Kwan me pot buk:
+document_properties_close=Lor
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Lok gintic ma inget
+toggle_sidebar_label=Lok gintic ma inget
+outline.title=Nyut rek pa gin acoya
+outline_label=Pek pa gin acoya
+attachments.title=Nyut twec
+attachments_label=Twec
+thumbs.title=Nyut cal
+thumbs_label=Cal
+findbar.title=Nong iye gin acoya
+findbar_label=Nong
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pot buk {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Cal me pot buk {{page}}
+
+# Find panel button title and messages
+find_label=Nong:
+find_previous.title=Nong timme pa lok mukato
+find_previous_label=Mukato
+find_next.title=Nong timme pa lok malubo
+find_next_label=Malubo
+find_highlight=Wer weng
+find_match_case_label=Lok marwate
+find_reached_top=Oo iwi gin acoya, omede ki i tere
+find_reached_bottom=Oo i agiki me gin acoya, omede ki iwiye
+find_not_found=Lok pe ononge
+
+# Error panel labels
+error_more_info=Ngec Mukene
+error_less_info=Ngec Manok
+error_close=Lor
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Kwena: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Can kikore {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Pwail: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rek: {{line}}
+rendering_error=Bal otime i kare me nyuto pot buk.
+
+# Predefined zoom values
+page_scale_width=Lac me iye pot buk
+page_scale_fit=Porre me pot buk
+page_scale_auto=Kwot pire kene
+page_scale_actual=Dite kikome
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Bal
+loading_error=Bal otime kun cano PDF.
+invalid_file_error=Pwail me PDF ma pe atir onyo obale woko.
+missing_file_error=Pwail me PDF tye ka rem.
+unexpected_response_error=Lagam mape kigeno pa lapok tic.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Lok angea manok]
+password_label=Ket mung me donyo me yabo pwail me PDF man.
+password_invalid=Mung me donyo pe atir. Tim ber i tem doki.
+password_ok=OK
+password_cancel=Juk
+
+printing_not_supported=Ciko: Layeny ma pe teno goyo liweng.
+printing_not_ready=Ciko: PDF pe ocane weng me agoya.
+web_fonts_disabled=Kijuko dit pa coc me kakube woko: pe romo tic ki dit pa coc me PDF ma kiketo i kine.
+document_colors_not_allowed=Pe ki ye ki gin acoya me PDF me tic ki rangi gi kengi: 'Ye pot buk me yero rangi mamegi kengi' kijuko woko i layeny.
diff --git a/static/pdf.js/locale/af/viewer.ftl b/static/pdf.js/locale/af/viewer.ftl
deleted file mode 100644
index 7c4346fe..00000000
--- a/static/pdf.js/locale/af/viewer.ftl
+++ /dev/null
@@ -1,212 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Vorige bladsy
-pdfjs-previous-button-label = Vorige
-pdfjs-next-button =
- .title = Volgende bladsy
-pdfjs-next-button-label = Volgende
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Bladsy
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = van { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } van { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoem uit
-pdfjs-zoom-out-button-label = Zoem uit
-pdfjs-zoom-in-button =
- .title = Zoem in
-pdfjs-zoom-in-button-label = Zoem in
-pdfjs-zoom-select =
- .title = Zoem
-pdfjs-presentation-mode-button =
- .title = Wissel na voorleggingsmodus
-pdfjs-presentation-mode-button-label = Voorleggingsmodus
-pdfjs-open-file-button =
- .title = Open lêer
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Druk
-pdfjs-print-button-label = Druk
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Nutsgoed
-pdfjs-tools-button-label = Nutsgoed
-pdfjs-first-page-button =
- .title = Gaan na eerste bladsy
-pdfjs-first-page-button-label = Gaan na eerste bladsy
-pdfjs-last-page-button =
- .title = Gaan na laaste bladsy
-pdfjs-last-page-button-label = Gaan na laaste bladsy
-pdfjs-page-rotate-cw-button =
- .title = Roteer kloksgewys
-pdfjs-page-rotate-cw-button-label = Roteer kloksgewys
-pdfjs-page-rotate-ccw-button =
- .title = Roteer anti-kloksgewys
-pdfjs-page-rotate-ccw-button-label = Roteer anti-kloksgewys
-pdfjs-cursor-text-select-tool-button =
- .title = Aktiveer gereedskap om teks te merk
-pdfjs-cursor-text-select-tool-button-label = Teksmerkgereedskap
-pdfjs-cursor-hand-tool-button =
- .title = Aktiveer handjie
-pdfjs-cursor-hand-tool-button-label = Handjie
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumenteienskappe…
-pdfjs-document-properties-button-label = Dokumenteienskappe…
-pdfjs-document-properties-file-name = Lêernaam:
-pdfjs-document-properties-file-size = Lêergrootte:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kG ({ $size_b } grepe)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MG ({ $size_b } grepe)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Outeur:
-pdfjs-document-properties-subject = Onderwerp:
-pdfjs-document-properties-keywords = Sleutelwoorde:
-pdfjs-document-properties-creation-date = Skeppingsdatum:
-pdfjs-document-properties-modification-date = Wysigingsdatum:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Skepper:
-pdfjs-document-properties-producer = PDF-vervaardiger:
-pdfjs-document-properties-version = PDF-weergawe:
-pdfjs-document-properties-page-count = Aantal bladsye:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = Sluit
-
-## Print
-
-pdfjs-print-progress-message = Berei tans dokument voor om te druk…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Kanselleer
-pdfjs-printing-not-supported = Waarskuwing: Dié blaaier ondersteun nie drukwerk ten volle nie.
-pdfjs-printing-not-ready = Waarskuwing: Die PDF is nog nie volledig gelaai vir drukwerk nie.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Sypaneel aan/af
-pdfjs-toggle-sidebar-button-label = Sypaneel aan/af
-pdfjs-document-outline-button =
- .title = Wys dokumentskema (dubbelklik om alle items oop/toe te vou)
-pdfjs-document-outline-button-label = Dokumentoorsig
-pdfjs-attachments-button =
- .title = Wys aanhegsels
-pdfjs-attachments-button-label = Aanhegsels
-pdfjs-thumbs-button =
- .title = Wys duimnaels
-pdfjs-thumbs-button-label = Duimnaels
-pdfjs-findbar-button =
- .title = Soek in dokument
-pdfjs-findbar-button-label = Vind
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Bladsy { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Duimnael van bladsy { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Vind
- .placeholder = Soek in dokument…
-pdfjs-find-previous-button =
- .title = Vind die vorige voorkoms van die frase
-pdfjs-find-previous-button-label = Vorige
-pdfjs-find-next-button =
- .title = Vind die volgende voorkoms van die frase
-pdfjs-find-next-button-label = Volgende
-pdfjs-find-highlight-checkbox = Verlig almal
-pdfjs-find-match-case-checkbox-label = Kassensitief
-pdfjs-find-reached-top = Bokant van dokument is bereik; gaan voort van onder af
-pdfjs-find-reached-bottom = Einde van dokument is bereik; gaan voort van bo af
-pdfjs-find-not-found = Frase nie gevind nie
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Bladsywydte
-pdfjs-page-scale-fit = Pas bladsy
-pdfjs-page-scale-auto = Outomatiese zoem
-pdfjs-page-scale-actual = Werklike grootte
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = 'n Fout het voorgekom met die laai van die PDF.
-pdfjs-invalid-file-error = Ongeldige of korrupte PDF-lêer.
-pdfjs-missing-file-error = PDF-lêer is weg.
-pdfjs-unexpected-response-error = Onverwagse antwoord van bediener.
-pdfjs-rendering-error = 'n Fout het voorgekom toe die bladsy weergegee is.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-annotasie]
-
-## Password
-
-pdfjs-password-label = Gee die wagwoord om dié PDF-lêer mee te open.
-pdfjs-password-invalid = Ongeldige wagwoord. Probeer gerus weer.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Kanselleer
-pdfjs-web-fonts-disabled = Webfonte is gedeaktiveer: kan nie PDF-fonte wat ingebed is, gebruik nie.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/af/viewer.properties b/static/pdf.js/locale/af/viewer.properties
new file mode 100644
index 00000000..052413dd
--- /dev/null
+++ b/static/pdf.js/locale/af/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Vorige bladsy
+previous_label=Vorige
+next.title=Volgende bladsy
+next_label=Volgende
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Bladsy:
+page_of=van {{pageCount}}
+
+zoom_out.title=Zoem uit
+zoom_out_label=Zoem uit
+zoom_in.title=Zoem in
+zoom_in_label=Zoem in
+zoom.title=Zoem
+presentation_mode.title=Wissel na voorleggingsmodus
+presentation_mode_label=Voorleggingsmodus
+open_file.title=Open lêer
+open_file_label=Open
+print.title=Druk
+print_label=Druk
+download.title=Laai af
+download_label=Laai af
+bookmark.title=Huidige aansig (kopieer of open in nuwe venster)
+bookmark_label=Huidige aansig
+
+# Secondary toolbar and context menu
+tools.title=Nutsgoed
+tools_label=Nutsgoed
+first_page.title=Gaan na eerste bladsy
+first_page.label=Gaan na eerste bladsy
+first_page_label=Gaan na eerste bladsy
+last_page.title=Gaan na laaste bladsy
+last_page.label=Gaan na laaste bladsy
+last_page_label=Gaan na laaste bladsy
+page_rotate_cw.title=Roteer kloksgewys
+page_rotate_cw.label=Roteer kloksgewys
+page_rotate_cw_label=Roteer kloksgewys
+page_rotate_ccw.title=Roteer anti-kloksgewys
+page_rotate_ccw.label=Roteer anti-kloksgewys
+page_rotate_ccw_label=Roteer anti-kloksgewys
+
+hand_tool_enable.title=Aktiveer handjie
+hand_tool_enable_label=Aktiveer handjie
+hand_tool_disable.title=Deaktiveer handjie
+hand_tool_disable_label=Deaktiveer handjie
+
+# Document properties dialog box
+document_properties.title=Dokumenteienskappe…
+document_properties_label=Dokumenteienskappe…
+document_properties_file_name=Lêernaam:
+document_properties_file_size=Lêergrootte:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} kG ({{size_b}} grepe)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MG ({{size_b}} grepe)
+document_properties_title=Titel:
+document_properties_author=Outeur:
+document_properties_subject=Onderwerp:
+document_properties_keywords=Sleutelwoorde:
+document_properties_creation_date=Skeppingsdatum:
+document_properties_modification_date=Wysigingsdatum:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Skepper:
+document_properties_producer=PDF-vervaardiger:
+document_properties_version=PDF-weergawe:
+document_properties_page_count=Aantal bladsye:
+document_properties_close=Sluit
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Sypaneel aan/af
+toggle_sidebar_label=Sypaneel aan/af
+outline.title=Wys dokumentoorsig
+outline_label=Dokumentoorsig
+attachments.title=Wys aanhegsels
+attachments_label=Aanhegsels
+thumbs.title=Wys duimnaels
+thumbs_label=Duimnaels
+findbar.title=Soek in dokument
+findbar_label=Vind
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Bladsy {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Duimnael van bladsy {{page}}
+
+# Find panel button title and messages
+find_label=Vind:
+find_previous.title=Vind die vorige voorkoms van die frase
+find_previous_label=Vorige
+find_next.title=Vind die volgende voorkoms van die frase
+find_next_label=Volgende
+find_highlight=Verlig alle
+find_match_case_label=Kassensitief
+find_reached_top=Bokant van dokument is bereik; gaan voort van onder af
+find_reached_bottom=Einde van dokument is bereik; gaan voort van bo af
+find_not_found=Frase nie gevind nie
+
+# Error panel labels
+error_more_info=Meer inligting
+error_less_info=Minder inligting
+error_close=Sluit
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (ID: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Boodskap: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stapel: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Lêer: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Lyn: {{line}}
+rendering_error='n Fout het voorgekom toe die bladsy weergegee is.
+
+# Predefined zoom values
+page_scale_width=Bladsywydte
+page_scale_fit=Pas bladsy
+page_scale_auto=Outomatiese zoem
+page_scale_actual=Werklike grootte
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fout
+loading_error='n Fout het voorgekom met die laai van die PDF.
+invalid_file_error=Ongeldige of korrupte PDF-lêer.
+missing_file_error=PDF-lêer is weg.
+unexpected_response_error=Onverwagse antwoord van bediener.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-annotasie
+password_label=Gee die wagwoord om dié PDF-lêer mee te open.
+password_invalid=Ongeldige wagwoord. Probeer gerus weer.
+password_ok=OK
+password_cancel=Kanselleer
+
+printing_not_supported=Waarskuwing: Dié blaaier ondersteun nie drukwerk ten volle nie.
+printing_not_ready=Waarskuwing: Die PDF is nog nie volledig gelaai vir drukwerk nie.
+web_fonts_disabled=Webfonte is gedeaktiveer: kan nie PDF-fonte wat ingebed is, gebruik nie.
+document_colors_not_allowed=PDF-dokumente word nie toegelaat om hul eie kleure te gebruik nie: 'Laat bladsye toe om hul eie kleure te kies' is gedeaktiveer in die blaaier.
diff --git a/static/pdf.js/locale/ak/viewer.properties b/static/pdf.js/locale/ak/viewer.properties
new file mode 100644
index 00000000..83eacd63
--- /dev/null
+++ b/static/pdf.js/locale/ak/viewer.properties
@@ -0,0 +1,131 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Krataafa baako a etwa mu
+previous_label=Ekyiri-baako
+next.title=Krataafa a edi so baako
+next_label=Dea-ɛ-di-so-baako
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Krataafa:
+page_of=wɔ {{pageCount}}
+
+zoom_out.title=Zuum pue
+zoom_out_label=Zuum ba abɔnten
+zoom_in.title=Zuum kɔ mu
+zoom_in_label=Zuum kɔ mu
+zoom.title=Zuum
+presentation_mode.title=Sesa kɔ Yɛkyerɛ Tebea mu
+presentation_mode_label=Yɛkyerɛ Tebea
+open_file.title=Bue Fael
+open_file_label=Bue
+print.title=Prente
+print_label=Prente
+download.title=Twe
+download_label=Twe
+bookmark.title=Seisei nhwɛ (fa anaaso bue wɔ tokuro foforo mu)
+bookmark_label=Seisei nhwɛ
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Ti asɛm:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Sɔ anaaso dum saedbaa
+toggle_sidebar_label=Sɔ anaaso dum saedbaa
+outline.title=Kyerɛ dɔkomɛnt bɔbea
+outline_label=Dɔkomɛnt bɔbea
+thumbs.title=Kyerɛ mfoniwaa
+thumbs_label=Mfoniwaa
+findbar.title=Hu wɔ dɔkomɛnt no mu
+findbar_label=Hu
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Krataafa {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Krataafa ne mfoniwaa {{page}}
+
+# Find panel button title and messages
+find_label=Hunu:
+find_previous.title=San hu fres wɔ ekyiri baako
+find_previous_label=Ekyiri baako
+find_next.title=San hu fres no wɔ enim baako
+find_next_label=Ndiso
+find_highlight=Hyɛ bibiara nso
+find_match_case_label=Fa susu kaase
+find_reached_top=Edu krataafa ne soro, atoa so efiri ase
+find_reached_bottom=Edu krataafa n'ewiei, atoa so efiri soro
+find_not_found=Ennhu fres
+
+# Error panel labels
+error_more_info=Infɔmehyɛn bio a wɔka ho
+error_less_info=Te infɔmehyɛn bio a wɔka ho so
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{vɛɛhyen}} (nsi: {{si}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Nkrato: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Staake: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fael: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Laen: {{line}}
+rendering_error=Mfomso bae wɔ bere a wɔ rekyerɛ krataafa no.
+
+# Predefined zoom values
+page_scale_width=Krataafa tɛtrɛtɛ
+page_scale_fit=Krataafa ehimtwa
+page_scale_auto=Zuum otomatik
+page_scale_actual=Kɛseyɛ ankasa
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Mfomso
+loading_error=Mfomso bae wɔ bere a wɔreloode PDF no.
+invalid_file_error=PDF fael no nndi mu anaaso ho atɔ kyima.
+missing_file_error=PDF fael no ayera.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Tɛkst-nyiano]
+password_ok=OK
+password_cancel=Twa-mu
+
+printing_not_supported=Kɔkɔbɔ: Brawsa yi nnhyɛ daa mma prent ho kwan.
+printing_not_ready=Kɔkɔbɔ: Wɔnntwee PDF fael no nyinara mmbaee ama wo ɛ tumi aprente.
+web_fonts_disabled=Ɔedum wɛb-mfɔnt: nntumi mmfa PDF mfɔnt a wɔhyɛ mu nndi dwuma.
+document_colors_not_allowed=Wɔmma ho kwan sɛ PDF adɔkomɛnt de wɔn ara wɔn ahosu bɛdi dwuma: wɔ adum 'Ma ho kwan ma nkrataafa mpaw wɔn ara wɔn ahosu' wɔ brawsa yi mu.
diff --git a/static/pdf.js/locale/an/viewer.ftl b/static/pdf.js/locale/an/viewer.ftl
deleted file mode 100644
index 67331477..00000000
--- a/static/pdf.js/locale/an/viewer.ftl
+++ /dev/null
@@ -1,257 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pachina anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Pachina siguient
-pdfjs-next-button-label = Siguient
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pachina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Achiquir
-pdfjs-zoom-out-button-label = Achiquir
-pdfjs-zoom-in-button =
- .title = Agrandir
-pdfjs-zoom-in-button-label = Agrandir
-pdfjs-zoom-select =
- .title = Grandaria
-pdfjs-presentation-mode-button =
- .title = Cambear t'o modo de presentación
-pdfjs-presentation-mode-button-label = Modo de presentación
-pdfjs-open-file-button =
- .title = Ubrir o fichero
-pdfjs-open-file-button-label = Ubrir
-pdfjs-print-button =
- .title = Imprentar
-pdfjs-print-button-label = Imprentar
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ferramientas
-pdfjs-tools-button-label = Ferramientas
-pdfjs-first-page-button =
- .title = Ir ta la primer pachina
-pdfjs-first-page-button-label = Ir ta la primer pachina
-pdfjs-last-page-button =
- .title = Ir ta la zaguer pachina
-pdfjs-last-page-button-label = Ir ta la zaguer pachina
-pdfjs-page-rotate-cw-button =
- .title = Chirar enta la dreita
-pdfjs-page-rotate-cw-button-label = Chira enta la dreita
-pdfjs-page-rotate-ccw-button =
- .title = Chirar enta la zurda
-pdfjs-page-rotate-ccw-button-label = Chirar enta la zurda
-pdfjs-cursor-text-select-tool-button =
- .title = Activar la ferramienta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Ferramienta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar la ferramienta man
-pdfjs-cursor-hand-tool-button-label = Ferramienta man
-pdfjs-scroll-vertical-button =
- .title = Usar lo desplazamiento vertical
-pdfjs-scroll-vertical-button-label = Desplazamiento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar lo desplazamiento horizontal
-pdfjs-scroll-horizontal-button-label = Desplazamiento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Activaar lo desplazamiento contino
-pdfjs-scroll-wrapped-button-label = Desplazamiento contino
-pdfjs-spread-none-button =
- .title = No unir vistas de pachinas
-pdfjs-spread-none-button-label = Una pachina nomás
-pdfjs-spread-odd-button =
- .title = Mostrar vista de pachinas, con as impars a la zurda
-pdfjs-spread-odd-button-label = Doble pachina, impar a la zurda
-pdfjs-spread-even-button =
- .title = Amostrar vista de pachinas, con as pars a la zurda
-pdfjs-spread-even-button-label = Doble pachina, para a la zurda
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedatz d'o documento...
-pdfjs-document-properties-button-label = Propiedatz d'o documento...
-pdfjs-document-properties-file-name = Nombre de fichero:
-pdfjs-document-properties-file-size = Grandaria d'o fichero:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titol:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Afer:
-pdfjs-document-properties-keywords = Parolas clau:
-pdfjs-document-properties-creation-date = Calendata de creyación:
-pdfjs-document-properties-modification-date = Calendata de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creyador:
-pdfjs-document-properties-producer = Creyador de PDF:
-pdfjs-document-properties-version = Versión de PDF:
-pdfjs-document-properties-page-count = Numero de pachinas:
-pdfjs-document-properties-page-size = Mida de pachina:
-pdfjs-document-properties-page-size-unit-inches = pulgadas
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } x { $height } { $unit } { $orientation }
-pdfjs-document-properties-page-size-dimension-name-string = { $width } x { $height } { $unit } { $name }, { $orientation }
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web rapida:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Zarrar
-
-## Print
-
-pdfjs-print-progress-message = Se ye preparando la documentación pa imprentar…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Pare cuenta: Iste navegador no maneya totalment as impresions.
-pdfjs-printing-not-ready = Aviso: Encara no se ha cargau completament o PDF ta imprentar-lo.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Amostrar u amagar a barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Cambiar barra lateral (lo documento contiene esquema/adchuntos/capas)
-pdfjs-toggle-sidebar-button-label = Amostrar a barra lateral
-pdfjs-document-outline-button =
- .title = Amostrar esquema d'o documento (fer doble clic pa expandir/compactar totz los items)
-pdfjs-document-outline-button-label = Esquema d'o documento
-pdfjs-attachments-button =
- .title = Amostrar os adchuntos
-pdfjs-attachments-button-label = Adchuntos
-pdfjs-layers-button =
- .title = Amostrar capas (doble clic para reiniciar totas las capas a lo estau per defecto)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Amostrar as miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-findbar-button =
- .title = Trobar en o documento
-pdfjs-findbar-button-label = Trobar
-pdfjs-additional-layers = Capas adicionals
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pachina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura d'a pachina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Trobar
- .placeholder = Trobar en o documento…
-pdfjs-find-previous-button =
- .title = Trobar l'anterior coincidencia d'a frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Trobar a siguient coincidencia d'a frase
-pdfjs-find-next-button-label = Siguient
-pdfjs-find-highlight-checkbox = Resaltar-lo tot
-pdfjs-find-match-case-checkbox-label = Coincidencia de mayusclas/minusclas
-pdfjs-find-entire-word-checkbox-label = Parolas completas
-pdfjs-find-reached-top = S'ha plegau a l'inicio d'o documento, se contina dende baixo
-pdfjs-find-reached-bottom = S'ha plegau a la fin d'o documento, se contina dende alto
-pdfjs-find-not-found = No s'ha trobau a frase
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Amplaria d'a pachina
-pdfjs-page-scale-fit = Achuste d'a pachina
-pdfjs-page-scale-auto = Grandaria automatica
-pdfjs-page-scale-actual = Grandaria actual
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = S'ha produciu una error en cargar o PDF.
-pdfjs-invalid-file-error = O PDF no ye valido u ye estorbau.
-pdfjs-missing-file-error = No i ha fichero PDF.
-pdfjs-unexpected-response-error = Respuesta a lo servicio inasperada.
-pdfjs-rendering-error = Ha ocurriu una error en renderizar a pachina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotación { $type }]
-
-## Password
-
-pdfjs-password-label = Introduzca a clau ta ubrir iste fichero PDF.
-pdfjs-password-invalid = Clau invalida. Torna a intentar-lo.
-pdfjs-password-ok-button = Acceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = As fuents web son desactivadas: no se puet incrustar fichers PDF.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/an/viewer.properties b/static/pdf.js/locale/an/viewer.properties
new file mode 100644
index 00000000..ad26285e
--- /dev/null
+++ b/static/pdf.js/locale/an/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pachina anterior
+previous_label=Anterior
+next.title=Pachina siguient
+next_label=Siguient
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pachina:
+page_of=de {{pageCount}}
+
+zoom_out.title=Achiquir
+zoom_out_label=Achiquir
+zoom_in.title=Agrandir
+zoom_in_label=Agrandir
+zoom.title=Grandaria
+presentation_mode.title=Cambear t'o modo de presentación
+presentation_mode_label=Modo de presentación
+open_file.title=Ubrir o fichero
+open_file_label=Ubrir
+print.title=Imprentar
+print_label=Imprentar
+download.title=Descargar
+download_label=Descargar
+bookmark.title=Vista actual (copiar u ubrir en una nueva finestra)
+bookmark_label=Anvista actual
+
+# Secondary toolbar and context menu
+tools.title=Ferramientas
+tools_label=Ferramientas
+first_page.title=Ir ta la primer pachina
+first_page.label=Ir ta la primer pachina
+first_page_label=Ir ta la primer pachina
+last_page.title=Ir ta la zaguer pachina
+last_page.label=Ir ta la zaguera pachina
+last_page_label=Ir ta la zaguer pachina
+page_rotate_cw.title=Chirar enta la dreita
+page_rotate_cw.label=Chirar enta la dreita
+page_rotate_cw_label=Chira enta la dreita
+page_rotate_ccw.title=Chirar enta la zurda
+page_rotate_ccw.label=Chirar en sentiu antihorario
+page_rotate_ccw_label=Chirar enta la zurda
+
+hand_tool_enable.title=Activar a ferramienta man
+hand_tool_enable_label=Activar a ferramenta man
+hand_tool_disable.title=Desactivar a ferramienta man
+hand_tool_disable_label=Desactivar a ferramienta man
+
+# Document properties dialog box
+document_properties.title=Propiedatz d'o documento...
+document_properties_label=Propiedatz d'o documento...
+document_properties_file_name=Nombre de fichero:
+document_properties_file_size=Grandaria d'o fichero:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titol:
+document_properties_author=Autor:
+document_properties_subject=Afer:
+document_properties_keywords=Parolas clau:
+document_properties_creation_date=Calendata de creyación:
+document_properties_modification_date=Calendata de modificación:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creyador:
+document_properties_producer=Creyador de PDF:
+document_properties_version=Versión de PDF:
+document_properties_page_count=Numero de pachinas:
+document_properties_close=Zarrar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Amostrar u amagar a barra lateral
+toggle_sidebar_label=Amostrar a barra lateral
+outline.title=Amostrar o esquema d'o documento
+outline_label=Esquema d'o documento
+attachments.title=Amostrar os adchuntos
+attachments_label=Adchuntos
+thumbs.title=Amostrar as miniaturas
+thumbs_label=Miniaturas
+findbar.title=Trobar en o documento
+findbar_label=Trobar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pachina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura d'a pachina {{page}}
+
+# Find panel button title and messages
+find_label=Trobar:
+find_previous.title=Trobar l'anterior coincidencia d'a frase
+find_previous_label=Anterior
+find_next.title=Trobar a siguient coincidencia d'a frase
+find_next_label=Siguient
+find_highlight=Resaltar-lo tot
+find_match_case_label=Coincidencia de mayusclas/minusclas
+find_reached_top=S'ha plegau a l'inicio d'o documento, se contina dende baixo
+find_reached_bottom=S'ha plegau a la fin d'o documento, se contina dende alto
+find_not_found=No s'ha trobau a frase
+
+# Error panel labels
+error_more_info=Mas información
+error_less_info=Menos información
+error_close=Zarrar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensache: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fichero: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linia: {{line}}
+rendering_error=Ha ocurriu una error en renderizar a pachina.
+
+# Predefined zoom values
+page_scale_width=Amplaria d'a pachina
+page_scale_fit=Achuste d'a pachina
+page_scale_auto=Grandaria automatica
+page_scale_actual=Grandaria actual
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=S'ha produciu una error en cargar o PDF.
+invalid_file_error=O PDF no ye valido u ye estorbau.
+missing_file_error=No i ha fichero PDF.
+unexpected_response_error=Respuesta a lo servicio inasperada.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotación {{type}}]
+password_label=Introduzca a clau ta ubrir iste fichero PDF.
+password_invalid=Clau invalida. Torna a intentar-lo.
+password_ok=Acceptar
+password_cancel=Cancelar
+
+printing_not_supported=Pare cuenta: Iste navegador no maneya totalment as impresions.
+printing_not_ready=Aviso: Encara no se ha cargau completament o PDF ta imprentar-lo.
+web_fonts_disabled=As fuents web son desactivadas: no se puet incrustar fichers PDF.
+document_colors_not_allowed=Os documentos PDF no pueden fer servir as suyas propias colors: 'Permitir que as pachinas triguen as suyas propias colors' ye desactivau en o navegador.
diff --git a/static/pdf.js/locale/ar/viewer.ftl b/static/pdf.js/locale/ar/viewer.ftl
deleted file mode 100644
index 97d6da57..00000000
--- a/static/pdf.js/locale/ar/viewer.ftl
+++ /dev/null
@@ -1,404 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = الصفحة السابقة
-pdfjs-previous-button-label = السابقة
-pdfjs-next-button =
- .title = الصفحة التالية
-pdfjs-next-button-label = التالية
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = صفحة
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = من { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } من { $pagesCount })
-pdfjs-zoom-out-button =
- .title = بعّد
-pdfjs-zoom-out-button-label = بعّد
-pdfjs-zoom-in-button =
- .title = قرّب
-pdfjs-zoom-in-button-label = قرّب
-pdfjs-zoom-select =
- .title = التقريب
-pdfjs-presentation-mode-button =
- .title = انتقل لوضع العرض التقديمي
-pdfjs-presentation-mode-button-label = وضع العرض التقديمي
-pdfjs-open-file-button =
- .title = افتح ملفًا
-pdfjs-open-file-button-label = افتح
-pdfjs-print-button =
- .title = اطبع
-pdfjs-print-button-label = اطبع
-pdfjs-save-button =
- .title = احفظ
-pdfjs-save-button-label = احفظ
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = نزّل
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = نزّل
-pdfjs-bookmark-button =
- .title = الصفحة الحالية (عرض URL من الصفحة الحالية)
-pdfjs-bookmark-button-label = الصفحة الحالية
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = الأدوات
-pdfjs-tools-button-label = الأدوات
-pdfjs-first-page-button =
- .title = انتقل إلى الصفحة الأولى
-pdfjs-first-page-button-label = انتقل إلى الصفحة الأولى
-pdfjs-last-page-button =
- .title = انتقل إلى الصفحة الأخيرة
-pdfjs-last-page-button-label = انتقل إلى الصفحة الأخيرة
-pdfjs-page-rotate-cw-button =
- .title = أدر باتجاه عقارب الساعة
-pdfjs-page-rotate-cw-button-label = أدر باتجاه عقارب الساعة
-pdfjs-page-rotate-ccw-button =
- .title = أدر بعكس اتجاه عقارب الساعة
-pdfjs-page-rotate-ccw-button-label = أدر بعكس اتجاه عقارب الساعة
-pdfjs-cursor-text-select-tool-button =
- .title = فعّل أداة اختيار النص
-pdfjs-cursor-text-select-tool-button-label = أداة اختيار النص
-pdfjs-cursor-hand-tool-button =
- .title = فعّل أداة اليد
-pdfjs-cursor-hand-tool-button-label = أداة اليد
-pdfjs-scroll-page-button =
- .title = استخدم تمرير الصفحة
-pdfjs-scroll-page-button-label = تمرير الصفحة
-pdfjs-scroll-vertical-button =
- .title = استخدم التمرير الرأسي
-pdfjs-scroll-vertical-button-label = التمرير الرأسي
-pdfjs-scroll-horizontal-button =
- .title = استخدم التمرير الأفقي
-pdfjs-scroll-horizontal-button-label = التمرير الأفقي
-pdfjs-scroll-wrapped-button =
- .title = استخدم التمرير الملتف
-pdfjs-scroll-wrapped-button-label = التمرير الملتف
-pdfjs-spread-none-button =
- .title = لا تدمج هوامش الصفحات مع بعضها البعض
-pdfjs-spread-none-button-label = بلا هوامش
-pdfjs-spread-odd-button =
- .title = ادمج هوامش الصفحات الفردية
-pdfjs-spread-odd-button-label = هوامش الصفحات الفردية
-pdfjs-spread-even-button =
- .title = ادمج هوامش الصفحات الزوجية
-pdfjs-spread-even-button-label = هوامش الصفحات الزوجية
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = خصائص المستند…
-pdfjs-document-properties-button-label = خصائص المستند…
-pdfjs-document-properties-file-name = اسم الملف:
-pdfjs-document-properties-file-size = حجم الملف:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } ك.بايت ({ $size_b } بايت)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } م.بايت ({ $size_b } بايت)
-pdfjs-document-properties-title = العنوان:
-pdfjs-document-properties-author = المؤلف:
-pdfjs-document-properties-subject = الموضوع:
-pdfjs-document-properties-keywords = الكلمات الأساسية:
-pdfjs-document-properties-creation-date = تاريخ الإنشاء:
-pdfjs-document-properties-modification-date = تاريخ التعديل:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }، { $time }
-pdfjs-document-properties-creator = المنشئ:
-pdfjs-document-properties-producer = منتج PDF:
-pdfjs-document-properties-version = إصدارة PDF:
-pdfjs-document-properties-page-count = عدد الصفحات:
-pdfjs-document-properties-page-size = مقاس الورقة:
-pdfjs-document-properties-page-size-unit-inches = بوصة
-pdfjs-document-properties-page-size-unit-millimeters = ملم
-pdfjs-document-properties-page-size-orientation-portrait = طوليّ
-pdfjs-document-properties-page-size-orientation-landscape = عرضيّ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = خطاب
-pdfjs-document-properties-page-size-name-legal = قانونيّ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }، { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = العرض السريع عبر الوِب:
-pdfjs-document-properties-linearized-yes = نعم
-pdfjs-document-properties-linearized-no = لا
-pdfjs-document-properties-close-button = أغلق
-
-## Print
-
-pdfjs-print-progress-message = يُحضّر المستند للطباعة…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }٪
-pdfjs-print-progress-close-button = ألغِ
-pdfjs-printing-not-supported = تحذير: لا يدعم هذا المتصفح الطباعة بشكل كامل.
-pdfjs-printing-not-ready = تحذير: ملف PDF لم يُحمّل كاملًا للطباعة.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = بدّل ظهور الشريط الجانبي
-pdfjs-toggle-sidebar-notification-button =
- .title = بدّل ظهور الشريط الجانبي (يحتوي المستند على مخطط أو مرفقات أو طبقات)
-pdfjs-toggle-sidebar-button-label = بدّل ظهور الشريط الجانبي
-pdfjs-document-outline-button =
- .title = اعرض فهرس المستند (نقر مزدوج لتمديد أو تقليص كل العناصر)
-pdfjs-document-outline-button-label = مخطط المستند
-pdfjs-attachments-button =
- .title = اعرض المرفقات
-pdfjs-attachments-button-label = المُرفقات
-pdfjs-layers-button =
- .title = اعرض الطبقات (انقر مرتين لتصفير كل الطبقات إلى الحالة المبدئية)
-pdfjs-layers-button-label = الطبقات
-pdfjs-thumbs-button =
- .title = اعرض مُصغرات
-pdfjs-thumbs-button-label = مُصغّرات
-pdfjs-current-outline-item-button =
- .title = ابحث عن عنصر المخطّط التفصيلي الحالي
-pdfjs-current-outline-item-button-label = عنصر المخطّط التفصيلي الحالي
-pdfjs-findbar-button =
- .title = ابحث في المستند
-pdfjs-findbar-button-label = ابحث
-pdfjs-additional-layers = الطبقات الإضافية
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = صفحة { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = مصغّرة صفحة { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ابحث
- .placeholder = ابحث في المستند…
-pdfjs-find-previous-button =
- .title = ابحث عن التّواجد السّابق للعبارة
-pdfjs-find-previous-button-label = السابق
-pdfjs-find-next-button =
- .title = ابحث عن التّواجد التّالي للعبارة
-pdfjs-find-next-button-label = التالي
-pdfjs-find-highlight-checkbox = أبرِز الكل
-pdfjs-find-match-case-checkbox-label = طابق حالة الأحرف
-pdfjs-find-match-diacritics-checkbox-label = طابِق الحركات
-pdfjs-find-entire-word-checkbox-label = كلمات كاملة
-pdfjs-find-reached-top = تابعت من الأسفل بعدما وصلت إلى بداية المستند
-pdfjs-find-reached-bottom = تابعت من الأعلى بعدما وصلت إلى نهاية المستند
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [zero] لا مطابقة
- [one] { $current } من أصل { $total } مطابقة
- [two] { $current } من أصل { $total } مطابقة
- [few] { $current } من أصل { $total } مطابقة
- [many] { $current } من أصل { $total } مطابقة
- *[other] { $current } من أصل { $total } مطابقة
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [zero] { $limit } مطابقة
- [one] أكثر من { $limit } مطابقة
- [two] أكثر من { $limit } مطابقة
- [few] أكثر من { $limit } مطابقة
- [many] أكثر من { $limit } مطابقة
- *[other] أكثر من { $limit } مطابقات
- }
-pdfjs-find-not-found = لا وجود للعبارة
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = عرض الصفحة
-pdfjs-page-scale-fit = ملائمة الصفحة
-pdfjs-page-scale-auto = تقريب تلقائي
-pdfjs-page-scale-actual = الحجم الفعلي
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }٪
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = صفحة { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = حدث عطل أثناء تحميل ملف PDF.
-pdfjs-invalid-file-error = ملف PDF تالف أو غير صحيح.
-pdfjs-missing-file-error = ملف PDF غير موجود.
-pdfjs-unexpected-response-error = استجابة خادوم غير متوقعة.
-pdfjs-rendering-error = حدث خطأ أثناء عرض الصفحة.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }، { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [تعليق { $type }]
-
-## Password
-
-pdfjs-password-label = أدخل لكلمة السر لفتح هذا الملف.
-pdfjs-password-invalid = كلمة سر خطأ. من فضلك أعد المحاولة.
-pdfjs-password-ok-button = حسنا
-pdfjs-password-cancel-button = ألغِ
-pdfjs-web-fonts-disabled = خطوط الوب مُعطّلة: تعذّر استخدام خطوط PDF المُضمّنة.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = نص
-pdfjs-editor-free-text-button-label = نص
-pdfjs-editor-ink-button =
- .title = ارسم
-pdfjs-editor-ink-button-label = ارسم
-pdfjs-editor-stamp-button =
- .title = أضِف أو حرّر الصور
-pdfjs-editor-stamp-button-label = أضِف أو حرّر الصور
-pdfjs-editor-highlight-button =
- .title = أبرِز
-pdfjs-editor-highlight-button-label = أبرِز
-pdfjs-highlight-floating-button =
- .title = أبرِز
-pdfjs-highlight-floating-button1 =
- .title = أبرِز
- .aria-label = أبرِز
-pdfjs-highlight-floating-button-label = أبرِز
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = أزِل الرسم
-pdfjs-editor-remove-freetext-button =
- .title = أزِل النص
-pdfjs-editor-remove-stamp-button =
- .title = أزِل الصورة
-pdfjs-editor-remove-highlight-button =
- .title = أزِل الإبراز
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = اللون
-pdfjs-editor-free-text-size-input = الحجم
-pdfjs-editor-ink-color-input = اللون
-pdfjs-editor-ink-thickness-input = السماكة
-pdfjs-editor-ink-opacity-input = العتامة
-pdfjs-editor-stamp-add-image-button =
- .title = أضِف صورة
-pdfjs-editor-stamp-add-image-button-label = أضِف صورة
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = السماكة
-pdfjs-editor-free-highlight-thickness-title =
- .title = غيّر السُمك عند إبراز عناصر أُخرى غير النص
-pdfjs-free-text =
- .aria-label = محرِّر النص
-pdfjs-free-text-default-content = ابدأ الكتابة…
-pdfjs-ink =
- .aria-label = محرِّر الرسم
-pdfjs-ink-canvas =
- .aria-label = صورة أنشأها المستخدم
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = نص بديل
-pdfjs-editor-alt-text-edit-button-label = تحرير النص البديل
-pdfjs-editor-alt-text-dialog-label = اختر خيار
-pdfjs-editor-alt-text-dialog-description = يساعد النص البديل عندما لا يتمكن الأشخاص من رؤية الصورة أو عندما لا يتم تحميلها.
-pdfjs-editor-alt-text-add-description-label = أضِف وصف
-pdfjs-editor-alt-text-add-description-description = استهدف جملتين تصفان الموضوع أو الإعداد أو الإجراءات.
-pdfjs-editor-alt-text-mark-decorative-label = علّمها على أنها زخرفية
-pdfjs-editor-alt-text-mark-decorative-description = يُستخدم هذا في الصور المزخرفة، مثل الحدود أو العلامات المائية.
-pdfjs-editor-alt-text-cancel-button = ألغِ
-pdfjs-editor-alt-text-save-button = احفظ
-pdfjs-editor-alt-text-decorative-tooltip = عُلّمت على أنها زخرفية
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = على سبيل المثال، "يجلس شاب على الطاولة لتناول وجبة"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = الزاوية اليُسرى العُليا — غيّر الحجم
-pdfjs-editor-resizer-label-top-middle = أعلى الوسط - غيّر الحجم
-pdfjs-editor-resizer-label-top-right = الزاوية اليُمنى العُليا - غيّر الحجم
-pdfjs-editor-resizer-label-middle-right = اليمين الأوسط - غيّر الحجم
-pdfjs-editor-resizer-label-bottom-right = الزاوية اليُمنى السُفلى - غيّر الحجم
-pdfjs-editor-resizer-label-bottom-middle = أسفل الوسط - غيّر الحجم
-pdfjs-editor-resizer-label-bottom-left = الزاوية اليُسرى السُفلية - غيّر الحجم
-pdfjs-editor-resizer-label-middle-left = مُنتصف اليسار - غيّر الحجم
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = أبرِز اللون
-pdfjs-editor-colorpicker-button =
- .title = غيّر اللون
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = اختيارات الألوان
-pdfjs-editor-colorpicker-yellow =
- .title = أصفر
-pdfjs-editor-colorpicker-green =
- .title = أخضر
-pdfjs-editor-colorpicker-blue =
- .title = أزرق
-pdfjs-editor-colorpicker-pink =
- .title = وردي
-pdfjs-editor-colorpicker-red =
- .title = أحمر
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = أظهِر الكل
-pdfjs-editor-highlight-show-all-button =
- .title = أظهِر الكل
diff --git a/static/pdf.js/locale/ar/viewer.properties b/static/pdf.js/locale/ar/viewer.properties
new file mode 100644
index 00000000..3dd50c88
--- /dev/null
+++ b/static/pdf.js/locale/ar/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=الصفحة السابقة
+previous_label=السابقة
+next.title=الصفحة التالية
+next_label=التالية
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=صفحة:
+page_of=من {{pageCount}}
+
+zoom_out.title=بعّد
+zoom_out_label=بعّد
+zoom_in.title=قرّب
+zoom_in_label=قرّب
+zoom.title=التقريب
+presentation_mode.title=انتقل لوضع العرض التقديمي
+presentation_mode_label=وضع العرض التقديمي
+open_file.title=افتح ملفًا
+open_file_label=افتح
+print.title=اطبع
+print_label=اطبع
+download.title=نزّل
+download_label=نزّل
+bookmark.title=المنظور الحالي (انسخ أو افتح في نافذة جديدة)
+bookmark_label=المنظور الحالي
+
+# Secondary toolbar and context menu
+tools.title=الأدوات
+tools_label=الأدوات
+first_page.title=اذهب إلى الصفحة الأولى
+first_page.label=اذهب إلى الصفحة الأولى
+first_page_label=اذهب إلى الصفحة الأولى
+last_page.title=اذهب إلى الصفحة الأخيرة
+last_page.label=اذهب إلى الصفحة الأخيرة
+last_page_label=اذهب إلى الصفحة الأخيرة
+page_rotate_cw.title=أدر باتجاه عقارب الساعة
+page_rotate_cw.label=أدر باتجاه عقارب الساعة
+page_rotate_cw_label=أدر باتجاه عقارب الساعة
+page_rotate_ccw.title=أدر بعكس اتجاه عقارب الساعة
+page_rotate_ccw.label=أدر بعكس اتجاه عقارب الساعة
+page_rotate_ccw_label=أدر بعكس اتجاه عقارب الساعة
+
+hand_tool_enable.title=فعّل أداة اليد
+hand_tool_enable_label=فعّل أداة اليد
+hand_tool_disable.title=عطّل أداة اليد
+hand_tool_disable_label=عطّل أداة اليد
+
+# Document properties dialog box
+document_properties.title=خصائص المستند…
+document_properties_label=خصائص المستند…
+document_properties_file_name=اسم الملف:
+document_properties_file_size=حجم الملف:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} ك.بايت ({{size_b}} بايت)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} م.بايت ({{size_b}} بايت)
+document_properties_title=العنوان:
+document_properties_author=المؤلف:
+document_properties_subject=الموضوع:
+document_properties_keywords=الكلمات الأساسية:
+document_properties_creation_date=تاريخ الإنشاء:
+document_properties_modification_date=تاريخ التعديل:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}، {{time}}
+document_properties_creator=المنشئ:
+document_properties_producer=منتج PDF:
+document_properties_version=إصدارة PDF:
+document_properties_page_count=عدد الصفحات:
+document_properties_close=أغلق
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=بدّل الشريط الجانبي
+toggle_sidebar_label=بدّل الشريط الجانبي
+outline.title=اعرض مخطط المستند
+outline_label=مخطط المستند
+attachments.title=اعرض المرفقات
+attachments_label=المُرفقات
+thumbs.title=اعرض مُصغرات
+thumbs_label=مُصغّرات
+findbar.title=ابحث في المستند
+findbar_label=ابحث
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=صفحة {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=مصغّرة صفحة {{page}}
+
+# Find panel button title and messages
+find_label=ابحث:
+find_previous.title=ابحث عن التّواجد السّابق للعبارة
+find_previous_label=السابق
+find_next.title=ابحث عن التّواجد التّالي للعبارة
+find_next_label=التالي
+find_highlight=أبرِز الكل
+find_match_case_label=طابق حالة الأحرف
+find_reached_top=تابعت من الأسفل بعدما وصلت إلى بداية المستند
+find_reached_bottom=تابعت من الأعلى بعدما وصلت إلى نهاية المستند
+find_not_found=لا وجود للعبارة
+
+# Error panel labels
+error_more_info=معلومات أكثر
+error_less_info=معلومات أقل
+error_close=أغلق
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js ن{{version}} (بناء: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=الرسالة: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=الرصّة: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=الملف: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=السطر: {{line}}
+rendering_error=حدث خطأ أثناء عرض الصفحة.
+
+# Predefined zoom values
+page_scale_width=عرض الصفحة
+page_scale_fit=ملائمة الصفحة
+page_scale_auto=تقريب تلقائي
+page_scale_actual=الحجم الحقيقي
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}٪
+
+# Loading indicator messages
+loading_error_indicator=عطل
+loading_error=حدث عطل أثناء تحميل ملف PDF.
+invalid_file_error=ملف PDF تالف أو غير صحيح.
+missing_file_error=ملف PDF غير موجود.
+unexpected_response_error=استجابة خادوم غير متوقعة.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[تعليق {{type}}]
+password_label=أدخل لكلمة السر لفتح هذا الملف.
+password_invalid=كلمة سر خطأ. من فضلك أعد المحاولة.
+password_ok=حسنا
+password_cancel=ألغِ
+
+printing_not_supported=تحذير: لا يدعم هذا المتصفح الطباعة بشكل كامل.
+printing_not_ready=تحذير: ملف PDF لم يُحمّل كاملًا للطباعة.
+web_fonts_disabled=خطوط الوب مُعطّلة: تعذّر استخدام خطوط PDF المُضمّنة.
+document_colors_not_allowed=ليس مسموحًا لملفات PDF باستخدام ألوانها الخاصة: خيار 'اسمح للصفحات باختيار ألوانها الخاصة' ليس مُفعّلًا في المتصفح.
diff --git a/static/pdf.js/locale/as/viewer.properties b/static/pdf.js/locale/as/viewer.properties
new file mode 100644
index 00000000..58ccd84e
--- /dev/null
+++ b/static/pdf.js/locale/as/viewer.properties
@@ -0,0 +1,172 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=পূৰ্বৱৰ্তী পৃষ্ঠা
+previous_label=পূৰ্বৱৰ্তী
+next.title=পৰৱৰ্তী পৃষ্ঠা
+next_label=পৰৱৰ্তী
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=পৃষ্ঠা:
+page_of=ৰ {{pageCount}}
+
+zoom_out.title=জুম আউট
+zoom_out_label=জুম আউট
+zoom_in.title=জুম ইন
+zoom_in_label=জুম ইন
+zoom.title=জুম কৰক
+presentation_mode.title=উপস্থাপন অৱস্থালে যাওক
+presentation_mode_label=উপস্থাপন অৱস্থা
+open_file.title=ফাইল খোলক
+open_file_label=খোলক
+print.title=প্ৰিন্ট কৰক
+print_label=প্ৰিন্ট কৰক
+download.title=ডাউনল'ড কৰক
+download_label=ডাউনল'ড কৰক
+bookmark.title=বৰ্তমান দৃশ্য (কপি কৰক অথবা নতুন উইন্ডোত খোলক)
+bookmark_label=বৰ্তমান দৃশ্য
+
+# Secondary toolbar and context menu
+tools.title=সঁজুলিসমূহ
+tools_label=সঁজুলিসমূহ
+first_page.title=প্ৰথম পৃষ্ঠাত যাওক
+first_page.label=প্ৰথম পৃষ্ঠাত যাওক
+first_page_label=প্ৰথম পৃষ্ঠাত যাওক
+last_page.title=সৰ্বশেষ পৃষ্ঠাত যাওক
+last_page.label=সৰ্বশেষ পৃষ্ঠাত যাওক
+last_page_label=সৰ্বশেষ পৃষ্ঠাত যাওক
+page_rotate_cw.title=ঘড়ীৰ দিশত ঘুৰাওক
+page_rotate_cw.label=ঘড়ীৰ দিশত ঘুৰাওক
+page_rotate_cw_label=ঘড়ীৰ দিশত ঘুৰাওক
+page_rotate_ccw.title=ঘড়ীৰ ওলোটা দিশত ঘুৰাওক
+page_rotate_ccw.label=ঘড়ীৰ ওলোটা দিশত ঘুৰাওক
+page_rotate_ccw_label=ঘড়ীৰ ওলোটা দিশত ঘুৰাওক
+
+hand_tool_enable.title=হাঁত সঁজুলি সামৰ্থবান কৰক
+hand_tool_enable_label=হাঁত সঁজুলি সামৰ্থবান কৰক
+hand_tool_disable.title=হাঁত সঁজুলি অসামৰ্থবান কৰক
+hand_tool_disable_label=হাঁত সঁজুলি অসামৰ্থবান কৰক
+
+# Document properties dialog box
+document_properties.title=দস্তাবেজৰ বৈশিষ্ট্যসমূহ…
+document_properties_label=দস্তাবেজৰ বৈশিষ্ট্যসমূহ…
+document_properties_file_name=ফাইল নাম:
+document_properties_file_size=ফাইলৰ আকাৰ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=শীৰ্ষক:
+document_properties_author=লেখক:
+document_properties_subject=বিষয়:
+document_properties_keywords=কিৱাৰ্ডসমূহ:
+document_properties_creation_date=সৃষ্টিৰ তাৰিখ:
+document_properties_modification_date=পৰিবৰ্তনৰ তাৰিখ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=সৃষ্টিকৰ্তা:
+document_properties_producer=PDF উৎপাদক:
+document_properties_version=PDF সংস্কৰণ:
+document_properties_page_count=পৃষ্ঠাৰ গণনা:
+document_properties_close=বন্ধ কৰক
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=কাষবাৰ টগল কৰক
+toggle_sidebar_label=কাষবাৰ টগল কৰক
+outline.title=দস্তাবেজ আউটলাইন দেখুৱাওক
+outline_label=দস্তাবেজ আউটলাইন
+attachments.title=এটাচমেন্টসমূহ দেখুৱাওক
+attachments_label=এটাচমেন্টসমূহ
+thumbs.title=থাম্বনেইলসমূহ দেখুৱাওক
+thumbs_label=থাম্বনেইলসমূহ
+findbar.title=দস্তাবেজত সন্ধান কৰক
+findbar_label=সন্ধান কৰক
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=পৃষ্ঠা {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=পৃষ্ঠাৰ থাম্বনেইল {{page}}
+
+# Find panel button title and messages
+find_label=সন্ধান কৰক:
+find_previous.title=বাক্যাংশৰ পূৰ্বৱৰ্তী উপস্থিতি সন্ধান কৰক
+find_previous_label=পূৰ্বৱৰ্তী
+find_next.title=বাক্যাংশৰ পৰৱৰ্তী উপস্থিতি সন্ধান কৰক
+find_next_label=পৰৱৰ্তী
+find_highlight=সকলো উজ্জ্বল কৰক
+find_match_case_label=ফলা মিলাওক
+find_reached_top=তলৰ পৰা আৰম্ভ কৰি, দস্তাবেজৰ ওপৰলৈ অহা হৈছে
+find_reached_bottom=ওপৰৰ পৰা আৰম্ভ কৰি, দস্তাবেজৰ তললৈ অহা হৈছে
+find_not_found=বাক্যাংশ পোৱা নগল
+
+# Error panel labels
+error_more_info=অধিক তথ্য
+error_less_info=কম তথ্য
+error_close=বন্ধ কৰক
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=বাৰ্তা: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=স্টেক: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ফাইল: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=শাৰী: {{line}}
+rendering_error=এই পৃষ্ঠা ৰেণ্ডাৰ কৰোতে এটা ত্ৰুটি দেখা দিলে।
+
+# Predefined zoom values
+page_scale_width=পৃষ্ঠাৰ প্ৰস্থ
+page_scale_fit=পৃষ্ঠা খাপ
+page_scale_auto=স্বচালিত জুম
+page_scale_actual=প্ৰকৃত আকাৰ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=ত্ৰুটি
+loading_error=PDF ল'ড কৰোতে এটা ত্ৰুটি দেখা দিলে।
+invalid_file_error=অবৈধ অথবা ক্ষতিগ্ৰস্থ PDF file।
+missing_file_error=সন্ধানহিন PDF ফাইল।
+unexpected_response_error=অপ্ৰত্যাশিত চাৰ্ভাৰ প্ৰতিক্ৰিয়া।
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} টোকা]
+password_label=এই PDF ফাইল খোলিবলৈ পাছৱৰ্ড সুমুৱাওক।
+password_invalid=অবৈধ পাছৱৰ্ড। অনুগ্ৰহ কৰি পুনৰ চেষ্টা কৰক।
+password_ok=ঠিক আছে
+password_cancel=বাতিল কৰক
+
+printing_not_supported=সতৰ্কবাৰ্তা: প্ৰিন্টিং এই ব্ৰাউছাৰ দ্বাৰা সম্পূৰ্ণভাৱে সমৰ্থিত নহয়।
+printing_not_ready=সতৰ্কবাৰ্তা: PDF প্ৰিন্টিংৰ বাবে সম্পূৰ্ণভাৱে ল'ডেড নহয়।
+web_fonts_disabled=ৱেব ফন্টসমূহ অসামৰ্থবান কৰা আছে: অন্তৰ্ভুক্ত PDF ফন্টসমূহ ব্যৱহাৰ কৰিবলে অক্ষম।
+document_colors_not_allowed=PDF দস্তাবেজসমূহৰ সিহতৰ নিজস্ব ৰঙ ব্যৱহাৰ কৰাৰ অনুমতি নাই: ব্ৰাউছাৰত 'পৃষ্ঠাসমূহক সিহতৰ নিজস্ব ৰঙ নিৰ্বাচন কৰাৰ অনুমতি দিয়ক' অসামৰ্থবান কৰা আছে।
diff --git a/static/pdf.js/locale/ast/viewer.ftl b/static/pdf.js/locale/ast/viewer.ftl
deleted file mode 100644
index 2503cafc..00000000
--- a/static/pdf.js/locale/ast/viewer.ftl
+++ /dev/null
@@ -1,201 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Páxina anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Páxina siguiente
-pdfjs-next-button-label = Siguiente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Páxina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Alloñar
-pdfjs-zoom-out-button-label = Alloña
-pdfjs-zoom-in-button =
- .title = Averar
-pdfjs-zoom-in-button-label = Avera
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Cambiar al mou de presentación
-pdfjs-presentation-mode-button-label = Mou de presentación
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprentar
-pdfjs-print-button-label = Imprentar
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ferramientes
-pdfjs-tools-button-label = Ferramientes
-pdfjs-first-page-button-label = Dir a la primer páxina
-pdfjs-last-page-button-label = Dir a la última páxina
-pdfjs-page-rotate-cw-button =
- .title = Voltia a la derecha
-pdfjs-page-rotate-cw-button-label = Voltiar a la derecha
-pdfjs-page-rotate-ccw-button =
- .title = Voltia a la esquierda
-pdfjs-page-rotate-ccw-button-label = Voltiar a la esquierda
-pdfjs-cursor-text-select-tool-button =
- .title = Activa la ferramienta d'esbilla de testu
-pdfjs-cursor-text-select-tool-button-label = Ferramienta d'esbilla de testu
-pdfjs-cursor-hand-tool-button =
- .title = Activa la ferramienta de mano
-pdfjs-cursor-hand-tool-button-label = Ferramienta de mano
-pdfjs-scroll-vertical-button =
- .title = Usa'l desplazamientu vertical
-pdfjs-scroll-vertical-button-label = Desplazamientu vertical
-pdfjs-scroll-horizontal-button =
- .title = Usa'l desplazamientu horizontal
-pdfjs-scroll-horizontal-button-label = Desplazamientu horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usa'l desplazamientu continuu
-pdfjs-scroll-wrapped-button-label = Desplazamientu continuu
-pdfjs-spread-none-button-label = Fueyes individuales
-pdfjs-spread-odd-button-label = Fueyes pares
-pdfjs-spread-even-button-label = Fueyes impares
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedaes del documentu…
-pdfjs-document-properties-button-label = Propiedaes del documentu…
-pdfjs-document-properties-file-name = Nome del ficheru:
-pdfjs-document-properties-file-size = Tamañu del ficheru:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Títulu:
-pdfjs-document-properties-keywords = Pallabres clave:
-pdfjs-document-properties-creation-date = Data de creación:
-pdfjs-document-properties-modification-date = Data de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-producer = Productor del PDF:
-pdfjs-document-properties-version = Versión del PDF:
-pdfjs-document-properties-page-count = Númberu de páxines:
-pdfjs-document-properties-page-size = Tamañu de páxina:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web rápida:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = Non
-pdfjs-document-properties-close-button = Zarrar
-
-## Print
-
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Encaboxar
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Alternar la barra llateral
-pdfjs-attachments-button =
- .title = Amosar los axuntos
-pdfjs-attachments-button-label = Axuntos
-pdfjs-layers-button-label = Capes
-pdfjs-thumbs-button =
- .title = Amosar les miniatures
-pdfjs-thumbs-button-label = Miniatures
-pdfjs-findbar-button-label = Atopar
-pdfjs-additional-layers = Capes adicionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Páxina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button-label = Siguiente
-pdfjs-find-entire-word-checkbox-label = Pallabres completes
-pdfjs-find-reached-top = Algamóse'l comienzu de la páxina, síguese dende abaxo
-pdfjs-find-reached-bottom = Algamóse la fin del documentu, síguese dende arriba
-
-## Predefined zoom values
-
-pdfjs-page-scale-auto = Zoom automáticu
-pdfjs-page-scale-actual = Tamañu real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Páxina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Asocedió un fallu mentanto se cargaba'l PDF.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-## Password
-
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Encaboxar
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ast/viewer.properties b/static/pdf.js/locale/ast/viewer.properties
new file mode 100644
index 00000000..2346c54b
--- /dev/null
+++ b/static/pdf.js/locale/ast/viewer.properties
@@ -0,0 +1,111 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title = Páxina anterior
+previous_label = Anterior
+next.title = Páxina siguiente
+next_label = Siguiente
+page_label = Páxina:
+page_of = de {{pageCount}}
+zoom_out.title = Reducir
+zoom_out_label = Reducir
+zoom_in.title = Aumentar
+zoom_in_label = Aumentar
+zoom.title = Tamañu
+print.title = Imprentar
+print_label = Imprentar
+open_file.title = Abrir ficheru
+open_file_label = Abrir
+download.title = Descargar
+download_label = Descargar
+bookmark.title = Vista actual (copiar o abrir nuna nueva ventana)
+bookmark_label = Vista actual
+outline.title = Amosar l'esquema del documentu
+outline_label = Esquema del documentu
+thumbs.title = Amosar miniatures
+thumbs_label = Miniatures
+thumb_page_title = Páxina {{page}}
+thumb_page_canvas = Miniatura de la páxina {{page}}
+error_more_info = Más información
+error_less_info = Menos información
+error_close = Zarrar
+error_message = Mensaxe: {{message}}
+error_stack = Pila: {{stack}}
+error_file = Ficheru: {{file}}
+error_line = Llinia: {{line}}
+rendering_error = Hebo un fallu al renderizar la páxina.
+page_scale_width = Anchor de la páxina
+page_scale_fit = Axuste de la páxina
+page_scale_auto = Tamañu automáticu
+page_scale_actual = Tamañu actual
+loading_error_indicator = Fallu
+loading_error = Hebo un fallu al cargar el PDF.
+printing_not_supported = Avisu: Imprentar nun tien sofitu téunicu completu nesti navegador.
+presentation_mode_label =
+presentation_mode.title =
+page_rotate_cw.label =
+page_rotate_ccw.label =
+last_page.label = Dir a la cabera páxina
+invalid_file_error = Ficheru PDF inválidu o corruptu.
+first_page.label = Dir a la primer páxina
+findbar_label = Guetar
+findbar.title = Guetar nel documentu
+find_previous_label = Anterior
+find_previous.title = Alcontrar l'anterior apaición de la fras
+find_not_found = Frase non atopada
+find_next_label = Siguiente
+find_next.title = Alcontrar la siguiente apaición d'esta fras
+find_match_case_label = Coincidencia de mayús./minús.
+find_label = Guetar:
+find_highlight = Remarcar toos
+find_reached_top=Algamóse'l principiu del documentu, siguir dende'l final
+find_reached_bottom=Algamóse'l final del documentu, siguir dende'l principiu
+web_fonts_disabled = Les fontes web tán desactivaes: ye imposible usar les fontes PDF embebíes.
+toggle_sidebar_label = Camudar barra llateral
+toggle_sidebar.title = Camudar barra llateral
+missing_file_error = Nun hai ficheru PDF.
+error_version_info = PDF.js v{{version}} (build: {{build}})
+printing_not_ready = Avisu: Esti PDF nun se cargó completamente pa poder imprentase.
+text_annotation_type.alt = [Anotación {{type}}]
+document_colors_disabled = Los documentos PDF nun tienen permitío usar los sos propios colores: 'Permitir a les páxines elexir los sos propios colores' ta desactivao nel navegador.
+tools_label = Ferramientes
+tools.title = Ferramientes
+password_ok = Aceutar
+password_label = Introduz la contraseña p'abrir esti ficheru PDF
+password_invalid = Contraseña non válida. Vuelvi a intentalo.
+password_cancel = Encaboxar
+page_rotate_cw_label = Xirar en sen horariu
+page_rotate_cw.title = Xirar en sen horariu
+page_rotate_ccw_label = Xirar en sen antihorariu
+page_rotate_ccw.title = Xirar en sen antihorariu
+last_page_label = Dir a la postrer páxina
+last_page.title = Dir a la postrer páxina
+hand_tool_enable_label = Activar ferramienta mano
+hand_tool_enable.title = Activar ferramienta mano
+hand_tool_disable_label = Desactivar ferramienta mano
+hand_tool_disable.title = Desactivar ferramienta mano
+first_page_label = Dir a la primer páxina
+first_page.title = Dir a la primer páxina
+document_properties_version = Versión PDF:
+document_properties_title = Títulu:
+document_properties_subject = Asuntu:
+document_properties_producer = Productor PDF:
+document_properties_page_count = Númberu de páxines:
+document_properties_modification_date = Data de modificación:
+document_properties_mb = {{size_mb}} MB ({{size_b}} bytes)
+document_properties_label = Propiedaes del documentu…
+document_properties_keywords = Pallabres clave:
+document_properties_kb = {{size_kb}} KB ({{size_b}} bytes)
+document_properties_file_size = Tamañu de ficheru:
+document_properties_file_name = Nome de ficheru:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Creador:
+document_properties_creation_date = Data de creación:
+document_properties_close = Zarrar
+document_properties_author = Autor:
+document_properties.title = Propiedaes del documentu…
+attachments_label = Axuntos
+attachments.title = Amosar axuntos
+unexpected_response_error = Rempuesta inesperada del sirvidor.
+page_scale_percent = {{scale}}%
diff --git a/static/pdf.js/locale/az/viewer.ftl b/static/pdf.js/locale/az/viewer.ftl
deleted file mode 100644
index 773aae4d..00000000
--- a/static/pdf.js/locale/az/viewer.ftl
+++ /dev/null
@@ -1,257 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Əvvəlki səhifə
-pdfjs-previous-button-label = Əvvəlkini tap
-pdfjs-next-button =
- .title = Növbəti səhifə
-pdfjs-next-button-label = İrəli
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Səhifə
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Uzaqlaş
-pdfjs-zoom-out-button-label = Uzaqlaş
-pdfjs-zoom-in-button =
- .title = Yaxınlaş
-pdfjs-zoom-in-button-label = Yaxınlaş
-pdfjs-zoom-select =
- .title = Yaxınlaşdırma
-pdfjs-presentation-mode-button =
- .title = Təqdimat Rejiminə Keç
-pdfjs-presentation-mode-button-label = Təqdimat Rejimi
-pdfjs-open-file-button =
- .title = Fayl Aç
-pdfjs-open-file-button-label = Aç
-pdfjs-print-button =
- .title = Yazdır
-pdfjs-print-button-label = Yazdır
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Alətlər
-pdfjs-tools-button-label = Alətlər
-pdfjs-first-page-button =
- .title = İlk Səhifəyə get
-pdfjs-first-page-button-label = İlk Səhifəyə get
-pdfjs-last-page-button =
- .title = Son Səhifəyə get
-pdfjs-last-page-button-label = Son Səhifəyə get
-pdfjs-page-rotate-cw-button =
- .title = Saat İstiqamətində Fırlat
-pdfjs-page-rotate-cw-button-label = Saat İstiqamətində Fırlat
-pdfjs-page-rotate-ccw-button =
- .title = Saat İstiqamətinin Əksinə Fırlat
-pdfjs-page-rotate-ccw-button-label = Saat İstiqamətinin Əksinə Fırlat
-pdfjs-cursor-text-select-tool-button =
- .title = Yazı seçmə alətini aktivləşdir
-pdfjs-cursor-text-select-tool-button-label = Yazı seçmə aləti
-pdfjs-cursor-hand-tool-button =
- .title = Əl alətini aktivləşdir
-pdfjs-cursor-hand-tool-button-label = Əl aləti
-pdfjs-scroll-vertical-button =
- .title = Şaquli sürüşdürmə işlət
-pdfjs-scroll-vertical-button-label = Şaquli sürüşdürmə
-pdfjs-scroll-horizontal-button =
- .title = Üfüqi sürüşdürmə işlət
-pdfjs-scroll-horizontal-button-label = Üfüqi sürüşdürmə
-pdfjs-scroll-wrapped-button =
- .title = Bükülü sürüşdürmə işlət
-pdfjs-scroll-wrapped-button-label = Bükülü sürüşdürmə
-pdfjs-spread-none-button =
- .title = Yan-yana birləşdirilmiş səhifələri işlətmə
-pdfjs-spread-none-button-label = Birləşdirmə
-pdfjs-spread-odd-button =
- .title = Yan-yana birləşdirilmiş səhifələri tək nömrəli səhifələrdən başlat
-pdfjs-spread-odd-button-label = Tək nömrəli
-pdfjs-spread-even-button =
- .title = Yan-yana birləşdirilmiş səhifələri cüt nömrəli səhifələrdən başlat
-pdfjs-spread-even-button-label = Cüt nömrəli
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Sənəd xüsusiyyətləri…
-pdfjs-document-properties-button-label = Sənəd xüsusiyyətləri…
-pdfjs-document-properties-file-name = Fayl adı:
-pdfjs-document-properties-file-size = Fayl ölçüsü:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bayt)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bayt)
-pdfjs-document-properties-title = Başlık:
-pdfjs-document-properties-author = Müəllif:
-pdfjs-document-properties-subject = Mövzu:
-pdfjs-document-properties-keywords = Açar sözlər:
-pdfjs-document-properties-creation-date = Yaradılış Tarixi :
-pdfjs-document-properties-modification-date = Dəyişdirilmə Tarixi :
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Yaradan:
-pdfjs-document-properties-producer = PDF yaradıcısı:
-pdfjs-document-properties-version = PDF versiyası:
-pdfjs-document-properties-page-count = Səhifə sayı:
-pdfjs-document-properties-page-size = Səhifə Ölçüsü:
-pdfjs-document-properties-page-size-unit-inches = inç
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portret
-pdfjs-document-properties-page-size-orientation-landscape = albom
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Məktub
-pdfjs-document-properties-page-size-name-legal = Hüquqi
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Bəli
-pdfjs-document-properties-linearized-no = Xeyr
-pdfjs-document-properties-close-button = Qapat
-
-## Print
-
-pdfjs-print-progress-message = Sənəd çap üçün hazırlanır…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Ləğv et
-pdfjs-printing-not-supported = Xəbərdarlıq: Çap bu səyyah tərəfindən tam olaraq dəstəklənmir.
-pdfjs-printing-not-ready = Xəbərdarlıq: PDF çap üçün tam yüklənməyib.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Yan Paneli Aç/Bağla
-pdfjs-toggle-sidebar-notification-button =
- .title = Yan paneli çevir (sənəddə icmal/bağlamalar/laylar mövcuddur)
-pdfjs-toggle-sidebar-button-label = Yan Paneli Aç/Bağla
-pdfjs-document-outline-button =
- .title = Sənədin eskizini göstər (bütün bəndləri açmaq/yığmaq üçün iki dəfə klikləyin)
-pdfjs-document-outline-button-label = Sənəd strukturu
-pdfjs-attachments-button =
- .title = Bağlamaları göstər
-pdfjs-attachments-button-label = Bağlamalar
-pdfjs-layers-button =
- .title = Layları göstər (bütün layları ilkin halına sıfırlamaq üçün iki dəfə klikləyin)
-pdfjs-layers-button-label = Laylar
-pdfjs-thumbs-button =
- .title = Kiçik şəkilləri göstər
-pdfjs-thumbs-button-label = Kiçik şəkillər
-pdfjs-findbar-button =
- .title = Sənəddə Tap
-pdfjs-findbar-button-label = Tap
-pdfjs-additional-layers = Əlavə laylar
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Səhifə{ $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } səhifəsinin kiçik vəziyyəti
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Tap
- .placeholder = Sənəddə tap…
-pdfjs-find-previous-button =
- .title = Bir öncəki uyğun gələn sözü tapır
-pdfjs-find-previous-button-label = Geri
-pdfjs-find-next-button =
- .title = Bir sonrakı uyğun gələn sözü tapır
-pdfjs-find-next-button-label = İrəli
-pdfjs-find-highlight-checkbox = İşarələ
-pdfjs-find-match-case-checkbox-label = Böyük/kiçik hərfə həssaslıq
-pdfjs-find-entire-word-checkbox-label = Tam sözlər
-pdfjs-find-reached-top = Sənədin yuxarısına çatdı, aşağıdan davam edir
-pdfjs-find-reached-bottom = Sənədin sonuna çatdı, yuxarıdan davam edir
-pdfjs-find-not-found = Uyğunlaşma tapılmadı
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Səhifə genişliyi
-pdfjs-page-scale-fit = Səhifəni sığdır
-pdfjs-page-scale-auto = Avtomatik yaxınlaşdır
-pdfjs-page-scale-actual = Hazırkı Həcm
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF yüklenərkən bir səhv yarandı.
-pdfjs-invalid-file-error = Səhv və ya zədələnmiş olmuş PDF fayl.
-pdfjs-missing-file-error = PDF fayl yoxdur.
-pdfjs-unexpected-response-error = Gözlənilməz server cavabı.
-pdfjs-rendering-error = Səhifə göstərilərkən səhv yarandı.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotasiyası]
-
-## Password
-
-pdfjs-password-label = Bu PDF faylı açmaq üçün parolu daxil edin.
-pdfjs-password-invalid = Parol səhvdir. Bir daha yoxlayın.
-pdfjs-password-ok-button = Tamam
-pdfjs-password-cancel-button = Ləğv et
-pdfjs-web-fonts-disabled = Web Şriftlər söndürülüb: yerləşdirilmiş PDF şriftlərini istifadə etmək mümkün deyil.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/az/viewer.properties b/static/pdf.js/locale/az/viewer.properties
new file mode 100644
index 00000000..7aa41980
--- /dev/null
+++ b/static/pdf.js/locale/az/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Əvvəlki səhifə
+previous_label=Əvvəlkini tap
+next.title=Növbəti səhifə
+next_label=İrəli
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Səhifə:
+page_of=/ {{pageCount}}
+
+zoom_out.title=Uzaqlaş
+zoom_out_label=Uzaqlaş
+zoom_in.title=Yaxınlaş
+zoom_in_label=Yaxınlaş
+zoom.title=Yaxınlaşdırma
+presentation_mode.title=Təqdimat Rejiminə Keç
+presentation_mode_label=Təqdimat Rejimi
+open_file.title=Fayl Aç
+open_file_label=Aç
+print.title=Yazdır
+print_label=Yazdır
+download.title=Yüklə
+download_label=Yüklə
+bookmark.title=Hazırkı görünüş (köçür və ya yeni pəncərədə aç)
+bookmark_label=Hazırki görünüş
+
+# Secondary toolbar and context menu
+tools.title=Alətlər
+tools_label=Alətlər
+first_page.title=İlk Səhifəyə get
+first_page.label=İlk Səhifəyə get
+first_page_label=İlk Səhifəyə get
+last_page.title=Son Səhifəyə get
+last_page.label=Son Səhifəyə get
+last_page_label=Son Səhifəyə get
+page_rotate_cw.title=Saat İstiqamətində Fırlat
+page_rotate_cw.label=Saat İstiqamətində Fırlat
+page_rotate_cw_label=Saat İstiqamətində Fırlat
+page_rotate_ccw.title=Saat İstiqamətinin Əksinə Fırlat
+page_rotate_ccw.label=Saat İstiqamətinin Əksinə Fırlat
+page_rotate_ccw_label=Saat İstiqamətinin Əksinə Fırlat
+
+hand_tool_enable.title=Əl alətini aktiv et
+hand_tool_enable_label=Əl alətini aktiv et
+hand_tool_disable.title=Əl alətini deaktiv et
+hand_tool_disable_label=Əl alətini deaktiv et
+
+# Document properties dialog box
+document_properties.title=Sənəd xüsusiyyətləri…
+document_properties_label=Sənəd xüsusiyyətləri…
+document_properties_file_name=Fayl adı:
+document_properties_file_size=Fayl ölçüsü:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bayt)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bayt)
+document_properties_title=Başlık:
+document_properties_author=Müəllif:
+document_properties_subject=Mövzu:
+document_properties_keywords=Açar sözlər:
+document_properties_creation_date=Yaradılış Tarixi :
+document_properties_modification_date=Dəyişdirilmə Tarixi :
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Yaradan:
+document_properties_producer=PDF yaradıcısı:
+document_properties_version=PDF versiyası:
+document_properties_page_count=Səhifə sayı:
+document_properties_close=Qapat
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Yan Paneli Aç/Bağla
+toggle_sidebar_label=Yan Paneli Aç/Bağla
+outline.title=Sənəd struktunu göstər
+outline_label=Sənəd strukturu
+attachments.title=Bağlamaları göstər
+attachments_label=Bağlamalar
+thumbs.title=Kiçik şəkilləri göstər
+thumbs_label=Kiçik şəkillər
+findbar.title=Sənəddə Tap
+findbar_label=Tap
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Səhifə{{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} səhifəsinin kiçik vəziyyəti
+
+# Find panel button title and messages
+find_label=Tap:
+find_previous.title=Bir öncəki uyğun gələn sözü tapır
+find_previous_label=Geri
+find_next.title=Bir sonrakı uyğun gələn sözü tapır
+find_next_label=İrəli
+find_highlight=İşarələ
+find_match_case_label=Böyük/kiçik hərfə həssaslıq
+find_reached_top=Sənədin yuxarısına çatdı, aşağıdan davam edir
+find_reached_bottom=Sənədin sonuna çatdı, yuxarıdan davam edir
+find_not_found=Uyğunlaşma tapılmadı
+
+# Error panel labels
+error_more_info=Daha çox məlumati
+error_less_info=Daha az məlumat
+error_close=Qapat
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (yığma: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=İsmarıc: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stek: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fayl: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Sətir: {{line}}
+rendering_error=Səhifə göstərilərkən səhv yarandı.
+
+# Predefined zoom values
+page_scale_width=Səhifə genişliyi
+page_scale_fit=Səhifəni sığdır
+page_scale_auto=Avtomatik yaxınlaşdır
+page_scale_actual=Hazırki Həcm
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Səhv
+loading_error=PDF yüklenərkən bir səhv yarandı.
+invalid_file_error=Səhv və ya zədələnmiş olmuş PDF fayl.
+missing_file_error=PDF fayl yoxdur.
+unexpected_response_error=Gözlənilməz server cavabı.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotasiyası]
+password_label=Bu PDF faylı açmaq üçün şifrəni daxil edin.
+password_invalid=Şifrə yanlışdır. Bir daha sınayın.
+password_ok=Tamam
+password_cancel=Ləğv et
+
+printing_not_supported=Xəbərdarlıq: Çap bu səyyah tərəfindən tam olaraq dəstəklənmir.
+printing_not_ready=Xəbərdarlıq: PDF çap üçün tam yüklənməyib.
+web_fonts_disabled=Web Şriftlər söndürülüb: yerləşdirilmiş PDF şriftlərini istifadə etmək mümkün deyil.
+document_colors_not_allowed=PDF sənədlərə öz rənglərini işlətməyə icazə verilmir: 'Səhifələrə öz rənglərini istifadə etməyə icazə vermə' səyyahda söndürülüb.
diff --git a/static/pdf.js/locale/be/viewer.ftl b/static/pdf.js/locale/be/viewer.ftl
deleted file mode 100644
index ee1f4301..00000000
--- a/static/pdf.js/locale/be/viewer.ftl
+++ /dev/null
@@ -1,404 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Папярэдняя старонка
-pdfjs-previous-button-label = Папярэдняя
-pdfjs-next-button =
- .title = Наступная старонка
-pdfjs-next-button-label = Наступная
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Старонка
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = з { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } з { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Паменшыць
-pdfjs-zoom-out-button-label = Паменшыць
-pdfjs-zoom-in-button =
- .title = Павялічыць
-pdfjs-zoom-in-button-label = Павялічыць
-pdfjs-zoom-select =
- .title = Павялічэнне тэксту
-pdfjs-presentation-mode-button =
- .title = Пераключыцца ў рэжым паказу
-pdfjs-presentation-mode-button-label = Рэжым паказу
-pdfjs-open-file-button =
- .title = Адкрыць файл
-pdfjs-open-file-button-label = Адкрыць
-pdfjs-print-button =
- .title = Друкаваць
-pdfjs-print-button-label = Друкаваць
-pdfjs-save-button =
- .title = Захаваць
-pdfjs-save-button-label = Захаваць
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Сцягнуць
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Сцягнуць
-pdfjs-bookmark-button =
- .title = Дзейная старонка (паглядзець URL-адрас з дзейнай старонкі)
-pdfjs-bookmark-button-label = Цяперашняя старонка
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Адкрыць у праграме
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Адкрыць у праграме
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Прылады
-pdfjs-tools-button-label = Прылады
-pdfjs-first-page-button =
- .title = Перайсці на першую старонку
-pdfjs-first-page-button-label = Перайсці на першую старонку
-pdfjs-last-page-button =
- .title = Перайсці на апошнюю старонку
-pdfjs-last-page-button-label = Перайсці на апошнюю старонку
-pdfjs-page-rotate-cw-button =
- .title = Павярнуць па сонцу
-pdfjs-page-rotate-cw-button-label = Павярнуць па сонцу
-pdfjs-page-rotate-ccw-button =
- .title = Павярнуць супраць сонца
-pdfjs-page-rotate-ccw-button-label = Павярнуць супраць сонца
-pdfjs-cursor-text-select-tool-button =
- .title = Уключыць прыладу выбару тэксту
-pdfjs-cursor-text-select-tool-button-label = Прылада выбару тэксту
-pdfjs-cursor-hand-tool-button =
- .title = Уключыць ручную прыладу
-pdfjs-cursor-hand-tool-button-label = Ручная прылада
-pdfjs-scroll-page-button =
- .title = Выкарыстоўваць пракрутку старонкi
-pdfjs-scroll-page-button-label = Пракрутка старонкi
-pdfjs-scroll-vertical-button =
- .title = Ужываць вертыкальную пракрутку
-pdfjs-scroll-vertical-button-label = Вертыкальная пракрутка
-pdfjs-scroll-horizontal-button =
- .title = Ужываць гарызантальную пракрутку
-pdfjs-scroll-horizontal-button-label = Гарызантальная пракрутка
-pdfjs-scroll-wrapped-button =
- .title = Ужываць маштабавальную пракрутку
-pdfjs-scroll-wrapped-button-label = Маштабавальная пракрутка
-pdfjs-spread-none-button =
- .title = Не выкарыстоўваць разгорнутыя старонкі
-pdfjs-spread-none-button-label = Без разгорнутых старонак
-pdfjs-spread-odd-button =
- .title = Разгорнутыя старонкі пачынаючы з няцотных нумароў
-pdfjs-spread-odd-button-label = Няцотныя старонкі злева
-pdfjs-spread-even-button =
- .title = Разгорнутыя старонкі пачынаючы з цотных нумароў
-pdfjs-spread-even-button-label = Цотныя старонкі злева
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Уласцівасці дакумента…
-pdfjs-document-properties-button-label = Уласцівасці дакумента…
-pdfjs-document-properties-file-name = Назва файла:
-pdfjs-document-properties-file-size = Памер файла:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байт)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байт)
-pdfjs-document-properties-title = Загаловак:
-pdfjs-document-properties-author = Аўтар:
-pdfjs-document-properties-subject = Тэма:
-pdfjs-document-properties-keywords = Ключавыя словы:
-pdfjs-document-properties-creation-date = Дата стварэння:
-pdfjs-document-properties-modification-date = Дата змянення:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Стваральнік:
-pdfjs-document-properties-producer = Вырабнік PDF:
-pdfjs-document-properties-version = Версія PDF:
-pdfjs-document-properties-page-count = Колькасць старонак:
-pdfjs-document-properties-page-size = Памер старонкі:
-pdfjs-document-properties-page-size-unit-inches = цаляў
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = кніжная
-pdfjs-document-properties-page-size-orientation-landscape = альбомная
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Хуткі прагляд у Інтэрнэце:
-pdfjs-document-properties-linearized-yes = Так
-pdfjs-document-properties-linearized-no = Не
-pdfjs-document-properties-close-button = Закрыць
-
-## Print
-
-pdfjs-print-progress-message = Падрыхтоўка дакумента да друку…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Скасаваць
-pdfjs-printing-not-supported = Папярэджанне: друк не падтрымліваецца цалкам гэтым браўзерам.
-pdfjs-printing-not-ready = Увага: PDF не сцягнуты цалкам для друкавання.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Паказаць/схаваць бакавую панэль
-pdfjs-toggle-sidebar-notification-button =
- .title = Паказаць/схаваць бакавую панэль (дакумент мае змест/укладанні/пласты)
-pdfjs-toggle-sidebar-button-label = Паказаць/схаваць бакавую панэль
-pdfjs-document-outline-button =
- .title = Паказаць структуру дакумента (двайная пстрычка, каб разгарнуць /згарнуць усе элементы)
-pdfjs-document-outline-button-label = Структура дакумента
-pdfjs-attachments-button =
- .title = Паказаць далучэнні
-pdfjs-attachments-button-label = Далучэнні
-pdfjs-layers-button =
- .title = Паказаць пласты (націсніце двойчы, каб скінуць усе пласты да прадвызначанага стану)
-pdfjs-layers-button-label = Пласты
-pdfjs-thumbs-button =
- .title = Паказ мініяцюр
-pdfjs-thumbs-button-label = Мініяцюры
-pdfjs-current-outline-item-button =
- .title = Знайсці бягучы элемент структуры
-pdfjs-current-outline-item-button-label = Бягучы элемент структуры
-pdfjs-findbar-button =
- .title = Пошук у дакуменце
-pdfjs-findbar-button-label = Знайсці
-pdfjs-additional-layers = Дадатковыя пласты
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Старонка { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Мініяцюра старонкі { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Шукаць
- .placeholder = Шукаць у дакуменце…
-pdfjs-find-previous-button =
- .title = Знайсці папярэдні выпадак выразу
-pdfjs-find-previous-button-label = Папярэдні
-pdfjs-find-next-button =
- .title = Знайсці наступны выпадак выразу
-pdfjs-find-next-button-label = Наступны
-pdfjs-find-highlight-checkbox = Падфарбаваць усе
-pdfjs-find-match-case-checkbox-label = Адрозніваць вялікія/малыя літары
-pdfjs-find-match-diacritics-checkbox-label = З улікам дыякрытык
-pdfjs-find-entire-word-checkbox-label = Словы цалкам
-pdfjs-find-reached-top = Дасягнуты пачатак дакумента, працяг з канца
-pdfjs-find-reached-bottom = Дасягнуты канец дакумента, працяг з пачатку
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } з { $total } супадзенняў
- [few] { $current } з { $total } супадзенняў
- *[many] { $current } з { $total } супадзенняў
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Больш за { $limit } супадзенне
- [few] Больш за { $limit } супадзенні
- *[many] Больш за { $limit } супадзенняў
- }
-pdfjs-find-not-found = Выраз не знойдзены
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Шырыня старонкі
-pdfjs-page-scale-fit = Уцісненне старонкі
-pdfjs-page-scale-auto = Аўтаматычнае павелічэнне
-pdfjs-page-scale-actual = Сапраўдны памер
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Старонка { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Здарылася памылка ў часе загрузкі PDF.
-pdfjs-invalid-file-error = Няспраўны або пашкоджаны файл PDF.
-pdfjs-missing-file-error = Адсутны файл PDF.
-pdfjs-unexpected-response-error = Нечаканы адказ сервера.
-pdfjs-rendering-error = Здарылася памылка падчас адлюстравання старонкі.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Увядзіце пароль, каб адкрыць гэты файл PDF.
-pdfjs-password-invalid = Нядзейсны пароль. Паспрабуйце зноў.
-pdfjs-password-ok-button = Добра
-pdfjs-password-cancel-button = Скасаваць
-pdfjs-web-fonts-disabled = Шрыфты Сеціва забаронены: немагчыма ўжываць укладзеныя шрыфты PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Тэкст
-pdfjs-editor-free-text-button-label = Тэкст
-pdfjs-editor-ink-button =
- .title = Маляваць
-pdfjs-editor-ink-button-label = Маляваць
-pdfjs-editor-stamp-button =
- .title = Дадаць або змяніць выявы
-pdfjs-editor-stamp-button-label = Дадаць або змяніць выявы
-pdfjs-editor-highlight-button =
- .title = Вылучэнне
-pdfjs-editor-highlight-button-label = Вылучэнне
-pdfjs-highlight-floating-button =
- .title = Вылучэнне
-pdfjs-highlight-floating-button1 =
- .title = Падфарбаваць
- .aria-label = Падфарбаваць
-pdfjs-highlight-floating-button-label = Падфарбаваць
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Выдаліць малюнак
-pdfjs-editor-remove-freetext-button =
- .title = Выдаліць тэкст
-pdfjs-editor-remove-stamp-button =
- .title = Выдаліць выяву
-pdfjs-editor-remove-highlight-button =
- .title = Выдаліць падфарбоўку
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Колер
-pdfjs-editor-free-text-size-input = Памер
-pdfjs-editor-ink-color-input = Колер
-pdfjs-editor-ink-thickness-input = Таўшчыня
-pdfjs-editor-ink-opacity-input = Непразрыстасць
-pdfjs-editor-stamp-add-image-button =
- .title = Дадаць выяву
-pdfjs-editor-stamp-add-image-button-label = Дадаць выяву
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Таўшчыня
-pdfjs-editor-free-highlight-thickness-title =
- .title = Змяняць таўшчыню пры вылучэнні іншых элементаў, акрамя тэксту
-pdfjs-free-text =
- .aria-label = Тэкставы рэдактар
-pdfjs-free-text-default-content = Пачніце набор тэксту…
-pdfjs-ink =
- .aria-label = Графічны рэдактар
-pdfjs-ink-canvas =
- .aria-label = Выява, створаная карыстальнікам
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Альтэрнатыўны тэкст
-pdfjs-editor-alt-text-edit-button-label = Змяніць альтэрнатыўны тэкст
-pdfjs-editor-alt-text-dialog-label = Выберыце варыянт
-pdfjs-editor-alt-text-dialog-description = Альтэрнатыўны тэкст дапамагае, калі людзі не бачаць выяву або калі яна не загружаецца.
-pdfjs-editor-alt-text-add-description-label = Дадаць апісанне
-pdfjs-editor-alt-text-add-description-description = Старайцеся скласці 1-2 сказы, якія апісваюць прадмет, абстаноўку або дзеянні.
-pdfjs-editor-alt-text-mark-decorative-label = Пазначыць як дэкаратыўны
-pdfjs-editor-alt-text-mark-decorative-description = Выкарыстоўваецца для дэкаратыўных выяваў, такіх як рамкі або вадзяныя знакі.
-pdfjs-editor-alt-text-cancel-button = Скасаваць
-pdfjs-editor-alt-text-save-button = Захаваць
-pdfjs-editor-alt-text-decorative-tooltip = Пазначаны як дэкаратыўны
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Напрыклад, «Малады чалавек садзіцца за стол есці»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Верхні левы кут — змяніць памер
-pdfjs-editor-resizer-label-top-middle = Уверсе пасярэдзіне — змяніць памер
-pdfjs-editor-resizer-label-top-right = Верхні правы кут — змяніць памер
-pdfjs-editor-resizer-label-middle-right = Пасярэдзіне справа — змяніць памер
-pdfjs-editor-resizer-label-bottom-right = Правы ніжні кут — змяніць памер
-pdfjs-editor-resizer-label-bottom-middle = Пасярэдзіне ўнізе — змяніць памер
-pdfjs-editor-resizer-label-bottom-left = Левы ніжні кут — змяніць памер
-pdfjs-editor-resizer-label-middle-left = Пасярэдзіне злева — змяніць памер
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Колер падфарбоўкі
-pdfjs-editor-colorpicker-button =
- .title = Змяніць колер
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Выбар колеру
-pdfjs-editor-colorpicker-yellow =
- .title = Жоўты
-pdfjs-editor-colorpicker-green =
- .title = Зялёны
-pdfjs-editor-colorpicker-blue =
- .title = Блакітны
-pdfjs-editor-colorpicker-pink =
- .title = Ружовы
-pdfjs-editor-colorpicker-red =
- .title = Чырвоны
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Паказаць усе
-pdfjs-editor-highlight-show-all-button =
- .title = Паказаць усе
diff --git a/static/pdf.js/locale/be/viewer.properties b/static/pdf.js/locale/be/viewer.properties
new file mode 100644
index 00000000..031b1df5
--- /dev/null
+++ b/static/pdf.js/locale/be/viewer.properties
@@ -0,0 +1,105 @@
+previous.title = Папярэдняя старонка
+previous_label = Папярэдняя
+next.title = Наступная старонка
+next_label = Наступная
+page_label = Старонка:
+page_of = з {{pageCount}}
+zoom_out.title = Паменшыць
+zoom_out_label = Паменшыць
+zoom_in.title = Павялічыць
+zoom_in_label = Павялічыць
+zoom.title = Павялічэнне тэксту
+presentation_mode.title = Пераключыцца ў рэжым паказу
+presentation_mode_label = Рэжым паказу
+open_file.title = Адчыніць файл
+open_file_label = Адчыніць
+print.title = Друкаваць
+print_label = Друкаваць
+download.title = Загрузка
+download_label = Загрузка
+bookmark.title = Цяперашняя праява (скапіяваць або адчыніць у новым акне)
+bookmark_label = Цяперашняя праява
+tools.title = Прылады
+tools_label = Прылады
+first_page.title = Перайсці на першую старонку
+first_page.label = Перайсці на першую старонку
+first_page_label = Перайсці на першую старонку
+last_page.title = Перайсці на апошнюю старонку
+last_page.label = Перайсці на апошнюю старонку
+last_page_label = Перайсці на апошнюю старонку
+page_rotate_cw.title = Павярнуць па гадзіннікавай стрэлцы
+page_rotate_cw.label = Павярнуць па гадзіннікавай стрэлцы
+page_rotate_cw_label = Павярнуць па гадзіннікавай стрэлцы
+page_rotate_ccw.title = Павярнуць супраць гадзіннікавай стрэлкі
+page_rotate_ccw.label = Павярнуць супраць гадзіннікавай стрэлкі
+page_rotate_ccw_label = Павярнуць супраць гадзіннікавай стрэлкі
+hand_tool_enable.title = Дазволіць ручную прыладу
+hand_tool_enable_label = Дазволіць ручную прыладу
+hand_tool_disable.title = Забараніць ручную прыладу
+hand_tool_disable_label = Забараніць ручную прыладу
+document_properties.title = Уласцівасці дакумента…
+document_properties_label = Уласцівасці дакумента…
+document_properties_file_name = Назва файла:
+document_properties_file_size = Памер файла:
+document_properties_kb = {{size_kb}} КБ ({{size_b}} байт)
+document_properties_mb = {{size_mb}} МБ ({{size_b}} байт)
+document_properties_title = Загаловак:
+document_properties_author = Аўтар:
+document_properties_subject = Тэма:
+document_properties_keywords = Ключавыя словы:
+document_properties_creation_date = Дата стварэння:
+document_properties_modification_date = Дата змянення:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Стваральнік:
+document_properties_producer = Вырабнік PDF:
+document_properties_version = Версія PDF:
+document_properties_page_count = Колькасць старонак:
+document_properties_close = Зачыніць
+toggle_sidebar.title = Пераключэнне палічкі
+toggle_sidebar_label = Пераключыць палічку
+outline.title = Паказ будовы дакумента
+outline_label = Будова дакумента
+attachments.title = Паказаць далучэнні
+attachments_label = Далучэнні
+thumbs.title = Паказ накідаў
+thumbs_label = Накіды
+findbar.title = Пошук у дакуменце
+findbar_label = Знайсці
+thumb_page_title = Старонка {{page}}
+thumb_page_canvas = Накід старонкі {{page}}
+find_label = Пошук:
+find_previous.title = Знайсці папярэдні выпадак выразу
+find_previous_label = Папярэдні
+find_next.title = Знайсці наступны выпадак выразу
+find_next_label = Наступны
+find_highlight = Падфарбаваць усе
+find_match_case_label = Адрозніваць вялікія/малыя літары
+find_reached_top = Дасягнуты пачатак дакумента, працяг з канца
+find_reached_bottom = Дасягнуты канец дакумента, працяг з пачатку
+find_not_found = Выраз не знойдзены
+error_more_info = Падрабязней
+error_less_info = Сцісла
+error_close = Закрыць
+error_version_info = PDF.js в{{version}} (пабудова: {{build}})
+error_message = Паведамленне: {{message}}
+error_stack = Стос: {{stack}}
+error_file = Файл: {{file}}
+error_line = Радок: {{line}}
+rendering_error = Здарылася памылка падчас адлюстравання старонкі.
+page_scale_width = Шырыня старонкі
+page_scale_fit = Уцісненне старонкі
+page_scale_auto = Самастойнае павялічэнне
+page_scale_actual = Сапраўдны памер
+loading_error_indicator = Памылка
+loading_error = Здарылася памылка падчас загрузкі PDF.
+invalid_file_error = Няспраўны або пашкоджаны файл PDF.
+missing_file_error = Адсутны файл PDF.
+text_annotation_type.alt = [{{type}} Annotation]
+password_label = Увядзіце пароль, каб адчыніць гэты файл PDF.
+password_invalid = Крывы пароль. Паспрабуйце зноў.
+password_ok = Добра
+password_cancel = Скасаваць
+printing_not_supported = Папярэджанне: друк не падтрымлівацца цалкам гэтым азіральнікам.
+printing_not_ready = Увага: PDF не сцягнуты цалкам для друкавання.
+web_fonts_disabled = Шрыфты Сеціва забаронены: немгчыма ўжываць укладзеныя шрыфты PDF.
+document_colors_disabled = Дакументам PDF не дазволена карыстацца сваімі ўласнымі колерамі: 'Дазволіць старонкам выбіраць свае ўласныя колеры' абяздзейнена ў азіральніку.
diff --git a/static/pdf.js/locale/bg/viewer.ftl b/static/pdf.js/locale/bg/viewer.ftl
deleted file mode 100644
index 7522054c..00000000
--- a/static/pdf.js/locale/bg/viewer.ftl
+++ /dev/null
@@ -1,384 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Предишна страница
-pdfjs-previous-button-label = Предишна
-pdfjs-next-button =
- .title = Следваща страница
-pdfjs-next-button-label = Следваща
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Страница
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = от { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } от { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Намаляване
-pdfjs-zoom-out-button-label = Намаляване
-pdfjs-zoom-in-button =
- .title = Увеличаване
-pdfjs-zoom-in-button-label = Увеличаване
-pdfjs-zoom-select =
- .title = Мащабиране
-pdfjs-presentation-mode-button =
- .title = Превключване към режим на представяне
-pdfjs-presentation-mode-button-label = Режим на представяне
-pdfjs-open-file-button =
- .title = Отваряне на файл
-pdfjs-open-file-button-label = Отваряне
-pdfjs-print-button =
- .title = Отпечатване
-pdfjs-print-button-label = Отпечатване
-pdfjs-save-button =
- .title = Запазване
-pdfjs-save-button-label = Запазване
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Изтегляне
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Изтегляне
-pdfjs-bookmark-button =
- .title = Текуща страница (преглед на адреса на страницата)
-pdfjs-bookmark-button-label = Текуща страница
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Отваряне в приложение
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Отваряне в приложение
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Инструменти
-pdfjs-tools-button-label = Инструменти
-pdfjs-first-page-button =
- .title = Към първата страница
-pdfjs-first-page-button-label = Към първата страница
-pdfjs-last-page-button =
- .title = Към последната страница
-pdfjs-last-page-button-label = Към последната страница
-pdfjs-page-rotate-cw-button =
- .title = Завъртане по час. стрелка
-pdfjs-page-rotate-cw-button-label = Завъртане по часовниковата стрелка
-pdfjs-page-rotate-ccw-button =
- .title = Завъртане обратно на час. стрелка
-pdfjs-page-rotate-ccw-button-label = Завъртане обратно на часовниковата стрелка
-pdfjs-cursor-text-select-tool-button =
- .title = Включване на инструмента за избор на текст
-pdfjs-cursor-text-select-tool-button-label = Инструмент за избор на текст
-pdfjs-cursor-hand-tool-button =
- .title = Включване на инструмента ръка
-pdfjs-cursor-hand-tool-button-label = Инструмент ръка
-pdfjs-scroll-page-button =
- .title = Използване на плъзгане на страници
-pdfjs-scroll-page-button-label = Плъзгане на страници
-pdfjs-scroll-vertical-button =
- .title = Използване на вертикално плъзгане
-pdfjs-scroll-vertical-button-label = Вертикално плъзгане
-pdfjs-scroll-horizontal-button =
- .title = Използване на хоризонтално
-pdfjs-scroll-horizontal-button-label = Хоризонтално плъзгане
-pdfjs-scroll-wrapped-button =
- .title = Използване на мащабируемо плъзгане
-pdfjs-scroll-wrapped-button-label = Мащабируемо плъзгане
-pdfjs-spread-none-button =
- .title = Режимът на сдвояване е изключен
-pdfjs-spread-none-button-label = Без сдвояване
-pdfjs-spread-odd-button =
- .title = Сдвояване, започвайки от нечетните страници
-pdfjs-spread-odd-button-label = Нечетните отляво
-pdfjs-spread-even-button =
- .title = Сдвояване, започвайки от четните страници
-pdfjs-spread-even-button-label = Четните отляво
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Свойства на документа…
-pdfjs-document-properties-button-label = Свойства на документа…
-pdfjs-document-properties-file-name = Име на файл:
-pdfjs-document-properties-file-size = Големина на файл:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байта)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байта)
-pdfjs-document-properties-title = Заглавие:
-pdfjs-document-properties-author = Автор:
-pdfjs-document-properties-subject = Тема:
-pdfjs-document-properties-keywords = Ключови думи:
-pdfjs-document-properties-creation-date = Дата на създаване:
-pdfjs-document-properties-modification-date = Дата на промяна:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Създател:
-pdfjs-document-properties-producer = PDF произведен от:
-pdfjs-document-properties-version = Издание на PDF:
-pdfjs-document-properties-page-count = Брой страници:
-pdfjs-document-properties-page-size = Размер на страницата:
-pdfjs-document-properties-page-size-unit-inches = инч
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = портрет
-pdfjs-document-properties-page-size-orientation-landscape = пейзаж
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Правни въпроси
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Бърз преглед:
-pdfjs-document-properties-linearized-yes = Да
-pdfjs-document-properties-linearized-no = Не
-pdfjs-document-properties-close-button = Затваряне
-
-## Print
-
-pdfjs-print-progress-message = Подготвяне на документа за отпечатване…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Отказ
-pdfjs-printing-not-supported = Внимание: Този четец няма пълна поддръжка на отпечатване.
-pdfjs-printing-not-ready = Внимание: Този PDF файл не е напълно зареден за печат.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Превключване на страничната лента
-pdfjs-toggle-sidebar-notification-button =
- .title = Превключване на страничната лента (документът има структура/прикачени файлове/слоеве)
-pdfjs-toggle-sidebar-button-label = Превключване на страничната лента
-pdfjs-document-outline-button =
- .title = Показване на структурата на документа (двукратно щракване за свиване/разгъване на всичко)
-pdfjs-document-outline-button-label = Структура на документа
-pdfjs-attachments-button =
- .title = Показване на притурките
-pdfjs-attachments-button-label = Притурки
-pdfjs-layers-button =
- .title = Показване на слоевете (двукратно щракване за възстановяване на всички слоеве към състоянието по подразбиране)
-pdfjs-layers-button-label = Слоеве
-pdfjs-thumbs-button =
- .title = Показване на миниатюрите
-pdfjs-thumbs-button-label = Миниатюри
-pdfjs-current-outline-item-button =
- .title = Намиране на текущия елемент от структурата
-pdfjs-current-outline-item-button-label = Текущ елемент от структурата
-pdfjs-findbar-button =
- .title = Намиране в документа
-pdfjs-findbar-button-label = Търсене
-pdfjs-additional-layers = Допълнителни слоеве
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Страница { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Миниатюра на страница { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Търсене
- .placeholder = Търсене в документа…
-pdfjs-find-previous-button =
- .title = Намиране на предишно съвпадение на фразата
-pdfjs-find-previous-button-label = Предишна
-pdfjs-find-next-button =
- .title = Намиране на следващо съвпадение на фразата
-pdfjs-find-next-button-label = Следваща
-pdfjs-find-highlight-checkbox = Открояване на всички
-pdfjs-find-match-case-checkbox-label = Съвпадение на регистъра
-pdfjs-find-match-diacritics-checkbox-label = Без производни букви
-pdfjs-find-entire-word-checkbox-label = Цели думи
-pdfjs-find-reached-top = Достигнато е началото на документа, продължаване от края
-pdfjs-find-reached-bottom = Достигнат е краят на документа, продължаване от началото
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } от { $total } съвпадение
- *[other] { $current } от { $total } съвпадения
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Повече от { $limit } съвпадение
- *[other] Повече от { $limit } съвпадения
- }
-pdfjs-find-not-found = Фразата не е намерена
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ширина на страницата
-pdfjs-page-scale-fit = Вместване в страницата
-pdfjs-page-scale-auto = Автоматично мащабиране
-pdfjs-page-scale-actual = Действителен размер
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Страница { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Получи се грешка при зареждане на PDF-а.
-pdfjs-invalid-file-error = Невалиден или повреден PDF файл.
-pdfjs-missing-file-error = Липсващ PDF файл.
-pdfjs-unexpected-response-error = Неочакван отговор от сървъра.
-pdfjs-rendering-error = Грешка при изчертаване на страницата.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Анотация { $type }]
-
-## Password
-
-pdfjs-password-label = Въведете парола за отваряне на този PDF файл.
-pdfjs-password-invalid = Невалидна парола. Моля, опитайте отново.
-pdfjs-password-ok-button = Добре
-pdfjs-password-cancel-button = Отказ
-pdfjs-web-fonts-disabled = Уеб-шрифтовете са забранени: разрешаване на използването на вградените PDF шрифтове.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Текст
-pdfjs-editor-free-text-button-label = Текст
-pdfjs-editor-ink-button =
- .title = Рисуване
-pdfjs-editor-ink-button-label = Рисуване
-pdfjs-editor-stamp-button =
- .title = Добавяне или променяне на изображения
-pdfjs-editor-stamp-button-label = Добавяне или променяне на изображения
-pdfjs-editor-remove-button =
- .title = Премахване
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Премахване на рисунката
-pdfjs-editor-remove-freetext-button =
- .title = Премахване на текста
-pdfjs-editor-remove-stamp-button =
- .title = Пермахване на изображението
-pdfjs-editor-remove-highlight-button =
- .title = Премахване на открояването
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Цвят
-pdfjs-editor-free-text-size-input = Размер
-pdfjs-editor-ink-color-input = Цвят
-pdfjs-editor-ink-thickness-input = Дебелина
-pdfjs-editor-ink-opacity-input = Прозрачност
-pdfjs-editor-stamp-add-image-button =
- .title = Добавяне на изображение
-pdfjs-editor-stamp-add-image-button-label = Добавяне на изображение
-pdfjs-free-text =
- .aria-label = Текстов редактор
-pdfjs-free-text-default-content = Започнете да пишете…
-pdfjs-ink =
- .aria-label = Промяна на рисунка
-pdfjs-ink-canvas =
- .aria-label = Изображение, създадено от потребител
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Алтернативен текст
-pdfjs-editor-alt-text-edit-button-label = Промяна на алтернативния текст
-pdfjs-editor-alt-text-dialog-label = Изберете от възможностите
-pdfjs-editor-alt-text-dialog-description = Алтернативният текст помага на потребителите, когато не могат да видят изображението или то не се зарежда.
-pdfjs-editor-alt-text-add-description-label = Добавяне на описание
-pdfjs-editor-alt-text-add-description-description = Стремете се към 1-2 изречения, описващи предмета, настройката или действията.
-pdfjs-editor-alt-text-mark-decorative-label = Отбелязване като декоративно
-pdfjs-editor-alt-text-mark-decorative-description = Използва се за орнаменти или декоративни изображения, като контури и водни знаци.
-pdfjs-editor-alt-text-cancel-button = Отказ
-pdfjs-editor-alt-text-save-button = Запазване
-pdfjs-editor-alt-text-decorative-tooltip = Отбелязване като декоративно
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Например, „Млад мъж седи на маса и се храни“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Горен ляв ъгъл — преоразмеряване
-pdfjs-editor-resizer-label-top-middle = Горе в средата — преоразмеряване
-pdfjs-editor-resizer-label-top-right = Горен десен ъгъл — преоразмеряване
-pdfjs-editor-resizer-label-middle-right = Дясно в средата — преоразмеряване
-pdfjs-editor-resizer-label-bottom-right = Долен десен ъгъл — преоразмеряване
-pdfjs-editor-resizer-label-bottom-middle = Долу в средата — преоразмеряване
-pdfjs-editor-resizer-label-bottom-left = Долен ляв ъгъл — преоразмеряване
-pdfjs-editor-resizer-label-middle-left = Ляво в средата — преоразмеряване
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Цвят на открояване
-pdfjs-editor-colorpicker-button =
- .title = Промяна на цвят
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Избор на цвят
-pdfjs-editor-colorpicker-yellow =
- .title = Жълто
-pdfjs-editor-colorpicker-green =
- .title = Зелено
-pdfjs-editor-colorpicker-blue =
- .title = Синьо
-pdfjs-editor-colorpicker-pink =
- .title = Розово
-pdfjs-editor-colorpicker-red =
- .title = Червено
diff --git a/static/pdf.js/locale/bg/viewer.properties b/static/pdf.js/locale/bg/viewer.properties
new file mode 100644
index 00000000..576cb567
--- /dev/null
+++ b/static/pdf.js/locale/bg/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Предишна страница
+previous_label=Предишна
+next.title=Следваща страница
+next_label=Следваща
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Страница:
+page_of=от {{pageCount}}
+
+zoom_out.title=Отдалечаване
+zoom_out_label=Отдалечаване
+zoom_in.title=Приближаване
+zoom_in_label=Приближаване
+zoom.title=Мащабиране
+presentation_mode.title=Превключване към режим на представяне
+presentation_mode_label=Режим на представяне
+open_file.title=Отваряне на файл
+open_file_label=Отваряне
+print.title=Отпечатване
+print_label=Отпечатване
+download.title=Изтегляне
+download_label=Изтегляне
+bookmark.title=Текущ изглед (копиране или отваряне в нов прозорец)
+bookmark_label=Текущ изглед
+
+# Secondary toolbar and context menu
+tools.title=Инструменти
+tools_label=Инструменти
+first_page.title=Към първата страница
+first_page.label=Към първата страница
+first_page_label=Към първата страница
+last_page.title=Към последната страница
+last_page.label=Към последната страница
+last_page_label=Към последната страница
+page_rotate_cw.title=Превъртане по часовниковата стрелка
+page_rotate_cw.label=Превъртане по часовниковата стрелка
+page_rotate_cw_label=Превъртане по часовниковата стрелка
+page_rotate_ccw.title=Превъртане обратно на часовниковата стрелка
+page_rotate_ccw.label=Превъртане обратно на часовниковата стрелка
+page_rotate_ccw_label=Превъртане обратно на часовниковата стрелка
+
+hand_tool_enable.title=Включване на инструмента ръка
+hand_tool_enable_label=Включване на инструмента ръка
+hand_tool_disable.title=Изключване на инструмента ръка
+hand_tool_disable_label=Изключване на инструмента ръка
+
+# Document properties dialog box
+document_properties.title=Свойства на документа…
+document_properties_label=Свойства на документа…
+document_properties_file_name=Име на файл:
+document_properties_file_size=Големина на файл:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} КБ ({{size_b}} байта)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} МБ ({{size_b}} байта)
+document_properties_title=Заглавие:
+document_properties_author=Автор:
+document_properties_subject=Тема:
+document_properties_keywords=Ключови думи:
+document_properties_creation_date=Дата на създаване:
+document_properties_modification_date=Дата на промяна:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Създател:
+document_properties_producer=PDF произведен от:
+document_properties_version=PDF версия:
+document_properties_page_count=Брой страници:
+document_properties_close=Затваряне
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Превключване на страничната лента
+toggle_sidebar_label=Превключване на страничната лента
+outline.title=Показване на очертанията на документа
+outline_label=Очертание на документа
+attachments.title=Показване на притурките
+attachments_label=Притурки
+thumbs.title=Показване на миниатюрите
+thumbs_label=Миниатюри
+findbar.title=Намиране в документа
+findbar_label=Търсене
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Страница {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Миниатюра на страница {{page}}
+
+# Find panel button title and messages
+find_label=Търсене:
+find_previous.title=Намиране на предното споменаване на тази фраза
+find_previous_label=Предишна
+find_next.title=Намиране на следващото споменаване на тази фраза
+find_next_label=Следваща
+find_highlight=Маркирай всички
+find_match_case_label=Точно съвпадения
+find_reached_top=Достигнато е началото на документа, продължаване от края
+find_reached_bottom=Достигнат е краят на документа, продължаване от началото
+find_not_found=Фразата не е намерена
+
+# Error panel labels
+error_more_info=Повече информация
+error_less_info=По-малко информация
+error_close=Затваряне
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js версия {{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Съобщение: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Стек: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Файл: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Ред: {{line}}
+rendering_error=Грешка при изчертаване на страницата.
+
+# Predefined zoom values
+page_scale_width=Ширина на страницата
+page_scale_fit=Вместване в страницата
+page_scale_auto=Автоматично мащабиране
+page_scale_actual=Действителен размер
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Грешка
+loading_error=Получи се грешка при зареждане на PDF-а.
+invalid_file_error=Невалиден или повреден PDF файл.
+missing_file_error=Липсващ PDF файл.
+unexpected_response_error=Неочакван отговор от сървъра.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Анотация {{type}}]
+password_label=Въведете парола за отваряне на този PDF файл.
+password_invalid=Невалидна парола. Моля, опитайте отново.
+password_ok=Добре
+password_cancel=Отказ
+
+printing_not_supported=Внимание: Този браузър няма пълна поддръжка на отпечатване.
+printing_not_ready=Внимание: Този PDF файл не е напълно зареден за печат.
+web_fonts_disabled=Уеб-шрифтовете са забранени: разрешаване на използването на вградените PDF шрифтове.
+document_colors_not_allowed=На PDF-документите не е разрешено да използват собствени цветове: „Разрешаване на страниците да избират собствени цветове“ е изключено в браузъра.
diff --git a/static/pdf.js/locale/bn-BD/viewer.properties b/static/pdf.js/locale/bn-BD/viewer.properties
new file mode 100644
index 00000000..b5e3048b
--- /dev/null
+++ b/static/pdf.js/locale/bn-BD/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=পূর্ববর্তী পৃষ্ঠা
+previous_label=পূর্ববর্তী
+next.title=পরবর্তী পৃষ্ঠা
+next_label=পরবর্তী
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=পৃষ্ঠা:
+page_of={{pageCount}} এর
+
+zoom_out.title=ছোট আকারে প্রদর্শন
+zoom_out_label=ছোট আকারে প্রদর্শন
+zoom_in.title=বড় আকারে প্রদর্শন
+zoom_in_label=বড় আকারে প্রদর্শন
+zoom.title=বড় আকারে প্রদর্শন
+presentation_mode.title=উপস্থাপনা মোডে স্যুইচ করুন
+presentation_mode_label=উপস্থাপনা মোড
+open_file.title=ফাইল খুলুন
+open_file_label=খুলুন
+print.title=মুদ্রণ
+print_label=মুদ্রণ
+download.title=ডাউনলোড
+download_label=ডাউনলোড
+bookmark.title=বর্তমান অবস্থা (অনুলিপি অথবা নতুন উইন্ডো তে খুলুন)
+bookmark_label=বর্তমান অবস্থা
+
+# Secondary toolbar and context menu
+tools.title=টুল
+tools_label=টুল
+first_page.title=প্রথম পাতায় যাও
+first_page.label=প্রথম পাতায় যাও
+first_page_label=প্রথম পাতায় যাও
+last_page.title=শেষ পাতায় যাও
+last_page.label=শেষ পাতায় যাও
+last_page_label=শেষ পাতায় যাও
+page_rotate_cw.title=ঘড়ির কাঁটার দিকে ঘোরাও
+page_rotate_cw.label=ঘড়ির কাঁটার দিকে ঘোরাও
+page_rotate_cw_label=ঘড়ির কাঁটার দিকে ঘোরাও
+page_rotate_ccw.title=ঘড়ির কাঁটার বিপরীতে ঘোরাও
+page_rotate_ccw.label=ঘড়ির কাঁটার বিপরীতে ঘোরাও
+page_rotate_ccw_label=ঘড়ির কাঁটার বিপরীতে ঘোরাও
+
+hand_tool_enable.title=হ্যান্ড টুল সক্রিয় করুন
+hand_tool_enable_label=হ্যান্ড টুল সক্রিয় করুন
+hand_tool_disable.title=হ্যান্ড টুল নিস্ক্রিয় করুন
+hand_tool_disable_label=হ্যান্ড টুল নিস্ক্রিয় করুন
+
+# Document properties dialog box
+document_properties.title=নথি বৈশিষ্ট্য…
+document_properties_label=নথি বৈশিষ্ট্য…
+document_properties_file_name=ফাইলের নাম:
+document_properties_file_size=ফাইলের আকার:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} কেবি ({{size_b}} বাইট)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} এমবি ({{size_b}} বাইট)
+document_properties_title=শিরোনাম:
+document_properties_author=লেখক:
+document_properties_subject=বিষয়:
+document_properties_keywords=কীওয়ার্ড:
+document_properties_creation_date=তৈরির তারিখ:
+document_properties_modification_date=পরিবর্তনের তারিখ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=প্রস্তুতকারক:
+document_properties_producer=পিডিএফ প্রস্তুতকারক:
+document_properties_version=পিডিএফ সংষ্করণ:
+document_properties_page_count=মোট পাতা:
+document_properties_close=বন্ধ
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=সাইডবার টগল করুন
+toggle_sidebar_label=সাইডবার টগল করুন
+outline.title=নথির রূপরেখা প্রদর্শন করুন
+outline_label=নথির রূপরেখা
+attachments.title=সংযুক্তি দেখাও
+attachments_label=সংযুক্তি
+thumbs.title=থাম্বনেইল সমূহ প্রদর্শন করুন
+thumbs_label=থাম্বনেইল সমূহ
+findbar.title=নথির মধ্যে খুঁজুন
+findbar_label=অনুসন্ধান
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=পৃষ্ঠা {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} পৃষ্ঠার থাম্বনেইল
+
+# Find panel button title and messages
+find_label=অনুসন্ধান:
+find_previous.title=বাক্যাংশের পূর্ববর্তী উপস্থিতি অনুসন্ধান
+find_previous_label=পূর্ববর্তী
+find_next.title=বাক্যাংশের পরবর্তী উপস্থিতি অনুসন্ধান
+find_next_label=পরবর্তী
+find_highlight=সব হাইলাইট করা হবে
+find_match_case_label=অক্ষরের ছাঁদ মেলানো
+find_reached_top=পৃষ্ঠার শুরুতে পৌছে গেছে, নীচ থেকে আরম্ভ করা হয়েছে
+find_reached_bottom=পৃষ্ঠার শেষে পৌছে গেছে, উপর থেকে আরম্ভ করা হয়েছে
+find_not_found=বাক্যাংশ পাওয়া যায়নি
+
+# Error panel labels
+error_more_info=আরও তথ্য
+error_less_info=কম তথ্য
+error_close=বন্ধ
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=বার্তা: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=নথি: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=লাইন: {{line}}
+rendering_error=পৃষ্ঠা উপস্থাপনার সময় ত্রুটি দেখা দিয়েছে।
+
+# Predefined zoom values
+page_scale_width=পৃষ্ঠার প্রস্থ
+page_scale_fit=পৃষ্ঠা ফিট করুন
+page_scale_auto=স্বয়ংক্রিয় জুম
+page_scale_actual=প্রকৃত আকার
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=ত্রুটি
+loading_error=পিডিএফ লোড করার সময় ত্রুটি দেখা দিয়েছে।
+invalid_file_error=অকার্যকর অথবা ক্ষতিগ্রস্ত পিডিএফ ফাইল।
+missing_file_error=পিডিএফ ফাইল পাওয়া যাচ্ছে না।
+unexpected_response_error=অপ্রত্যাশীত সার্ভার প্রতিক্রিয়া।
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} টীকা]
+password_label=পিডিএফ ফাইলটি ওপেন করতে পাসওয়ার্ড দিন।
+password_invalid=ভুল পাসওয়ার্ড। অনুগ্রহ করে আবার চেষ্টা করুন।
+password_ok=ঠিক আছে
+password_cancel=বাতিল
+
+printing_not_supported=সতর্কতা: এই ব্রাউজারে মুদ্রণ সম্পূর্ণভাবে সমর্থিত নয়।
+printing_not_ready=সতর্কীকরণ: পিডিএফটি মুদ্রণের জন্য সম্পূর্ণ লোড হয়নি।
+web_fonts_disabled=ওয়েব ফন্ট নিষ্ক্রিয়: সংযুক্ত পিডিএফ ফন্ট ব্যবহার করা যাচ্ছে না।
+document_colors_not_allowed=পিডিএফ ডকুমেন্টকে তাদের নিজস্ব রঙ ব্যবহারে অনুমতি নেই: 'পাতা তাদের নিজেস্ব রঙ নির্বাচন করতে অনুমতি দিন' এই ব্রাউজারে নিষ্ক্রিয় রয়েছে।
diff --git a/static/pdf.js/locale/bn-IN/viewer.properties b/static/pdf.js/locale/bn-IN/viewer.properties
new file mode 100644
index 00000000..9aef9ffa
--- /dev/null
+++ b/static/pdf.js/locale/bn-IN/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=পূর্ববর্তী পৃষ্ঠা
+previous_label=পূর্ববর্তী
+next.title=পরবর্তী পৃষ্ঠা
+next_label=পরবর্তী
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=পৃষ্ঠা:
+page_of=সর্বমোট {{pageCount}}
+
+zoom_out.title=ছোট মাপে প্রদর্শন
+zoom_out_label=ছোট মাপে প্রদর্শন
+zoom_in.title=বড় মাপে প্রদর্শন
+zoom_in_label=বড় মাপে প্রদর্শন
+zoom.title=প্রদর্শনের মাপ
+presentation_mode.title=উপস্থাপনা মোড স্যুইচ করুন
+presentation_mode_label=উপস্থাপনা মোড
+open_file.title=ফাইল খুলুন
+open_file_label=খুলুন
+print.title=প্রিন্ট করুন
+print_label=প্রিন্ট করুন
+download.title=ডাউনলোড করুন
+download_label=ডাউনলোড করুন
+bookmark.title=বর্তমান প্রদর্শন (কপি করুন অথবা নতুন উইন্ডোতে খুলুন)
+bookmark_label=বর্তমান প্রদর্শন
+
+# Secondary toolbar and context menu
+tools.title=সরঞ্জাম
+tools_label=সরঞ্জাম
+first_page.title=প্রথম পৃষ্ঠায় চলুন
+first_page.label=প্রথম পৃষ্ঠায় চলুন
+first_page_label=প্রথম পৃষ্ঠায় চলুন
+last_page.title=সর্বশেষ পৃষ্ঠায় চলুন
+last_page.label=সর্বশেষ পৃষ্ঠায় চলুন
+last_page_label=সর্বশেষ পৃষ্ঠায় চলুন
+page_rotate_cw.title=ডানদিকে ঘোরানো হবে
+page_rotate_cw.label=ডানদিকে ঘোরানো হবে
+page_rotate_cw_label=ডানদিকে ঘোরানো হবে
+page_rotate_ccw.title=বাঁদিকে ঘোরানো হবে
+page_rotate_ccw.label=বাঁদিকে ঘোরানো হবে
+page_rotate_ccw_label=বাঁদিকে ঘোরানো হবে
+
+hand_tool_enable.title=হ্যান্ড টুল সক্রিয় করুন
+hand_tool_enable_label=হ্যান্ড টুল সক্রিয় করুন
+hand_tool_disable.title=হ্যান্ড টুল নিস্ক্রিয় করুন
+hand_tool_disable_label=হ্যান্ড টুল নিস্ক্রিয় করুন
+
+# Document properties dialog box
+document_properties.title=নথির বৈশিষ্ট্য…
+document_properties_label=নথির বৈশিষ্ট্য…
+document_properties_file_name=ফাইলের নাম:
+document_properties_file_size=ফাইলের মাপ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} মেগাবাইট ({{size_b}} bytes)
+document_properties_title=শিরোনাম:
+document_properties_author=লেখক:
+document_properties_subject=বিষয়:
+document_properties_keywords=নির্দেশক শব্দ:
+document_properties_creation_date=নির্মাণের তারিখ:
+document_properties_modification_date=পরিবর্তনের তারিখ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=নির্মাতা:
+document_properties_producer=PDF নির্মাতা:
+document_properties_version=PDF সংস্করণ:
+document_properties_page_count=মোট পৃষ্ঠা:
+document_properties_close=বন্ধ করুন
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=সাইডবার টগল করুন
+toggle_sidebar_label=সাইডবার টগল করুন
+outline.title=নথির রূপরেখা প্রদর্শন
+outline_label=নথির রূপরেখা প্রদর্শন
+attachments.title=সংযুক্তিসমূহ দেখান
+attachments_label=সংযুক্ত বস্তু
+thumbs.title=থাম্ব-নেইল প্রদর্শন
+thumbs_label=থাম্ব-নেইল প্রদর্শন
+findbar.title=নথিতে খুঁজুন
+findbar_label=অনুসন্ধান করুন
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=পৃষ্ঠা {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=পৃষ্ঠা {{page}}-র থাম্ব-নেইল
+
+# Find panel button title and messages
+find_label=অনুসন্ধান:
+find_previous.title=চিহ্নিত পংক্তির পূর্ববর্তী উপস্থিতি অনুসন্ধান করুন
+find_previous_label=পূর্ববর্তী
+find_next.title=চিহ্নিত পংক্তির পরবর্তী উপস্থিতি অনুসন্ধান করুন
+find_next_label=পরবর্তী
+find_highlight=সমগ্র উজ্জ্বল করুন
+find_match_case_label=হরফের ছাঁদ মেলানো হবে
+find_reached_top=পৃষ্ঠার প্রারম্ভে পৌছে গেছে, নীচের অংশ থেকে আরম্ভ করা হবে
+find_reached_bottom=পৃষ্ঠার অন্তিম প্রান্তে পৌছে গেছে, প্রথম অংশ থেকে আরম্ভ করা হবে
+find_not_found=পংক্তি পাওয়া যায়নি
+
+# Error panel labels
+error_more_info=অতিরিক্ত তথ্য
+error_less_info=কম তথ্য
+error_close=বন্ধ করুন
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Line: {{line}}
+rendering_error=পৃষ্ঠা প্রদর্শনকালে একটি সমস্যা দেখা দিয়েছে।
+
+# Predefined zoom values
+page_scale_width=পৃষ্ঠার প্রস্থ অনুযায়ী
+page_scale_fit=পৃষ্ঠার মাপ অনুযায়ী
+page_scale_auto=স্বয়ংক্রিয় মাপ নির্ধারণ
+page_scale_actual=প্রকৃত মাপ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=ত্রুটি
+loading_error=PDF লোড করার সময় সমস্যা দেখা দিয়েছে।
+invalid_file_error=অবৈধ বা ক্ষতিগ্রস্ত পিডিএফ ফাইল।
+missing_file_error=অনুপস্থিত PDF ফাইল
+unexpected_response_error=সার্ভার থেকে অপ্রত্যাশিত সাড়া পাওয়া গেছে।
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=এই PDF ফাইল খোলার জন্য পাসওয়ার্ড দিন।
+password_invalid=পাসওয়ার্ড সঠিক নয়। অনুগ্রহ করে পুনরায় প্রচেষ্টা করুন।
+password_ok=OK
+password_cancel=বাতিল করুন
+
+printing_not_supported=সতর্কবার্তা: এই ব্রাউজার দ্বারা প্রিন্ট ব্যবস্থা সম্পূর্ণরূপে সমর্থিত নয়।
+printing_not_ready=সতর্কবাণী: পিডিএফ সম্পূর্ণরূপে মুদ্রণের জন্য লোড করা হয় না.
+web_fonts_disabled=ওয়েব ফন্ট নিষ্ক্রিয় করা হয়েছে: এমবেডেড পিডিএফ ফন্ট ব্যবহার করতে অক্ষম.
+document_colors_not_allowed=পিডিএফ নথি তাদের নিজস্ব রং ব্যবহার করার জন্য অনুমতিপ্রাপ্ত নয়: ব্রাউজারে নিষ্ক্রিয় করা হয়েছে য়েন 'পেজ তাদের নিজস্ব রং নির্বাচন করার অনুমতি প্রদান করা য়ায়।'
diff --git a/static/pdf.js/locale/bn/viewer.ftl b/static/pdf.js/locale/bn/viewer.ftl
deleted file mode 100644
index 1e20ecb8..00000000
--- a/static/pdf.js/locale/bn/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = পূর্ববর্তী পাতা
-pdfjs-previous-button-label = পূর্ববর্তী
-pdfjs-next-button =
- .title = পরবর্তী পাতা
-pdfjs-next-button-label = পরবর্তী
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = পাতা
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } এর
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } এর { $pageNumber })
-pdfjs-zoom-out-button =
- .title = ছোট আকারে প্রদর্শন
-pdfjs-zoom-out-button-label = ছোট আকারে প্রদর্শন
-pdfjs-zoom-in-button =
- .title = বড় আকারে প্রদর্শন
-pdfjs-zoom-in-button-label = বড় আকারে প্রদর্শন
-pdfjs-zoom-select =
- .title = বড় আকারে প্রদর্শন
-pdfjs-presentation-mode-button =
- .title = উপস্থাপনা মোডে স্যুইচ করুন
-pdfjs-presentation-mode-button-label = উপস্থাপনা মোড
-pdfjs-open-file-button =
- .title = ফাইল খুলুন
-pdfjs-open-file-button-label = খুলুন
-pdfjs-print-button =
- .title = মুদ্রণ
-pdfjs-print-button-label = মুদ্রণ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = টুল
-pdfjs-tools-button-label = টুল
-pdfjs-first-page-button =
- .title = প্রথম পাতায় যাও
-pdfjs-first-page-button-label = প্রথম পাতায় যাও
-pdfjs-last-page-button =
- .title = শেষ পাতায় যাও
-pdfjs-last-page-button-label = শেষ পাতায় যাও
-pdfjs-page-rotate-cw-button =
- .title = ঘড়ির কাঁটার দিকে ঘোরাও
-pdfjs-page-rotate-cw-button-label = ঘড়ির কাঁটার দিকে ঘোরাও
-pdfjs-page-rotate-ccw-button =
- .title = ঘড়ির কাঁটার বিপরীতে ঘোরাও
-pdfjs-page-rotate-ccw-button-label = ঘড়ির কাঁটার বিপরীতে ঘোরাও
-pdfjs-cursor-text-select-tool-button =
- .title = লেখা নির্বাচক টুল সক্রিয় করুন
-pdfjs-cursor-text-select-tool-button-label = লেখা নির্বাচক টুল
-pdfjs-cursor-hand-tool-button =
- .title = হ্যান্ড টুল সক্রিয় করুন
-pdfjs-cursor-hand-tool-button-label = হ্যান্ড টুল
-pdfjs-scroll-vertical-button =
- .title = উলম্ব স্ক্রলিং ব্যবহার করুন
-pdfjs-scroll-vertical-button-label = উলম্ব স্ক্রলিং
-pdfjs-scroll-horizontal-button =
- .title = অনুভূমিক স্ক্রলিং ব্যবহার করুন
-pdfjs-scroll-horizontal-button-label = অনুভূমিক স্ক্রলিং
-pdfjs-scroll-wrapped-button =
- .title = Wrapped স্ক্রোলিং ব্যবহার করুন
-pdfjs-scroll-wrapped-button-label = Wrapped স্ক্রোলিং
-pdfjs-spread-none-button =
- .title = পেজ স্প্রেডগুলোতে যোগদান করবেন না
-pdfjs-spread-none-button-label = Spreads নেই
-pdfjs-spread-odd-button-label = বিজোড় Spreads
-pdfjs-spread-even-button-label = জোড় Spreads
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = নথি বৈশিষ্ট্য…
-pdfjs-document-properties-button-label = নথি বৈশিষ্ট্য…
-pdfjs-document-properties-file-name = ফাইলের নাম:
-pdfjs-document-properties-file-size = ফাইলের আকার:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } কেবি ({ $size_b } বাইট)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } এমবি ({ $size_b } বাইট)
-pdfjs-document-properties-title = শিরোনাম:
-pdfjs-document-properties-author = লেখক:
-pdfjs-document-properties-subject = বিষয়:
-pdfjs-document-properties-keywords = কীওয়ার্ড:
-pdfjs-document-properties-creation-date = তৈরির তারিখ:
-pdfjs-document-properties-modification-date = পরিবর্তনের তারিখ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = প্রস্তুতকারক:
-pdfjs-document-properties-producer = পিডিএফ প্রস্তুতকারক:
-pdfjs-document-properties-version = পিডিএফ সংষ্করণ:
-pdfjs-document-properties-page-count = মোট পাতা:
-pdfjs-document-properties-page-size = পাতার সাইজ:
-pdfjs-document-properties-page-size-unit-inches = এর মধ্যে
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = উলম্ব
-pdfjs-document-properties-page-size-orientation-landscape = অনুভূমিক
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = লেটার
-pdfjs-document-properties-page-size-name-legal = লীগাল
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = হ্যাঁ
-pdfjs-document-properties-linearized-no = না
-pdfjs-document-properties-close-button = বন্ধ
-
-## Print
-
-pdfjs-print-progress-message = মুদ্রণের জন্য নথি প্রস্তুত করা হচ্ছে…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = বাতিল
-pdfjs-printing-not-supported = সতর্কতা: এই ব্রাউজারে মুদ্রণ সম্পূর্ণভাবে সমর্থিত নয়।
-pdfjs-printing-not-ready = সতর্কীকরণ: পিডিএফটি মুদ্রণের জন্য সম্পূর্ণ লোড হয়নি।
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = সাইডবার টগল করুন
-pdfjs-toggle-sidebar-button-label = সাইডবার টগল করুন
-pdfjs-document-outline-button =
- .title = নথির আউটলাইন দেখাও (সব আইটেম প্রসারিত/সঙ্কুচিত করতে ডবল ক্লিক করুন)
-pdfjs-document-outline-button-label = নথির রূপরেখা
-pdfjs-attachments-button =
- .title = সংযুক্তি দেখাও
-pdfjs-attachments-button-label = সংযুক্তি
-pdfjs-thumbs-button =
- .title = থাম্বনেইল সমূহ প্রদর্শন করুন
-pdfjs-thumbs-button-label = থাম্বনেইল সমূহ
-pdfjs-findbar-button =
- .title = নথির মধ্যে খুঁজুন
-pdfjs-findbar-button-label = খুঁজুন
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = পাতা { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } পাতার থাম্বনেইল
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = খুঁজুন
- .placeholder = নথির মধ্যে খুঁজুন…
-pdfjs-find-previous-button =
- .title = বাক্যাংশের পূর্ববর্তী উপস্থিতি অনুসন্ধান
-pdfjs-find-previous-button-label = পূর্ববর্তী
-pdfjs-find-next-button =
- .title = বাক্যাংশের পরবর্তী উপস্থিতি অনুসন্ধান
-pdfjs-find-next-button-label = পরবর্তী
-pdfjs-find-highlight-checkbox = সব হাইলাইট করুন
-pdfjs-find-match-case-checkbox-label = অক্ষরের ছাঁদ মেলানো
-pdfjs-find-entire-word-checkbox-label = সম্পূর্ণ শব্দ
-pdfjs-find-reached-top = পাতার শুরুতে পৌছে গেছে, নীচ থেকে আরম্ভ করা হয়েছে
-pdfjs-find-reached-bottom = পাতার শেষে পৌছে গেছে, উপর থেকে আরম্ভ করা হয়েছে
-pdfjs-find-not-found = বাক্যাংশ পাওয়া যায়নি
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = পাতার প্রস্থ
-pdfjs-page-scale-fit = পাতা ফিট করুন
-pdfjs-page-scale-auto = স্বয়ংক্রিয় জুম
-pdfjs-page-scale-actual = প্রকৃত আকার
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = পিডিএফ লোড করার সময় ত্রুটি দেখা দিয়েছে।
-pdfjs-invalid-file-error = অকার্যকর অথবা ক্ষতিগ্রস্ত পিডিএফ ফাইল।
-pdfjs-missing-file-error = নিখোঁজ PDF ফাইল।
-pdfjs-unexpected-response-error = অপ্রত্যাশীত সার্ভার প্রতিক্রিয়া।
-pdfjs-rendering-error = পাতা উপস্থাপনার সময় ত্রুটি দেখা দিয়েছে।
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } টীকা]
-
-## Password
-
-pdfjs-password-label = পিডিএফ ফাইলটি ওপেন করতে পাসওয়ার্ড দিন।
-pdfjs-password-invalid = ভুল পাসওয়ার্ড। অনুগ্রহ করে আবার চেষ্টা করুন।
-pdfjs-password-ok-button = ঠিক আছে
-pdfjs-password-cancel-button = বাতিল
-pdfjs-web-fonts-disabled = ওয়েব ফন্ট নিষ্ক্রিয়: সংযুক্ত পিডিএফ ফন্ট ব্যবহার করা যাচ্ছে না।
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/bo/viewer.ftl b/static/pdf.js/locale/bo/viewer.ftl
deleted file mode 100644
index 824eab4f..00000000
--- a/static/pdf.js/locale/bo/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = དྲ་ངོས་སྔོན་མ
-pdfjs-previous-button-label = སྔོན་མ
-pdfjs-next-button =
- .title = དྲ་ངོས་རྗེས་མ
-pdfjs-next-button-label = རྗེས་མ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ཤོག་ངོས
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = of { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom Out
-pdfjs-zoom-out-button-label = Zoom Out
-pdfjs-zoom-in-button =
- .title = Zoom In
-pdfjs-zoom-in-button-label = Zoom In
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Switch to Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Open File
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Print
-pdfjs-print-button-label = Print
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Go to First Page
-pdfjs-first-page-button-label = Go to First Page
-pdfjs-last-page-button =
- .title = Go to Last Page
-pdfjs-last-page-button-label = Go to Last Page
-pdfjs-page-rotate-cw-button =
- .title = Rotate Clockwise
-pdfjs-page-rotate-cw-button-label = Rotate Clockwise
-pdfjs-page-rotate-ccw-button =
- .title = Rotate Counterclockwise
-pdfjs-page-rotate-ccw-button-label = Rotate Counterclockwise
-pdfjs-cursor-text-select-tool-button =
- .title = Enable Text Selection Tool
-pdfjs-cursor-text-select-tool-button-label = Text Selection Tool
-pdfjs-cursor-hand-tool-button =
- .title = Enable Hand Tool
-pdfjs-cursor-hand-tool-button-label = Hand Tool
-pdfjs-scroll-vertical-button =
- .title = Use Vertical Scrolling
-pdfjs-scroll-vertical-button-label = Vertical Scrolling
-pdfjs-scroll-horizontal-button =
- .title = Use Horizontal Scrolling
-pdfjs-scroll-horizontal-button-label = Horizontal Scrolling
-pdfjs-scroll-wrapped-button =
- .title = Use Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = Do not join page spreads
-pdfjs-spread-none-button-label = No Spreads
-pdfjs-spread-odd-button =
- .title = Join page spreads starting with odd-numbered pages
-pdfjs-spread-odd-button-label = Odd Spreads
-pdfjs-spread-even-button =
- .title = Join page spreads starting with even-numbered pages
-pdfjs-spread-even-button-label = Even Spreads
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Document Properties…
-pdfjs-document-properties-button-label = Document Properties…
-pdfjs-document-properties-file-name = File name:
-pdfjs-document-properties-file-size = File size:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Title:
-pdfjs-document-properties-author = Author:
-pdfjs-document-properties-subject = Subject:
-pdfjs-document-properties-keywords = Keywords:
-pdfjs-document-properties-creation-date = Creation Date:
-pdfjs-document-properties-modification-date = Modification Date:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creator:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Page Count:
-pdfjs-document-properties-page-size = Page Size:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = landscape
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Yes
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Close
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancel
-pdfjs-printing-not-supported = Warning: Printing is not fully supported by this browser.
-pdfjs-printing-not-ready = Warning: The PDF is not fully loaded for printing.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggle Sidebar
-pdfjs-toggle-sidebar-button-label = Toggle Sidebar
-pdfjs-document-outline-button =
- .title = Show Document Outline (double-click to expand/collapse all items)
-pdfjs-document-outline-button-label = Document Outline
-pdfjs-attachments-button =
- .title = Show Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-thumbs-button =
- .title = Show Thumbnails
-pdfjs-thumbs-button-label = Thumbnails
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = Find
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail of Page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find in document…
-pdfjs-find-previous-button =
- .title = Find the previous occurrence of the phrase
-pdfjs-find-previous-button-label = Previous
-pdfjs-find-next-button =
- .title = Find the next occurrence of the phrase
-pdfjs-find-next-button-label = Next
-pdfjs-find-highlight-checkbox = Highlight all
-pdfjs-find-match-case-checkbox-label = Match case
-pdfjs-find-entire-word-checkbox-label = Whole words
-pdfjs-find-reached-top = Reached top of document, continued from bottom
-pdfjs-find-reached-bottom = Reached end of document, continued from top
-pdfjs-find-not-found = Phrase not found
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Page Width
-pdfjs-page-scale-fit = Page Fit
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Actual Size
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = An error occurred while loading the PDF.
-pdfjs-invalid-file-error = Invalid or corrupted PDF file.
-pdfjs-missing-file-error = Missing PDF file.
-pdfjs-unexpected-response-error = Unexpected server response.
-pdfjs-rendering-error = An error occurred while rendering the page.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Enter the password to open this PDF file.
-pdfjs-password-invalid = Invalid password. Please try again.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancel
-pdfjs-web-fonts-disabled = Web fonts are disabled: unable to use embedded PDF fonts.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/br/viewer.ftl b/static/pdf.js/locale/br/viewer.ftl
deleted file mode 100644
index 471b9a5d..00000000
--- a/static/pdf.js/locale/br/viewer.ftl
+++ /dev/null
@@ -1,312 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pajenn a-raok
-pdfjs-previous-button-label = A-raok
-pdfjs-next-button =
- .title = Pajenn war-lerc'h
-pdfjs-next-button-label = War-lerc'h
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pajenn
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = eus { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } war { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoum bihanaat
-pdfjs-zoom-out-button-label = Zoum bihanaat
-pdfjs-zoom-in-button =
- .title = Zoum brasaat
-pdfjs-zoom-in-button-label = Zoum brasaat
-pdfjs-zoom-select =
- .title = Zoum
-pdfjs-presentation-mode-button =
- .title = Trec'haoliñ etrezek ar mod kinnigadenn
-pdfjs-presentation-mode-button-label = Mod kinnigadenn
-pdfjs-open-file-button =
- .title = Digeriñ ur restr
-pdfjs-open-file-button-label = Digeriñ ur restr
-pdfjs-print-button =
- .title = Moullañ
-pdfjs-print-button-label = Moullañ
-pdfjs-save-button =
- .title = Enrollañ
-pdfjs-save-button-label = Enrollañ
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Pellgargañ
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Pellgargañ
-pdfjs-bookmark-button-label = Pajenn a-vremañ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ostilhoù
-pdfjs-tools-button-label = Ostilhoù
-pdfjs-first-page-button =
- .title = Mont d'ar bajenn gentañ
-pdfjs-first-page-button-label = Mont d'ar bajenn gentañ
-pdfjs-last-page-button =
- .title = Mont d'ar bajenn diwezhañ
-pdfjs-last-page-button-label = Mont d'ar bajenn diwezhañ
-pdfjs-page-rotate-cw-button =
- .title = C'hwelañ gant roud ar bizied
-pdfjs-page-rotate-cw-button-label = C'hwelañ gant roud ar bizied
-pdfjs-page-rotate-ccw-button =
- .title = C'hwelañ gant roud gin ar bizied
-pdfjs-page-rotate-ccw-button-label = C'hwelañ gant roud gin ar bizied
-pdfjs-cursor-text-select-tool-button =
- .title = Gweredekaat an ostilh diuzañ testenn
-pdfjs-cursor-text-select-tool-button-label = Ostilh diuzañ testenn
-pdfjs-cursor-hand-tool-button =
- .title = Gweredekaat an ostilh dorn
-pdfjs-cursor-hand-tool-button-label = Ostilh dorn
-pdfjs-scroll-vertical-button =
- .title = Arverañ an dibunañ a-blom
-pdfjs-scroll-vertical-button-label = Dibunañ a-serzh
-pdfjs-scroll-horizontal-button =
- .title = Arverañ an dibunañ a-blaen
-pdfjs-scroll-horizontal-button-label = Dibunañ a-blaen
-pdfjs-scroll-wrapped-button =
- .title = Arverañ an dibunañ paket
-pdfjs-scroll-wrapped-button-label = Dibunañ paket
-pdfjs-spread-none-button =
- .title = Chom hep stagañ ar skignadurioù
-pdfjs-spread-none-button-label = Skignadenn ebet
-pdfjs-spread-odd-button =
- .title = Lakaat ar pajennadoù en ur gregiñ gant ar pajennoù ampar
-pdfjs-spread-odd-button-label = Pajennoù ampar
-pdfjs-spread-even-button =
- .title = Lakaat ar pajennadoù en ur gregiñ gant ar pajennoù par
-pdfjs-spread-even-button-label = Pajennoù par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Perzhioù an teul…
-pdfjs-document-properties-button-label = Perzhioù an teul…
-pdfjs-document-properties-file-name = Anv restr:
-pdfjs-document-properties-file-size = Ment ar restr:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } Ke ({ $size_b } eizhbit)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } Me ({ $size_b } eizhbit)
-pdfjs-document-properties-title = Titl:
-pdfjs-document-properties-author = Aozer:
-pdfjs-document-properties-subject = Danvez:
-pdfjs-document-properties-keywords = Gerioù-alc'hwez:
-pdfjs-document-properties-creation-date = Deiziad krouiñ:
-pdfjs-document-properties-modification-date = Deiziad kemmañ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Krouer:
-pdfjs-document-properties-producer = Kenderc'her PDF:
-pdfjs-document-properties-version = Handelv PDF:
-pdfjs-document-properties-page-count = Niver a bajennoù:
-pdfjs-document-properties-page-size = Ment ar bajenn:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = poltred
-pdfjs-document-properties-page-size-orientation-landscape = gweledva
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Lizher
-pdfjs-document-properties-page-size-name-legal = Lezennel
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Gwel Web Herrek:
-pdfjs-document-properties-linearized-yes = Ya
-pdfjs-document-properties-linearized-no = Ket
-pdfjs-document-properties-close-button = Serriñ
-
-## Print
-
-pdfjs-print-progress-message = O prientiñ an teul evit moullañ...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Nullañ
-pdfjs-printing-not-supported = Kemenn: N'eo ket skoret penn-da-benn ar moullañ gant ar merdeer-mañ.
-pdfjs-printing-not-ready = Kemenn: N'hall ket bezañ moullet ar restr PDF rak n'eo ket karget penn-da-benn.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Diskouez/kuzhat ar varrenn gostez
-pdfjs-toggle-sidebar-notification-button =
- .title = Trec'haoliñ ar varrenn-gostez (ur steuñv pe stagadennoù a zo en teul)
-pdfjs-toggle-sidebar-button-label = Diskouez/kuzhat ar varrenn gostez
-pdfjs-document-outline-button =
- .title = Diskouez steuñv an teul (daouglikit evit brasaat/bihanaat an holl elfennoù)
-pdfjs-document-outline-button-label = Sinedoù an teuliad
-pdfjs-attachments-button =
- .title = Diskouez ar c'henstagadurioù
-pdfjs-attachments-button-label = Kenstagadurioù
-pdfjs-layers-button =
- .title = Diskouez ar gwiskadoù (daou-glikañ evit adderaouekaat an holl gwiskadoù d'o stad dre ziouer)
-pdfjs-layers-button-label = Gwiskadoù
-pdfjs-thumbs-button =
- .title = Diskouez ar melvennoù
-pdfjs-thumbs-button-label = Melvennoù
-pdfjs-findbar-button =
- .title = Klask e-barzh an teuliad
-pdfjs-findbar-button-label = Klask
-pdfjs-additional-layers = Gwiskadoù ouzhpenn
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pajenn { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Melvenn ar bajenn { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Klask
- .placeholder = Klask e-barzh an teuliad
-pdfjs-find-previous-button =
- .title = Kavout an tamm frazenn kent o klotañ ganti
-pdfjs-find-previous-button-label = Kent
-pdfjs-find-next-button =
- .title = Kavout an tamm frazenn war-lerc'h o klotañ ganti
-pdfjs-find-next-button-label = War-lerc'h
-pdfjs-find-highlight-checkbox = Usskediñ pep tra
-pdfjs-find-match-case-checkbox-label = Teurel evezh ouzh ar pennlizherennoù
-pdfjs-find-match-diacritics-checkbox-label = Doujañ d’an tiredoù
-pdfjs-find-entire-word-checkbox-label = Gerioù a-bezh
-pdfjs-find-reached-top = Tizhet eo bet derou ar bajenn, kenderc'hel diouzh an diaz
-pdfjs-find-reached-bottom = Tizhet eo bet dibenn ar bajenn, kenderc'hel diouzh ar c'hrec'h
-pdfjs-find-not-found = N'haller ket kavout ar frazenn
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Led ar bajenn
-pdfjs-page-scale-fit = Pajenn a-bezh
-pdfjs-page-scale-auto = Zoum emgefreek
-pdfjs-page-scale-actual = Ment wir
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pajenn { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Degouezhet ez eus bet ur fazi e-pad kargañ ar PDF.
-pdfjs-invalid-file-error = Restr PDF didalvoudek pe kontronet.
-pdfjs-missing-file-error = Restr PDF o vankout.
-pdfjs-unexpected-response-error = Respont dic'hortoz a-berzh an dafariad
-pdfjs-rendering-error = Degouezhet ez eus bet ur fazi e-pad skrammañ ar bajennad.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Notennañ]
-
-## Password
-
-pdfjs-password-label = Enankit ar ger-tremen evit digeriñ ar restr PDF-mañ.
-pdfjs-password-invalid = Ger-tremen didalvoudek. Klaskit en-dro mar plij.
-pdfjs-password-ok-button = Mat eo
-pdfjs-password-cancel-button = Nullañ
-pdfjs-web-fonts-disabled = Diweredekaet eo an nodrezhoù web: n'haller ket arverañ an nodrezhoù PDF enframmet.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Testenn
-pdfjs-editor-free-text-button-label = Testenn
-pdfjs-editor-ink-button =
- .title = Tresañ
-pdfjs-editor-ink-button-label = Tresañ
-pdfjs-editor-stamp-button =
- .title = Ouzhpennañ pe aozañ skeudennoù
-pdfjs-editor-stamp-button-label = Ouzhpennañ pe aozañ skeudennoù
-
-## Remove button for the various kind of editor.
-
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Liv
-pdfjs-editor-free-text-size-input = Ment
-pdfjs-editor-ink-color-input = Liv
-pdfjs-editor-ink-thickness-input = Tevder
-pdfjs-editor-ink-opacity-input = Boullder
-pdfjs-editor-stamp-add-image-button =
- .title = Ouzhpennañ ur skeudenn
-pdfjs-editor-stamp-add-image-button-label = Ouzhpennañ ur skeudenn
-pdfjs-free-text =
- .aria-label = Aozer testennoù
-pdfjs-ink =
- .aria-label = Aozer tresoù
-pdfjs-ink-canvas =
- .aria-label = Skeudenn bet krouet gant an implijer·ez
-
-## Alt-text dialog
-
-pdfjs-editor-alt-text-add-description-label = Ouzhpennañ un deskrivadur
-pdfjs-editor-alt-text-cancel-button = Nullañ
-pdfjs-editor-alt-text-save-button = Enrollañ
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-
-## Color picker
-
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
diff --git a/static/pdf.js/locale/br/viewer.properties b/static/pdf.js/locale/br/viewer.properties
new file mode 100644
index 00000000..f9672277
--- /dev/null
+++ b/static/pdf.js/locale/br/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pajenn a-raok
+previous_label=A-raok
+next.title=Pajenn war-lerc'h
+next_label=War-lerc'h
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pajenn :
+page_of=eus {{pageCount}}
+
+zoom_out.title=Zoum bihanaat
+zoom_out_label=Zoum bihanaat
+zoom_in.title=Zoum brasaat
+zoom_in_label=Zoum brasaat
+zoom.title=Zoum
+presentation_mode.title=Trec'haoliñ etrezek ar mod kinnigadenn
+presentation_mode_label=Mod kinnigadenn
+open_file.title=Digeriñ ur restr
+open_file_label=Digeriñ ur restr
+print.title=Moullañ
+print_label=Moullañ
+download.title=Pellgargañ
+download_label=Pellgargañ
+bookmark.title=Gwel bremanel (eilañ pe zigeriñ e-barzh ur prenestr nevez)
+bookmark_label=Gwel bremanel
+
+# Secondary toolbar and context menu
+tools.title=Ostilhoù
+tools_label=Ostilhoù
+first_page.title=Mont d'ar bajenn gentañ
+first_page.label=Mont d'ar bajenn gentañ
+first_page_label=Mont d'ar bajenn gentañ
+last_page.title=Mont d'ar bajenn diwezhañ
+last_page.label=Mont d'ar bajenn diwezhañ
+last_page_label=Mont d'ar bajenn diwezhañ
+page_rotate_cw.title=C'hwelañ gant roud ar bizied
+page_rotate_cw.label=C'hwelañ gant roud ar bizied
+page_rotate_cw_label=C'hwelañ gant roud ar bizied
+page_rotate_ccw.title=C'hwelañ gant roud gin ar bizied
+page_rotate_ccw.label=C'hwelañ gant roud gin ar bizied
+page_rotate_ccw_label=C'hwelañ gant roud gin ar bizied
+
+hand_tool_enable.title=Gweredekaat an ostilh "dorn"
+hand_tool_enable_label=Gweredekaat an ostilh "dorn"
+hand_tool_disable.title=Diweredekaat an ostilh "dorn"
+hand_tool_disable_label=Diweredekaat an ostilh "dorn"
+
+# Document properties dialog box
+document_properties.title=Perzhioù an teul…
+document_properties_label=Perzhioù an teul…
+document_properties_file_name=Anv restr :
+document_properties_file_size=Ment ar restr :
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} Ke ({{size_b}} eizhbit)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} Me ({{size_b}} eizhbit)
+document_properties_title=Titl :
+document_properties_author=Aozer :
+document_properties_subject=Danvez :
+document_properties_keywords=Gerioù-alc'hwez :
+document_properties_creation_date=Deiziad krouiñ :
+document_properties_modification_date=Deiziad kemmañ :
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Krouer :
+document_properties_producer=Kenderc'her PDF :
+document_properties_version=Handelv PDF :
+document_properties_page_count=Niver a bajennoù :
+document_properties_close=Serriñ
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Diskouez/kuzhat ar varrenn gostez
+toggle_sidebar_label=Diskouez/kuzhat ar varrenn gostez
+outline.title=Diskouez ar sinedoù
+outline_label=Sinedoù an teuliad
+attachments.title=Diskouez ar c'henstagadurioù
+attachments_label=Kenstagadurioù
+thumbs.title=Diskouez ar melvennoù
+thumbs_label=Melvennoù
+findbar.title=Klask e-barzh an teuliad
+findbar_label=Klask
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pajenn {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Melvenn ar bajenn {{page}}
+
+# Find panel button title and messages
+find_label=Kavout :
+find_previous.title=Kavout an tamm frazenn kent o klotañ ganti
+find_previous_label=Kent
+find_next.title=Kavout an tamm frazenn war-lerc'h o klotañ ganti
+find_next_label=War-lerc'h
+find_highlight=Usskediñ pep tra
+find_match_case_label=Teurel evezh ouzh ar pennlizherennoù
+find_reached_top=Tizhet eo bet derou ar bajenn, kenderc'hel diouzh an diaz
+find_reached_bottom=Tizhet eo bet dibenn ar bajenn, kenderc'hel diouzh ar c'hrec'h
+find_not_found=N'haller ket kavout ar frazenn
+
+# Error panel labels
+error_more_info=Muioc'h a ditouroù
+error_less_info=Nebeutoc'h a ditouroù
+error_close=Serriñ
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js handelv {{version}} (kempunadur : {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Kemennadenn : {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Torn : {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Restr : {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linenn : {{line}}
+rendering_error=Degouezhet ez eus bet ur fazi e-pad skrammañ ar bajennad.
+
+# Predefined zoom values
+page_scale_width=Led ar bajenn
+page_scale_fit=Pajenn a-bezh
+page_scale_auto=Zoum emgefreek
+page_scale_actual=Ment wir
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fazi
+loading_error=Degouezhet ez eus bet ur fazi e-pad kargañ ar PDF.
+invalid_file_error=Restr PDF didalvoudek pe kontronet.
+missing_file_error=Restr PDF o vankout.
+unexpected_response_error=Respont dic'hortoz a-berzh an dafariad
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Notennañ]
+password_label=Enankit ar ger-tremen evit digeriñ ar restr PDF-mañ.
+password_invalid=Ger-tremen didalvoudek. Klaskit en-dro mar plij.
+password_ok=Mat eo
+password_cancel=Nullañ
+
+printing_not_supported=Kemenn : N'eo ket skoret penn-da-benn ar moullañ gant ar merdeer-mañ.
+printing_not_ready=Kemenn : N'hall ket bezañ moullet ar restr PDF rak n'eo ket karget penn-da-benn.
+web_fonts_disabled=Diweredekaet eo an nodrezhoù web : n'haller ket arverañ an nodrezhoù PDF enframmet.
+document_colors_not_allowed=N'eo ket aotreet an teuliadoù PDF da arverañ o livioù dezho : diweredekaet eo 'Aotren ar pajennoù da zibab o livioù dezho' e-barzh ar merdeer.
diff --git a/static/pdf.js/locale/brx/viewer.ftl b/static/pdf.js/locale/brx/viewer.ftl
deleted file mode 100644
index 53ff72c5..00000000
--- a/static/pdf.js/locale/brx/viewer.ftl
+++ /dev/null
@@ -1,218 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = आगोलनि बिलाइ
-pdfjs-previous-button-label = आगोलनि
-pdfjs-next-button =
- .title = उननि बिलाइ
-pdfjs-next-button-label = उननि
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = बिलाइ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } नि
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } नि { $pageNumber })
-pdfjs-zoom-out-button =
- .title = फिसायै जुम खालाम
-pdfjs-zoom-out-button-label = फिसायै जुम खालाम
-pdfjs-zoom-in-button =
- .title = गेदेरै जुम खालाम
-pdfjs-zoom-in-button-label = गेदेरै जुम खालाम
-pdfjs-zoom-select =
- .title = जुम खालाम
-pdfjs-presentation-mode-button =
- .title = दिन्थिफुंनाय म'डआव थां
-pdfjs-presentation-mode-button-label = दिन्थिफुंनाय म'ड
-pdfjs-open-file-button =
- .title = फाइलखौ खेव
-pdfjs-open-file-button-label = खेव
-pdfjs-print-button =
- .title = साफाय
-pdfjs-print-button-label = साफाय
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = टुल
-pdfjs-tools-button-label = टुल
-pdfjs-first-page-button =
- .title = गिबि बिलाइआव थां
-pdfjs-first-page-button-label = गिबि बिलाइआव थां
-pdfjs-last-page-button =
- .title = जोबथा बिलाइआव थां
-pdfjs-last-page-button-label = जोबथा बिलाइआव थां
-pdfjs-page-rotate-cw-button =
- .title = घरि गिदिंनाय फार्से फिदिं
-pdfjs-page-rotate-cw-button-label = घरि गिदिंनाय फार्से फिदिं
-pdfjs-page-rotate-ccw-button =
- .title = घरि गिदिंनाय उल्था फार्से फिदिं
-pdfjs-page-rotate-ccw-button-label = घरि गिदिंनाय उल्था फार्से फिदिं
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = फोरमान बिलाइनि आखुथाय...
-pdfjs-document-properties-button-label = फोरमान बिलाइनि आखुथाय...
-pdfjs-document-properties-file-name = फाइलनि मुं:
-pdfjs-document-properties-file-size = फाइलनि महर:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } बाइट)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } बाइट)
-pdfjs-document-properties-title = बिमुं:
-pdfjs-document-properties-author = लिरगिरि:
-pdfjs-document-properties-subject = आयदा:
-pdfjs-document-properties-keywords = गाहाय सोदोब:
-pdfjs-document-properties-creation-date = सोरजिनाय अक्ट':
-pdfjs-document-properties-modification-date = सुद्रायनाय अक्ट':
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = सोरजिग्रा:
-pdfjs-document-properties-producer = PDF दिहुनग्रा:
-pdfjs-document-properties-version = PDF बिसान:
-pdfjs-document-properties-page-count = बिलाइनि हिसाब:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = प'र्ट्रेट
-pdfjs-document-properties-page-size-orientation-landscape = लेण्डस्केप
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = लायजाम
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = नंगौ
-pdfjs-document-properties-linearized-no = नङा
-pdfjs-document-properties-close-button = बन्द खालाम
-
-## Print
-
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = नेवसि
-pdfjs-printing-not-supported = सांग्रांथि: साफायनाया बे ब्राउजारजों आबुङै हेफाजाब होजाया।
-pdfjs-printing-not-ready = सांग्रांथि: PDF खौ साफायनायनि थाखाय फुरायै ल'ड खालामाखै।
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = टग्गल साइडबार
-pdfjs-toggle-sidebar-button-label = टग्गल साइडबार
-pdfjs-document-outline-button-label = फोरमान बिलाइ सिमा हांखो
-pdfjs-attachments-button =
- .title = नांजाब होनायखौ दिन्थि
-pdfjs-attachments-button-label = नांजाब होनाय
-pdfjs-thumbs-button =
- .title = थामनेइलखौ दिन्थि
-pdfjs-thumbs-button-label = थामनेइल
-pdfjs-findbar-button =
- .title = फोरमान बिलाइआव नागिरना दिहुन
-pdfjs-findbar-button-label = नायगिरना दिहुन
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = बिलाइ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = बिलाइ { $page } नि थामनेइल
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = नायगिरना दिहुन
- .placeholder = फोरमान बिलाइआव नागिरना दिहुन...
-pdfjs-find-previous-button =
- .title = बाथ्रा खोन्दोबनि सिगांनि नुजाथिनायखौ नागिर
-pdfjs-find-previous-button-label = आगोलनि
-pdfjs-find-next-button =
- .title = बाथ्रा खोन्दोबनि उननि नुजाथिनायखौ नागिर
-pdfjs-find-next-button-label = उननि
-pdfjs-find-highlight-checkbox = गासैखौबो हाइलाइट खालाम
-pdfjs-find-match-case-checkbox-label = गोरोबनाय केस
-pdfjs-find-reached-top = थालो निफ्राय जागायनानै फोरमान बिलाइनि बिजौआव सौहैबाय
-pdfjs-find-reached-bottom = बिजौ निफ्राय जागायनानै फोरमान बिलाइनि बिजौआव सौहैबाय
-pdfjs-find-not-found = बाथ्रा खोन्दोब मोनाखै
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = बिलाइनि गुवार
-pdfjs-page-scale-fit = बिलाइ गोरोबनाय
-pdfjs-page-scale-auto = गावनोगाव जुम
-pdfjs-page-scale-actual = थार महर
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ल'ड खालामनाय समाव मोनसे गोरोन्थि जाबाय।
-pdfjs-invalid-file-error = बाहायजायै एबा गाज्रि जानाय PDF फाइल
-pdfjs-missing-file-error = गोमानाय PDF फाइल
-pdfjs-unexpected-response-error = मिजिंथियै सार्भार फिननाय।
-pdfjs-rendering-error = बिलाइखौ राव सोलायनाय समाव मोनसे गोरोन्थि जादों।
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } सोदोब बेखेवनाय]
-
-## Password
-
-pdfjs-password-label = बे PDF फाइलखौ खेवनो पासवार्ड हाबहो।
-pdfjs-password-invalid = बाहायजायै पासवार्ड। अननानै फिन नाजा।
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = नेवसि
-pdfjs-web-fonts-disabled = वेब फन्टखौ लोरबां खालामबाय: अरजाबहोनाय PDF फन्टखौ बाहायनो हायाखै।
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/bs/viewer.ftl b/static/pdf.js/locale/bs/viewer.ftl
deleted file mode 100644
index 39440424..00000000
--- a/static/pdf.js/locale/bs/viewer.ftl
+++ /dev/null
@@ -1,223 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Prethodna strana
-pdfjs-previous-button-label = Prethodna
-pdfjs-next-button =
- .title = Sljedeća strna
-pdfjs-next-button-label = Sljedeća
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Strana
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = od { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } od { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Umanji
-pdfjs-zoom-out-button-label = Umanji
-pdfjs-zoom-in-button =
- .title = Uvećaj
-pdfjs-zoom-in-button-label = Uvećaj
-pdfjs-zoom-select =
- .title = Uvećanje
-pdfjs-presentation-mode-button =
- .title = Prebaci se u prezentacijski režim
-pdfjs-presentation-mode-button-label = Prezentacijski režim
-pdfjs-open-file-button =
- .title = Otvori fajl
-pdfjs-open-file-button-label = Otvori
-pdfjs-print-button =
- .title = Štampaj
-pdfjs-print-button-label = Štampaj
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Alati
-pdfjs-tools-button-label = Alati
-pdfjs-first-page-button =
- .title = Idi na prvu stranu
-pdfjs-first-page-button-label = Idi na prvu stranu
-pdfjs-last-page-button =
- .title = Idi na zadnju stranu
-pdfjs-last-page-button-label = Idi na zadnju stranu
-pdfjs-page-rotate-cw-button =
- .title = Rotiraj u smjeru kazaljke na satu
-pdfjs-page-rotate-cw-button-label = Rotiraj u smjeru kazaljke na satu
-pdfjs-page-rotate-ccw-button =
- .title = Rotiraj suprotno smjeru kazaljke na satu
-pdfjs-page-rotate-ccw-button-label = Rotiraj suprotno smjeru kazaljke na satu
-pdfjs-cursor-text-select-tool-button =
- .title = Omogući alat za označavanje teksta
-pdfjs-cursor-text-select-tool-button-label = Alat za označavanje teksta
-pdfjs-cursor-hand-tool-button =
- .title = Omogući ručni alat
-pdfjs-cursor-hand-tool-button-label = Ručni alat
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Svojstva dokumenta...
-pdfjs-document-properties-button-label = Svojstva dokumenta...
-pdfjs-document-properties-file-name = Naziv fajla:
-pdfjs-document-properties-file-size = Veličina fajla:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajta)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajta)
-pdfjs-document-properties-title = Naslov:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Predmet:
-pdfjs-document-properties-keywords = Ključne riječi:
-pdfjs-document-properties-creation-date = Datum kreiranja:
-pdfjs-document-properties-modification-date = Datum promjene:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Kreator:
-pdfjs-document-properties-producer = PDF stvaratelj:
-pdfjs-document-properties-version = PDF verzija:
-pdfjs-document-properties-page-count = Broj stranica:
-pdfjs-document-properties-page-size = Veličina stranice:
-pdfjs-document-properties-page-size-unit-inches = u
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = uspravno
-pdfjs-document-properties-page-size-orientation-landscape = vodoravno
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Pismo
-pdfjs-document-properties-page-size-name-legal = Pravni
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-close-button = Zatvori
-
-## Print
-
-pdfjs-print-progress-message = Pripremam dokument za štampu…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Otkaži
-pdfjs-printing-not-supported = Upozorenje: Štampanje nije u potpunosti podržano u ovom browseru.
-pdfjs-printing-not-ready = Upozorenje: PDF nije u potpunosti učitan za štampanje.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Uključi/isključi bočnu traku
-pdfjs-toggle-sidebar-button-label = Uključi/isključi bočnu traku
-pdfjs-document-outline-button =
- .title = Prikaži outline dokumenta (dvoklik za skupljanje/širenje svih stavki)
-pdfjs-document-outline-button-label = Konture dokumenta
-pdfjs-attachments-button =
- .title = Prikaži priloge
-pdfjs-attachments-button-label = Prilozi
-pdfjs-thumbs-button =
- .title = Prikaži thumbnailove
-pdfjs-thumbs-button-label = Thumbnailovi
-pdfjs-findbar-button =
- .title = Pronađi u dokumentu
-pdfjs-findbar-button-label = Pronađi
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Strana { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail strane { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Pronađi
- .placeholder = Pronađi u dokumentu…
-pdfjs-find-previous-button =
- .title = Pronađi prethodno pojavljivanje fraze
-pdfjs-find-previous-button-label = Prethodno
-pdfjs-find-next-button =
- .title = Pronađi sljedeće pojavljivanje fraze
-pdfjs-find-next-button-label = Sljedeće
-pdfjs-find-highlight-checkbox = Označi sve
-pdfjs-find-match-case-checkbox-label = Osjetljivost na karaktere
-pdfjs-find-reached-top = Dostigao sam vrh dokumenta, nastavljam sa dna
-pdfjs-find-reached-bottom = Dostigao sam kraj dokumenta, nastavljam sa vrha
-pdfjs-find-not-found = Fraza nije pronađena
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Širina strane
-pdfjs-page-scale-fit = Uklopi stranu
-pdfjs-page-scale-auto = Automatsko uvećanje
-pdfjs-page-scale-actual = Stvarna veličina
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Došlo je do greške prilikom učitavanja PDF-a.
-pdfjs-invalid-file-error = Neispravan ili oštećen PDF fajl.
-pdfjs-missing-file-error = Nedostaje PDF fajl.
-pdfjs-unexpected-response-error = Neočekivani odgovor servera.
-pdfjs-rendering-error = Došlo je do greške prilikom renderiranja strane.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } pribilješka]
-
-## Password
-
-pdfjs-password-label = Upišite lozinku da biste otvorili ovaj PDF fajl.
-pdfjs-password-invalid = Pogrešna lozinka. Pokušajte ponovo.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Otkaži
-pdfjs-web-fonts-disabled = Web fontovi su onemogućeni: nemoguće koristiti ubačene PDF fontove.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/bs/viewer.properties b/static/pdf.js/locale/bs/viewer.properties
new file mode 100644
index 00000000..ccc8bec8
--- /dev/null
+++ b/static/pdf.js/locale/bs/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Prethodna strana
+previous_label=Prethodna
+next.title=Sljedeća strna
+next_label=Sljedeća
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Strana:
+page_of=od {{pageCount}}
+
+zoom_out.title=Umanji
+zoom_out_label=Umanji
+zoom_in.title=Uvećaj
+zoom_in_label=Uvećaj
+zoom.title=Uvećanje
+presentation_mode.title=Prebaci se u prezentacijski režim
+presentation_mode_label=Prezentacijski režim
+open_file.title=Otvori fajl
+open_file_label=Otvori
+print.title=Štampaj
+print_label=Štampaj
+download.title=Preuzmi
+download_label=Preuzmi
+bookmark.title=Trenutni prikaz (kopiraj ili otvori u novom prozoru)
+bookmark_label=Trenutni prikaz
+
+# Secondary toolbar and context menu
+tools.title=Alati
+tools_label=Alati
+first_page.title=Idi na prvu stranu
+first_page.label=Idi na prvu stranu
+first_page_label=Idi na prvu stranu
+last_page.title=Idi na zadnju stranu
+last_page.label=Idi na zadnju stranu
+last_page_label=Idi na zadnju stranu
+page_rotate_cw.title=Rotiraj u smjeru kazaljke na satu
+page_rotate_cw.label=Rotiraj u smjeru kazaljke na satu
+page_rotate_cw_label=Rotiraj u smjeru kazaljke na satu
+page_rotate_ccw.title=Rotiraj suprotno smjeru kazaljke na satu
+page_rotate_ccw.label=Rotiraj suprotno smjeru kazaljke na satu
+page_rotate_ccw_label=Rotiraj suprotno smjeru kazaljke na satu
+
+hand_tool_enable.title=Omogući ručni alat
+hand_tool_enable_label=Omogući ručni alat
+hand_tool_disable.title=Onemogući ručni alat
+hand_tool_disable_label=Onemogući ručni alat
+
+# Document properties dialog box
+document_properties.title=Svojstva dokumenta...
+document_properties_label=Svojstva dokumenta...
+document_properties_file_name=Naziv fajla:
+document_properties_file_size=Veličina fajla:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bajta)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bajta)
+document_properties_title=Naslov:
+document_properties_author=Autor:
+document_properties_subject=Predmet:
+document_properties_keywords=Ključne riječi:
+document_properties_creation_date=Datum kreiranja:
+document_properties_modification_date=Datum promjene:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Kreator:
+document_properties_producer=PDF stvaratelj:
+document_properties_version=PDF verzija:
+document_properties_page_count=Broj stranica:
+document_properties_close=Zatvori
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Uključi/isključi bočnu traku
+toggle_sidebar_label=Uključi/isključi bočnu traku
+outline.title=Prikaži konture dokumenta
+outline_label=Konture dokumenta
+attachments.title=Prikaži priloge
+attachments_label=Prilozi
+thumbs.title=Prikaži thumbnailove
+thumbs_label=Thumbnailovi
+findbar.title=Pronađi u dokumentu
+findbar_label=Pronađi
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Strana {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail strane {{page}}
+
+# Find panel button title and messages
+find_label=Pronađi:
+find_previous.title=Pronađi prethodno pojavljivanje fraze
+find_previous_label=Prethodno
+find_next.title=Pronađi sljedeće pojavljivanje fraze
+find_next_label=Sljedeće
+find_highlight=Označi sve
+find_match_case_label=Osjetljivost na karaktere
+find_reached_top=Dostigao sam vrh dokumenta, nastavljam sa dna
+find_reached_bottom=Dostigao sam kraj dokumenta, nastavljam sa vrha
+find_not_found=Fraza nije pronađena
+
+# Error panel labels
+error_more_info=Više informacija
+error_less_info=Manje informacija
+error_close=Zatvori
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Poruka: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fajl: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linija: {{line}}
+rendering_error=Došlo je do greške prilikom renderiranja strane.
+
+# Predefined zoom values
+page_scale_width=Širina strane
+page_scale_fit=Uklopi stranu
+page_scale_auto=Automatsko uvećanje
+page_scale_actual=Stvarna veličina
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Greška
+loading_error=Došlo je do greške prilikom učitavanja PDF-a.
+invalid_file_error=Neispravan ili oštećen PDF fajl.
+missing_file_error=Nedostaje PDF fajl.
+unexpected_response_error=Neočekivani odgovor servera.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} pribilješka]
+password_label=Upišite lozinku da biste otvorili ovaj PDF fajl.
+password_invalid=Pogrešna lozinka. Pokušajte ponovo.
+password_ok=OK
+password_cancel=Otkaži
+
+printing_not_supported=Upozorenje: Štampanje nije u potpunosti podržano u ovom browseru.
+printing_not_ready=Upozorenje: PDF nije u potpunosti učitan za štampanje.
+web_fonts_disabled=Web fontovi su onemogućeni: nemoguće koristiti ubačene PDF fontove.
+document_colors_not_allowed=PDF dokumentima nije dozvoljeno da koriste vlastite boje: 'Dozvoli stranicama da izaberu vlastite boje' je deaktivirano u browseru.
diff --git a/static/pdf.js/locale/ca/viewer.ftl b/static/pdf.js/locale/ca/viewer.ftl
deleted file mode 100644
index 575dc5fb..00000000
--- a/static/pdf.js/locale/ca/viewer.ftl
+++ /dev/null
@@ -1,299 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pàgina anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Pàgina següent
-pdfjs-next-button-label = Següent
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pàgina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Redueix
-pdfjs-zoom-out-button-label = Redueix
-pdfjs-zoom-in-button =
- .title = Amplia
-pdfjs-zoom-in-button-label = Amplia
-pdfjs-zoom-select =
- .title = Escala
-pdfjs-presentation-mode-button =
- .title = Canvia al mode de presentació
-pdfjs-presentation-mode-button-label = Mode de presentació
-pdfjs-open-file-button =
- .title = Obre el fitxer
-pdfjs-open-file-button-label = Obre
-pdfjs-print-button =
- .title = Imprimeix
-pdfjs-print-button-label = Imprimeix
-pdfjs-save-button =
- .title = Desa
-pdfjs-save-button-label = Desa
-pdfjs-bookmark-button =
- .title = Pàgina actual (mostra l'URL de la pàgina actual)
-pdfjs-bookmark-button-label = Pàgina actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Obre en una aplicació
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Obre en una aplicació
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Eines
-pdfjs-tools-button-label = Eines
-pdfjs-first-page-button =
- .title = Vés a la primera pàgina
-pdfjs-first-page-button-label = Vés a la primera pàgina
-pdfjs-last-page-button =
- .title = Vés a l'última pàgina
-pdfjs-last-page-button-label = Vés a l'última pàgina
-pdfjs-page-rotate-cw-button =
- .title = Gira cap a la dreta
-pdfjs-page-rotate-cw-button-label = Gira cap a la dreta
-pdfjs-page-rotate-ccw-button =
- .title = Gira cap a l'esquerra
-pdfjs-page-rotate-ccw-button-label = Gira cap a l'esquerra
-pdfjs-cursor-text-select-tool-button =
- .title = Habilita l'eina de selecció de text
-pdfjs-cursor-text-select-tool-button-label = Eina de selecció de text
-pdfjs-cursor-hand-tool-button =
- .title = Habilita l'eina de mà
-pdfjs-cursor-hand-tool-button-label = Eina de mà
-pdfjs-scroll-page-button =
- .title = Usa el desplaçament de pàgina
-pdfjs-scroll-page-button-label = Desplaçament de pàgina
-pdfjs-scroll-vertical-button =
- .title = Utilitza el desplaçament vertical
-pdfjs-scroll-vertical-button-label = Desplaçament vertical
-pdfjs-scroll-horizontal-button =
- .title = Utilitza el desplaçament horitzontal
-pdfjs-scroll-horizontal-button-label = Desplaçament horitzontal
-pdfjs-scroll-wrapped-button =
- .title = Activa el desplaçament continu
-pdfjs-scroll-wrapped-button-label = Desplaçament continu
-pdfjs-spread-none-button =
- .title = No agrupis les pàgines de dues en dues
-pdfjs-spread-none-button-label = Una sola pàgina
-pdfjs-spread-odd-button =
- .title = Mostra dues pàgines començant per les pàgines de numeració senar
-pdfjs-spread-odd-button-label = Doble pàgina (senar)
-pdfjs-spread-even-button =
- .title = Mostra dues pàgines començant per les pàgines de numeració parell
-pdfjs-spread-even-button-label = Doble pàgina (parell)
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propietats del document…
-pdfjs-document-properties-button-label = Propietats del document…
-pdfjs-document-properties-file-name = Nom del fitxer:
-pdfjs-document-properties-file-size = Mida del fitxer:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Títol:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Assumpte:
-pdfjs-document-properties-keywords = Paraules clau:
-pdfjs-document-properties-creation-date = Data de creació:
-pdfjs-document-properties-modification-date = Data de modificació:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creador:
-pdfjs-document-properties-producer = Generador de PDF:
-pdfjs-document-properties-version = Versió de PDF:
-pdfjs-document-properties-page-count = Nombre de pàgines:
-pdfjs-document-properties-page-size = Mida de la pàgina:
-pdfjs-document-properties-page-size-unit-inches = polzades
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = apaïsat
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web ràpida:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Tanca
-
-## Print
-
-pdfjs-print-progress-message = S'està preparant la impressió del document…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancel·la
-pdfjs-printing-not-supported = Avís: la impressió no és plenament funcional en aquest navegador.
-pdfjs-printing-not-ready = Atenció: el PDF no s'ha acabat de carregar per imprimir-lo.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Mostra/amaga la barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Mostra/amaga la barra lateral (el document conté un esquema, adjuncions o capes)
-pdfjs-toggle-sidebar-button-label = Mostra/amaga la barra lateral
-pdfjs-document-outline-button =
- .title = Mostra l'esquema del document (doble clic per ampliar/reduir tots els elements)
-pdfjs-document-outline-button-label = Esquema del document
-pdfjs-attachments-button =
- .title = Mostra les adjuncions
-pdfjs-attachments-button-label = Adjuncions
-pdfjs-layers-button =
- .title = Mostra les capes (doble clic per restablir totes les capes al seu estat per defecte)
-pdfjs-layers-button-label = Capes
-pdfjs-thumbs-button =
- .title = Mostra les miniatures
-pdfjs-thumbs-button-label = Miniatures
-pdfjs-current-outline-item-button =
- .title = Cerca l'element d'esquema actual
-pdfjs-current-outline-item-button-label = Element d'esquema actual
-pdfjs-findbar-button =
- .title = Cerca al document
-pdfjs-findbar-button-label = Cerca
-pdfjs-additional-layers = Capes addicionals
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pàgina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de la pàgina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Cerca
- .placeholder = Cerca al document…
-pdfjs-find-previous-button =
- .title = Cerca l'anterior coincidència de l'expressió
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Cerca la següent coincidència de l'expressió
-pdfjs-find-next-button-label = Següent
-pdfjs-find-highlight-checkbox = Ressalta-ho tot
-pdfjs-find-match-case-checkbox-label = Distingeix entre majúscules i minúscules
-pdfjs-find-match-diacritics-checkbox-label = Respecta els diacrítics
-pdfjs-find-entire-word-checkbox-label = Paraules senceres
-pdfjs-find-reached-top = S'ha arribat al principi del document, es continua pel final
-pdfjs-find-reached-bottom = S'ha arribat al final del document, es continua pel principi
-pdfjs-find-not-found = No s'ha trobat l'expressió
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Amplada de la pàgina
-pdfjs-page-scale-fit = Ajusta la pàgina
-pdfjs-page-scale-auto = Zoom automàtic
-pdfjs-page-scale-actual = Mida real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pàgina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = S'ha produït un error en carregar el PDF.
-pdfjs-invalid-file-error = El fitxer PDF no és vàlid o està malmès.
-pdfjs-missing-file-error = Falta el fitxer PDF.
-pdfjs-unexpected-response-error = Resposta inesperada del servidor.
-pdfjs-rendering-error = S'ha produït un error mentre es renderitzava la pàgina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotació { $type }]
-
-## Password
-
-pdfjs-password-label = Introduïu la contrasenya per obrir aquest fitxer PDF.
-pdfjs-password-invalid = La contrasenya no és vàlida. Torneu-ho a provar.
-pdfjs-password-ok-button = D'acord
-pdfjs-password-cancel-button = Cancel·la
-pdfjs-web-fonts-disabled = Els tipus de lletra web estan desactivats: no es poden utilitzar els tipus de lletra incrustats al PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Dibuixa
-pdfjs-editor-ink-button-label = Dibuixa
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Mida
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Gruix
-pdfjs-editor-ink-opacity-input = Opacitat
-pdfjs-free-text =
- .aria-label = Editor de text
-pdfjs-free-text-default-content = Escriviu…
-pdfjs-ink =
- .aria-label = Editor de dibuix
-pdfjs-ink-canvas =
- .aria-label = Imatge creada per l'usuari
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ca/viewer.properties b/static/pdf.js/locale/ca/viewer.properties
new file mode 100644
index 00000000..6b85bb1b
--- /dev/null
+++ b/static/pdf.js/locale/ca/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pàgina anterior
+previous_label=Anterior
+next.title=Pàgina següent
+next_label=Següent
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pàgina:
+page_of=de {{pageCount}}
+
+zoom_out.title=Allunya
+zoom_out_label=Allunya
+zoom_in.title=Apropa
+zoom_in_label=Apropa
+zoom.title=Escala
+presentation_mode.title=Canvia al mode de presentació
+presentation_mode_label=Mode de presentació
+open_file.title=Obre el fitxer
+open_file_label=Obre
+print.title=Imprimeix
+print_label=Imprimeix
+download.title=Baixa
+download_label=Baixa
+bookmark.title=Vista actual (copia o obre en una finestra nova)
+bookmark_label=Vista actual
+
+# Secondary toolbar and context menu
+tools.title=Eines
+tools_label=Eines
+first_page.title=Vés a la primera pàgina
+first_page.label=Vés a la primera pàgina
+first_page_label=Vés a la primera pàgina
+last_page.title=Vés a l'última pàgina
+last_page.label=Vés a l'última pàgina
+last_page_label=Vés a l'última pàgina
+page_rotate_cw.title=Gira cap a la dreta
+page_rotate_cw.label=Gira cap a la dreta
+page_rotate_cw_label=Gira cap a la dreta
+page_rotate_ccw.title=Gira cap a l'esquerra
+page_rotate_ccw.label=Gira cap a l'esquerra
+page_rotate_ccw_label=Gira cap a l'esquerra
+
+hand_tool_enable.title=Habilita l'eina de mà
+hand_tool_enable_label=Habilita l'eina de mà
+hand_tool_disable.title=Inhabilita l'eina de mà
+hand_tool_disable_label=Inhabilita l'eina de mà
+
+# Document properties dialog box
+document_properties.title=Propietats del document…
+document_properties_label=Propietats del document…
+document_properties_file_name=Nom del fitxer:
+document_properties_file_size=Mida del fitxer:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Títol:
+document_properties_author=Autor:
+document_properties_subject=Assumpte:
+document_properties_keywords=Paraules clau:
+document_properties_creation_date=Data de creació:
+document_properties_modification_date=Data de modificació:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creador:
+document_properties_producer=Generador de PDF:
+document_properties_version=Versió de PDF:
+document_properties_page_count=Nombre de pàgines:
+document_properties_close=Tanca
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Mostra/amaga la barra lateral
+toggle_sidebar_label=Mostra/amaga la barra lateral
+outline.title=Mostra el contorn del document
+outline_label=Contorn del document
+attachments.title=Mostra les adjuncions
+attachments_label=Adjuncions
+thumbs.title=Mostra les miniatures
+thumbs_label=Miniatures
+findbar.title=Cerca al document
+findbar_label=Cerca
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pàgina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura de la pàgina {{page}}
+
+# Find panel button title and messages
+find_label=Cerca:
+find_previous.title=Cerca l'anterior coincidència de l'expressió
+find_previous_label=Anterior
+find_next.title=Cerca la següent coincidència de l'expressió
+find_next_label=Següent
+find_highlight=Ressalta-ho tot
+find_match_case_label=Distingeix entre majúscules i minúscules
+find_reached_top=S'ha arribat al principi del document, es continua pel final
+find_reached_bottom=S'ha arribat al final del document, es continua pel principi
+find_not_found=No s'ha trobat l'expressió
+
+# Error panel labels
+error_more_info=Més informació
+error_less_info=Menys informació
+error_close=Tanca
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (muntatge: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Missatge: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fitxer: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Línia: {{line}}
+rendering_error=S'ha produït un error mentre es renderitzava la pàgina.
+
+# Predefined zoom values
+page_scale_width=Amplària de la pàgina
+page_scale_fit=Ajusta la pàgina
+page_scale_auto=Zoom automàtic
+page_scale_actual=Mida real
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=S'ha produït un error en carregar el PDF.
+invalid_file_error=El fitxer PDF no és vàlid o està malmès.
+missing_file_error=Falta el fitxer PDF.
+unexpected_response_error=Resposta inesperada del servidor.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotació {{type}}]
+password_label=Introduïu la contrasenya per obrir aquest fitxer PDF.
+password_invalid=La contrasenya no és vàlida. Torneu-ho a provar.
+password_ok=D'acord
+password_cancel=Cancel·la
+
+printing_not_supported=Avís: la impressió no és plenament funcional en aquest navegador.
+printing_not_ready=Atenció: el PDF no s'ha acabat de carregar per imprimir-lo.
+web_fonts_disabled=Les fonts web estan inhabilitades: no es poden incrustar fitxers PDF.
+document_colors_not_allowed=Els documents PDF no poden usar els seus colors propis: «Permet a les pàgines triar els colors propis» es troba desactivat al navegador.
diff --git a/static/pdf.js/locale/cak/viewer.ftl b/static/pdf.js/locale/cak/viewer.ftl
deleted file mode 100644
index f40c1e92..00000000
--- a/static/pdf.js/locale/cak/viewer.ftl
+++ /dev/null
@@ -1,291 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Jun kan ruxaq
-pdfjs-previous-button-label = Jun kan
-pdfjs-next-button =
- .title = Jun chik ruxaq
-pdfjs-next-button-label = Jun chik
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Ruxaq
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = richin { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } richin { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Tich'utinirisäx
-pdfjs-zoom-out-button-label = Tich'utinirisäx
-pdfjs-zoom-in-button =
- .title = Tinimirisäx
-pdfjs-zoom-in-button-label = Tinimirisäx
-pdfjs-zoom-select =
- .title = Sum
-pdfjs-presentation-mode-button =
- .title = Tijal ri rub'anikil niwachin
-pdfjs-presentation-mode-button-label = Pa rub'eyal niwachin
-pdfjs-open-file-button =
- .title = Tijaq Yakb'äl
-pdfjs-open-file-button-label = Tijaq
-pdfjs-print-button =
- .title = Titz'ajb'äx
-pdfjs-print-button-label = Titz'ajb'äx
-pdfjs-save-button =
- .title = Tiyak
-pdfjs-save-button-label = Tiyak
-pdfjs-bookmark-button-label = Ruxaq k'o wakami
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Samajib'äl
-pdfjs-tools-button-label = Samajib'äl
-pdfjs-first-page-button =
- .title = Tib'e pa nab'ey ruxaq
-pdfjs-first-page-button-label = Tib'e pa nab'ey ruxaq
-pdfjs-last-page-button =
- .title = Tib'e pa ruk'isib'äl ruxaq
-pdfjs-last-page-button-label = Tib'e pa ruk'isib'äl ruxaq
-pdfjs-page-rotate-cw-button =
- .title = Tisutïx pan ajkiq'a'
-pdfjs-page-rotate-cw-button-label = Tisutïx pan ajkiq'a'
-pdfjs-page-rotate-ccw-button =
- .title = Tisutïx pan ajxokon
-pdfjs-page-rotate-ccw-button-label = Tisutïx pan ajxokon
-pdfjs-cursor-text-select-tool-button =
- .title = Titzij ri rusamajib'al Rucha'ik Rucholajem Tzij
-pdfjs-cursor-text-select-tool-button-label = Rusamajib'al Rucha'ik Rucholajem Tzij
-pdfjs-cursor-hand-tool-button =
- .title = Titzij ri q'ab'aj samajib'äl
-pdfjs-cursor-hand-tool-button-label = Q'ab'aj Samajib'äl
-pdfjs-scroll-page-button =
- .title = Tokisäx Ruxaq Q'axanem
-pdfjs-scroll-page-button-label = Ruxaq Q'axanem
-pdfjs-scroll-vertical-button =
- .title = Tokisäx Pa'äl Q'axanem
-pdfjs-scroll-vertical-button-label = Pa'äl Q'axanem
-pdfjs-scroll-horizontal-button =
- .title = Tokisäx Kotz'öl Q'axanem
-pdfjs-scroll-horizontal-button-label = Kotz'öl Q'axanem
-pdfjs-scroll-wrapped-button =
- .title = Tokisäx Tzub'aj Q'axanem
-pdfjs-scroll-wrapped-button-label = Tzub'aj Q'axanem
-pdfjs-spread-none-button =
- .title = Man ketun taq ruxaq pa rub'eyal wuj
-pdfjs-spread-none-button-label = Majun Rub'eyal
-pdfjs-spread-odd-button =
- .title = Ke'atunu' ri taq ruxaq rik'in natikirisaj rik'in jun man k'ulaj ta rajilab'al
-pdfjs-spread-odd-button-label = Man K'ulaj Ta Rub'eyal
-pdfjs-spread-even-button =
- .title = Ke'atunu' ri taq ruxaq rik'in natikirisaj rik'in jun k'ulaj rajilab'al
-pdfjs-spread-even-button-label = K'ulaj Rub'eyal
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Taq richinil wuj…
-pdfjs-document-properties-button-label = Taq richinil wuj…
-pdfjs-document-properties-file-name = Rub'i' yakb'äl:
-pdfjs-document-properties-file-size = Runimilem yakb'äl:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = B'i'aj:
-pdfjs-document-properties-author = B'anel:
-pdfjs-document-properties-subject = Taqikil:
-pdfjs-document-properties-keywords = Kixe'el taq tzij:
-pdfjs-document-properties-creation-date = Ruq'ijul xtz'uk:
-pdfjs-document-properties-modification-date = Ruq'ijul xjalwachïx:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Q'inonel:
-pdfjs-document-properties-producer = PDF b'anöy:
-pdfjs-document-properties-version = PDF ruwäch:
-pdfjs-document-properties-page-count = Jarupe' ruxaq:
-pdfjs-document-properties-page-size = Runimilem ri Ruxaq:
-pdfjs-document-properties-page-size-unit-inches = pa
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = rupalem
-pdfjs-document-properties-page-size-orientation-landscape = rukotz'olem
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Loman wuj
-pdfjs-document-properties-page-size-name-legal = Taqanel tzijol
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Anin Rutz'etik Ajk'amaya'l:
-pdfjs-document-properties-linearized-yes = Ja'
-pdfjs-document-properties-linearized-no = Mani
-pdfjs-document-properties-close-button = Titz'apïx
-
-## Print
-
-pdfjs-print-progress-message = Ruchojmirisaxik wuj richin nitz'ajb'äx…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Tiq'at
-pdfjs-printing-not-supported = Rutzijol k'ayewal: Ri rutz'ajb'axik man koch'el ta ronojel pa re okik'amaya'l re'.
-pdfjs-printing-not-ready = Rutzijol k'ayewal: Ri PDF man xusamajij ta ronojel richin nitz'ajb'äx.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Tijal ri ajxikin kajtz'ik
-pdfjs-toggle-sidebar-notification-button =
- .title = Tik'ex ri ajxikin yuqkajtz'ik (ri wuj eruk'wan taq ruchi'/taqo/kuchuj)
-pdfjs-toggle-sidebar-button-label = Tijal ri ajxikin kajtz'ik
-pdfjs-document-outline-button =
- .title = Tik'ut pe ruch'akulal wuj (kamul-pitz'oj richin nirik'/nich'utinirisäx ronojel ruch'akulal)
-pdfjs-document-outline-button-label = Ruch'akulal wuj
-pdfjs-attachments-button =
- .title = Kek'ut pe ri taq taqoj
-pdfjs-attachments-button-label = Taq taqoj
-pdfjs-layers-button =
- .title = Kek'ut taq Kuchuj (ka'i'-pitz' richin yetzolïx ronojel ri taq kuchuj e k'o wi)
-pdfjs-layers-button-label = Taq kuchuj
-pdfjs-thumbs-button =
- .title = Kek'ut pe taq ch'utiq
-pdfjs-thumbs-button-label = Koköj
-pdfjs-current-outline-item-button =
- .title = Kekanöx Taq Ch'akulal Kik'wan Chib'äl
-pdfjs-current-outline-item-button-label = Taq Ch'akulal Kik'wan Chib'äl
-pdfjs-findbar-button =
- .title = Tikanöx chupam ri wuj
-pdfjs-findbar-button-label = Tikanöx
-pdfjs-additional-layers = Tz'aqat ta Kuchuj
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Ruxaq { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Ruch'utinirisaxik ruxaq { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Tikanöx
- .placeholder = Tikanöx pa wuj…
-pdfjs-find-previous-button =
- .title = Tib'an b'enam pa ri jun kan q'aptzij xilitäj
-pdfjs-find-previous-button-label = Jun kan
-pdfjs-find-next-button =
- .title = Tib'e pa ri jun chik pajtzij xilitäj
-pdfjs-find-next-button-label = Jun chik
-pdfjs-find-highlight-checkbox = Tiya' retal ronojel
-pdfjs-find-match-case-checkbox-label = Tuk'äm ri' kik'in taq nimatz'ib' chuqa' taq ch'utitz'ib'
-pdfjs-find-match-diacritics-checkbox-label = Tiya' Kikojol Tz'aqat taq Tz'ib'
-pdfjs-find-entire-word-checkbox-label = Tz'aqät taq tzij
-pdfjs-find-reached-top = Xb'eq'i' ri rutikirib'al wuj, xtikanöx k'a pa ruk'isib'äl
-pdfjs-find-reached-bottom = Xb'eq'i' ri ruk'isib'äl wuj, xtikanöx pa rutikirib'al
-pdfjs-find-not-found = Man xilitäj ta ri pajtzij
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ruwa ruxaq
-pdfjs-page-scale-fit = Tinuk' ruxaq
-pdfjs-page-scale-auto = Yonil chi nimilem
-pdfjs-page-scale-actual = Runimilem Wakami
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Ruxaq { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Xk'ulwachitäj jun sach'oj toq xnuk'ux ri PDF .
-pdfjs-invalid-file-error = Man oke ta o yujtajinäq ri PDF yakb'äl.
-pdfjs-missing-file-error = Man xilitäj ta ri PDF yakb'äl.
-pdfjs-unexpected-response-error = Man oyob'en ta tz'olin rutzij ruk'u'x samaj.
-pdfjs-rendering-error = Xk'ulwachitäj jun sachoj toq ninuk'wachij ri ruxaq.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Tz'ib'anïk]
-
-## Password
-
-pdfjs-password-label = Tatz'ib'aj ri ewan tzij richin najäq re yakb'äl re' pa PDF.
-pdfjs-password-invalid = Man okel ta ri ewan tzij: Tatojtob'ej chik.
-pdfjs-password-ok-button = Ütz
-pdfjs-password-cancel-button = Tiq'at
-pdfjs-web-fonts-disabled = E chupül ri taq ajk'amaya'l tz'ib': man tikirel ta nokisäx ri taq tz'ib' PDF pa ch'ikenïk
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Rucholajem tz'ib'
-pdfjs-editor-free-text-button-label = Rucholajem tz'ib'
-pdfjs-editor-ink-button =
- .title = Tiwachib'ëx
-pdfjs-editor-ink-button-label = Tiwachib'ëx
-# Editor Parameters
-pdfjs-editor-free-text-color-input = B'onil
-pdfjs-editor-free-text-size-input = Nimilem
-pdfjs-editor-ink-color-input = B'onil
-pdfjs-editor-ink-thickness-input = Rupimil
-pdfjs-editor-ink-opacity-input = Q'equmal
-pdfjs-free-text =
- .aria-label = Nuk'unel tz'ib'atzij
-pdfjs-free-text-default-content = Titikitisäx rutz'ib'axik…
-pdfjs-ink =
- .aria-label = Nuk'unel wachib'äl
-pdfjs-ink-canvas =
- .aria-label = Wachib'äl nuk'un ruma okisaxel
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ckb/viewer.ftl b/static/pdf.js/locale/ckb/viewer.ftl
deleted file mode 100644
index ae87335b..00000000
--- a/static/pdf.js/locale/ckb/viewer.ftl
+++ /dev/null
@@ -1,242 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = پەڕەی پێشوو
-pdfjs-previous-button-label = پێشوو
-pdfjs-next-button =
- .title = پەڕەی دوواتر
-pdfjs-next-button-label = دوواتر
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = پەرە
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = لە { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } لە { $pagesCount })
-pdfjs-zoom-out-button =
- .title = ڕۆچوونی
-pdfjs-zoom-out-button-label = ڕۆچوونی
-pdfjs-zoom-in-button =
- .title = هێنانەپێش
-pdfjs-zoom-in-button-label = هێنانەپێش
-pdfjs-zoom-select =
- .title = زووم
-pdfjs-presentation-mode-button =
- .title = گۆڕین بۆ دۆخی پێشکەشکردن
-pdfjs-presentation-mode-button-label = دۆخی پێشکەشکردن
-pdfjs-open-file-button =
- .title = پەڕگە بکەرەوە
-pdfjs-open-file-button-label = کردنەوە
-pdfjs-print-button =
- .title = چاپکردن
-pdfjs-print-button-label = چاپکردن
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ئامرازەکان
-pdfjs-tools-button-label = ئامرازەکان
-pdfjs-first-page-button =
- .title = برۆ بۆ یەکەم پەڕە
-pdfjs-first-page-button-label = بڕۆ بۆ یەکەم پەڕە
-pdfjs-last-page-button =
- .title = بڕۆ بۆ کۆتا پەڕە
-pdfjs-last-page-button-label = بڕۆ بۆ کۆتا پەڕە
-pdfjs-page-rotate-cw-button =
- .title = ئاڕاستەی میلی کاتژمێر
-pdfjs-page-rotate-cw-button-label = ئاڕاستەی میلی کاتژمێر
-pdfjs-page-rotate-ccw-button =
- .title = پێچەوانەی میلی کاتژمێر
-pdfjs-page-rotate-ccw-button-label = پێچەوانەی میلی کاتژمێر
-pdfjs-cursor-text-select-tool-button =
- .title = توڵامرازی نیشانکەری دەق چالاک بکە
-pdfjs-cursor-text-select-tool-button-label = توڵامرازی نیشانکەری دەق
-pdfjs-cursor-hand-tool-button =
- .title = توڵامرازی دەستی چالاک بکە
-pdfjs-cursor-hand-tool-button-label = توڵامرازی دەستی
-pdfjs-scroll-vertical-button =
- .title = ناردنی ئەستوونی بەکاربێنە
-pdfjs-scroll-vertical-button-label = ناردنی ئەستوونی
-pdfjs-scroll-horizontal-button =
- .title = ناردنی ئاسۆیی بەکاربێنە
-pdfjs-scroll-horizontal-button-label = ناردنی ئاسۆیی
-pdfjs-scroll-wrapped-button =
- .title = ناردنی لوولکراو بەکاربێنە
-pdfjs-scroll-wrapped-button-label = ناردنی لوولکراو
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = تایبەتمەندییەکانی بەڵگەنامە...
-pdfjs-document-properties-button-label = تایبەتمەندییەکانی بەڵگەنامە...
-pdfjs-document-properties-file-name = ناوی پەڕگە:
-pdfjs-document-properties-file-size = قەبارەی پەڕگە:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } کب ({ $size_b } بایت)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } مب ({ $size_b } بایت)
-pdfjs-document-properties-title = سەردێڕ:
-pdfjs-document-properties-author = نووسەر
-pdfjs-document-properties-subject = بابەت:
-pdfjs-document-properties-keywords = کلیلەوشە:
-pdfjs-document-properties-creation-date = بەرواری درووستکردن:
-pdfjs-document-properties-modification-date = بەرواری دەستکاریکردن:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = درووستکەر:
-pdfjs-document-properties-producer = بەرهەمهێنەری PDF:
-pdfjs-document-properties-version = وەشانی PDF:
-pdfjs-document-properties-page-count = ژمارەی پەرەکان:
-pdfjs-document-properties-page-size = قەبارەی پەڕە:
-pdfjs-document-properties-page-size-unit-inches = ئینچ
-pdfjs-document-properties-page-size-unit-millimeters = ملم
-pdfjs-document-properties-page-size-orientation-portrait = پۆرترەیت(درێژ)
-pdfjs-document-properties-page-size-orientation-landscape = پانیی
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = نامە
-pdfjs-document-properties-page-size-name-legal = یاسایی
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = پیشاندانی وێبی خێرا:
-pdfjs-document-properties-linearized-yes = بەڵێ
-pdfjs-document-properties-linearized-no = نەخێر
-pdfjs-document-properties-close-button = داخستن
-
-## Print
-
-pdfjs-print-progress-message = بەڵگەنامە ئامادەدەکرێت بۆ چاپکردن...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = پاشگەزبوونەوە
-pdfjs-printing-not-supported = ئاگاداربە: چاپکردن بە تەواوی پشتگیر ناکرێت لەم وێبگەڕە.
-pdfjs-printing-not-ready = ئاگاداربە: PDF بە تەواوی بارنەبووە بۆ چاپکردن.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = لاتەنیشت پیشاندان/شاردنەوە
-pdfjs-toggle-sidebar-button-label = لاتەنیشت پیشاندان/شاردنەوە
-pdfjs-document-outline-button-label = سنووری چوارچێوە
-pdfjs-attachments-button =
- .title = پاشکۆکان پیشان بدە
-pdfjs-attachments-button-label = پاشکۆکان
-pdfjs-layers-button-label = چینەکان
-pdfjs-thumbs-button =
- .title = وێنۆچکە پیشان بدە
-pdfjs-thumbs-button-label = وێنۆچکە
-pdfjs-findbar-button =
- .title = لە بەڵگەنامە بگەرێ
-pdfjs-findbar-button-label = دۆزینەوە
-pdfjs-additional-layers = چینی زیاتر
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = پەڕەی { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = وێنۆچکەی پەڕەی { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = دۆزینەوە
- .placeholder = لە بەڵگەنامە بگەرێ...
-pdfjs-find-previous-button =
- .title = هەبوونی پێشوو بدۆزرەوە لە ڕستەکەدا
-pdfjs-find-previous-button-label = پێشوو
-pdfjs-find-next-button =
- .title = هەبوونی داهاتوو بدۆزەرەوە لە ڕستەکەدا
-pdfjs-find-next-button-label = دوواتر
-pdfjs-find-highlight-checkbox = هەمووی نیشانە بکە
-pdfjs-find-match-case-checkbox-label = دۆخی لەیەکچوون
-pdfjs-find-entire-word-checkbox-label = هەموو وشەکان
-pdfjs-find-reached-top = گەشتیتە سەرەوەی بەڵگەنامە، لە خوارەوە دەستت پێکرد
-pdfjs-find-reached-bottom = گەشتیتە کۆتایی بەڵگەنامە. لەسەرەوە دەستت پێکرد
-pdfjs-find-not-found = نووسین نەدۆزرایەوە
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = پانی پەڕە
-pdfjs-page-scale-fit = پڕبوونی پەڕە
-pdfjs-page-scale-auto = زوومی خۆکار
-pdfjs-page-scale-actual = قەبارەی ڕاستی
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = هەڵەیەک ڕوویدا لە کاتی بارکردنی PDF.
-pdfjs-invalid-file-error = پەڕگەی pdf تێکچووە یان نەگونجاوە.
-pdfjs-missing-file-error = پەڕگەی pdf بوونی نیە.
-pdfjs-unexpected-response-error = وەڵامی ڕاژەخوازی نەخوازراو.
-pdfjs-rendering-error = هەڵەیەک ڕوویدا لە کاتی پوختەکردنی (ڕێندەر) پەڕە.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } سەرنج]
-
-## Password
-
-pdfjs-password-label = وشەی تێپەڕ بنووسە بۆ کردنەوەی پەڕگەی pdf.
-pdfjs-password-invalid = وشەی تێپەڕ هەڵەیە. تکایە دووبارە هەوڵ بدەرەوە.
-pdfjs-password-ok-button = باشە
-pdfjs-password-cancel-button = پاشگەزبوونەوە
-pdfjs-web-fonts-disabled = جۆرەپیتی وێب ناچالاکە: نەتوانی جۆرەپیتی تێخراوی ناو pdfـەکە بەکاربێت.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/cs/viewer.ftl b/static/pdf.js/locale/cs/viewer.ftl
deleted file mode 100644
index b05761b0..00000000
--- a/static/pdf.js/locale/cs/viewer.ftl
+++ /dev/null
@@ -1,406 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Přejde na předchozí stránku
-pdfjs-previous-button-label = Předchozí
-pdfjs-next-button =
- .title = Přejde na následující stránku
-pdfjs-next-button-label = Další
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Stránka
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = z { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } z { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zmenší velikost
-pdfjs-zoom-out-button-label = Zmenšit
-pdfjs-zoom-in-button =
- .title = Zvětší velikost
-pdfjs-zoom-in-button-label = Zvětšit
-pdfjs-zoom-select =
- .title = Nastaví velikost
-pdfjs-presentation-mode-button =
- .title = Přepne do režimu prezentace
-pdfjs-presentation-mode-button-label = Režim prezentace
-pdfjs-open-file-button =
- .title = Otevře soubor
-pdfjs-open-file-button-label = Otevřít
-pdfjs-print-button =
- .title = Vytiskne dokument
-pdfjs-print-button-label = Vytisknout
-pdfjs-save-button =
- .title = Uložit
-pdfjs-save-button-label = Uložit
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Stáhnout
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Stáhnout
-pdfjs-bookmark-button =
- .title = Aktuální stránka (zobrazit URL od aktuální stránky)
-pdfjs-bookmark-button-label = Aktuální stránka
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Otevřít v aplikaci
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Otevřít v aplikaci
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Nástroje
-pdfjs-tools-button-label = Nástroje
-pdfjs-first-page-button =
- .title = Přejde na první stránku
-pdfjs-first-page-button-label = Přejít na první stránku
-pdfjs-last-page-button =
- .title = Přejde na poslední stránku
-pdfjs-last-page-button-label = Přejít na poslední stránku
-pdfjs-page-rotate-cw-button =
- .title = Otočí po směru hodin
-pdfjs-page-rotate-cw-button-label = Otočit po směru hodin
-pdfjs-page-rotate-ccw-button =
- .title = Otočí proti směru hodin
-pdfjs-page-rotate-ccw-button-label = Otočit proti směru hodin
-pdfjs-cursor-text-select-tool-button =
- .title = Povolí výběr textu
-pdfjs-cursor-text-select-tool-button-label = Výběr textu
-pdfjs-cursor-hand-tool-button =
- .title = Povolí nástroj ručička
-pdfjs-cursor-hand-tool-button-label = Nástroj ručička
-pdfjs-scroll-page-button =
- .title = Posouvat po stránkách
-pdfjs-scroll-page-button-label = Posouvání po stránkách
-pdfjs-scroll-vertical-button =
- .title = Použít svislé posouvání
-pdfjs-scroll-vertical-button-label = Svislé posouvání
-pdfjs-scroll-horizontal-button =
- .title = Použít vodorovné posouvání
-pdfjs-scroll-horizontal-button-label = Vodorovné posouvání
-pdfjs-scroll-wrapped-button =
- .title = Použít postupné posouvání
-pdfjs-scroll-wrapped-button-label = Postupné posouvání
-pdfjs-spread-none-button =
- .title = Nesdružovat stránky
-pdfjs-spread-none-button-label = Žádné sdružení
-pdfjs-spread-odd-button =
- .title = Sdruží stránky s umístěním lichých vlevo
-pdfjs-spread-odd-button-label = Sdružení stránek (liché vlevo)
-pdfjs-spread-even-button =
- .title = Sdruží stránky s umístěním sudých vlevo
-pdfjs-spread-even-button-label = Sdružení stránek (sudé vlevo)
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Vlastnosti dokumentu…
-pdfjs-document-properties-button-label = Vlastnosti dokumentu…
-pdfjs-document-properties-file-name = Název souboru:
-pdfjs-document-properties-file-size = Velikost souboru:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajtů)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtů)
-pdfjs-document-properties-title = Název stránky:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Předmět:
-pdfjs-document-properties-keywords = Klíčová slova:
-pdfjs-document-properties-creation-date = Datum vytvoření:
-pdfjs-document-properties-modification-date = Datum úpravy:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Vytvořil:
-pdfjs-document-properties-producer = Tvůrce PDF:
-pdfjs-document-properties-version = Verze PDF:
-pdfjs-document-properties-page-count = Počet stránek:
-pdfjs-document-properties-page-size = Velikost stránky:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = na výšku
-pdfjs-document-properties-page-size-orientation-landscape = na šířku
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Dopis
-pdfjs-document-properties-page-size-name-legal = Právní dokument
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Rychlé zobrazování z webu:
-pdfjs-document-properties-linearized-yes = Ano
-pdfjs-document-properties-linearized-no = Ne
-pdfjs-document-properties-close-button = Zavřít
-
-## Print
-
-pdfjs-print-progress-message = Příprava dokumentu pro tisk…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Zrušit
-pdfjs-printing-not-supported = Upozornění: Tisk není v tomto prohlížeči plně podporován.
-pdfjs-printing-not-ready = Upozornění: Dokument PDF není kompletně načten.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Postranní lišta
-pdfjs-toggle-sidebar-notification-button =
- .title = Přepnout postranní lištu (dokument obsahuje osnovu/přílohy/vrstvy)
-pdfjs-toggle-sidebar-button-label = Postranní lišta
-pdfjs-document-outline-button =
- .title = Zobrazí osnovu dokumentu (poklepání přepne zobrazení všech položek)
-pdfjs-document-outline-button-label = Osnova dokumentu
-pdfjs-attachments-button =
- .title = Zobrazí přílohy
-pdfjs-attachments-button-label = Přílohy
-pdfjs-layers-button =
- .title = Zobrazit vrstvy (poklepáním obnovíte všechny vrstvy do výchozího stavu)
-pdfjs-layers-button-label = Vrstvy
-pdfjs-thumbs-button =
- .title = Zobrazí náhledy
-pdfjs-thumbs-button-label = Náhledy
-pdfjs-current-outline-item-button =
- .title = Najít aktuální položku v osnově
-pdfjs-current-outline-item-button-label = Aktuální položka v osnově
-pdfjs-findbar-button =
- .title = Najde v dokumentu
-pdfjs-findbar-button-label = Najít
-pdfjs-additional-layers = Další vrstvy
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Strana { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Náhled strany { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Najít
- .placeholder = Najít v dokumentu…
-pdfjs-find-previous-button =
- .title = Najde předchozí výskyt hledaného textu
-pdfjs-find-previous-button-label = Předchozí
-pdfjs-find-next-button =
- .title = Najde další výskyt hledaného textu
-pdfjs-find-next-button-label = Další
-pdfjs-find-highlight-checkbox = Zvýraznit
-pdfjs-find-match-case-checkbox-label = Rozlišovat velikost
-pdfjs-find-match-diacritics-checkbox-label = Rozlišovat diakritiku
-pdfjs-find-entire-word-checkbox-label = Celá slova
-pdfjs-find-reached-top = Dosažen začátek dokumentu, pokračuje se od konce
-pdfjs-find-reached-bottom = Dosažen konec dokumentu, pokračuje se od začátku
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current }. z { $total } výskytu
- [few] { $current }. z { $total } výskytů
- [many] { $current }. z { $total } výskytů
- *[other] { $current }. z { $total } výskytů
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Více než { $limit } výskyt
- [few] Více než { $limit } výskyty
- [many] Více než { $limit } výskytů
- *[other] Více než { $limit } výskytů
- }
-pdfjs-find-not-found = Hledaný text nenalezen
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Podle šířky
-pdfjs-page-scale-fit = Podle výšky
-pdfjs-page-scale-auto = Automatická velikost
-pdfjs-page-scale-actual = Skutečná velikost
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Strana { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Při nahrávání PDF nastala chyba.
-pdfjs-invalid-file-error = Neplatný nebo chybný soubor PDF.
-pdfjs-missing-file-error = Chybí soubor PDF.
-pdfjs-unexpected-response-error = Neočekávaná odpověď serveru.
-pdfjs-rendering-error = Při vykreslování stránky nastala chyba.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotace typu { $type }]
-
-## Password
-
-pdfjs-password-label = Pro otevření PDF souboru vložte heslo.
-pdfjs-password-invalid = Neplatné heslo. Zkuste to znovu.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Zrušit
-pdfjs-web-fonts-disabled = Webová písma jsou zakázána, proto není možné použít vložená písma PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Kreslení
-pdfjs-editor-ink-button-label = Kreslení
-pdfjs-editor-stamp-button =
- .title = Přidání či úprava obrázků
-pdfjs-editor-stamp-button-label = Přidání či úprava obrázků
-pdfjs-editor-highlight-button =
- .title = Zvýraznění
-pdfjs-editor-highlight-button-label = Zvýraznění
-pdfjs-highlight-floating-button =
- .title = Zvýraznit
-pdfjs-highlight-floating-button1 =
- .title = Zvýraznit
- .aria-label = Zvýraznit
-pdfjs-highlight-floating-button-label = Zvýraznit
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Odebrat kresbu
-pdfjs-editor-remove-freetext-button =
- .title = Odebrat text
-pdfjs-editor-remove-stamp-button =
- .title = Odebrat obrázek
-pdfjs-editor-remove-highlight-button =
- .title = Odebrat zvýraznění
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Barva
-pdfjs-editor-free-text-size-input = Velikost
-pdfjs-editor-ink-color-input = Barva
-pdfjs-editor-ink-thickness-input = Tloušťka
-pdfjs-editor-ink-opacity-input = Průhlednost
-pdfjs-editor-stamp-add-image-button =
- .title = Přidat obrázek
-pdfjs-editor-stamp-add-image-button-label = Přidat obrázek
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tloušťka
-pdfjs-editor-free-highlight-thickness-title =
- .title = Změna tloušťky při zvýrazňování jiných položek než textu
-pdfjs-free-text =
- .aria-label = Textový editor
-pdfjs-free-text-default-content = Začněte psát…
-pdfjs-ink =
- .aria-label = Editor kreslení
-pdfjs-ink-canvas =
- .aria-label = Uživatelem vytvořený obrázek
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Náhradní popis
-pdfjs-editor-alt-text-edit-button-label = Upravit náhradní popis
-pdfjs-editor-alt-text-dialog-label = Vyberte možnost
-pdfjs-editor-alt-text-dialog-description = Náhradní popis pomáhá, když lidé obrázek nevidí nebo když se nenačítá.
-pdfjs-editor-alt-text-add-description-label = Přidat popis
-pdfjs-editor-alt-text-add-description-description = Snažte se o 1-2 věty, které popisují předmět, prostředí nebo činnosti.
-pdfjs-editor-alt-text-mark-decorative-label = Označit jako dekorativní
-pdfjs-editor-alt-text-mark-decorative-description = Používá se pro okrasné obrázky, jako jsou rámečky nebo vodoznaky.
-pdfjs-editor-alt-text-cancel-button = Zrušit
-pdfjs-editor-alt-text-save-button = Uložit
-pdfjs-editor-alt-text-decorative-tooltip = Označen jako dekorativní
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Například: “Mladý muž si sedá ke stolu, aby se najedl.”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Levý horní roh — změna velikosti
-pdfjs-editor-resizer-label-top-middle = Horní střed — změna velikosti
-pdfjs-editor-resizer-label-top-right = Pravý horní roh — změna velikosti
-pdfjs-editor-resizer-label-middle-right = Vpravo uprostřed — změna velikosti
-pdfjs-editor-resizer-label-bottom-right = Pravý dolní roh — změna velikosti
-pdfjs-editor-resizer-label-bottom-middle = Střed dole — změna velikosti
-pdfjs-editor-resizer-label-bottom-left = Levý dolní roh — změna velikosti
-pdfjs-editor-resizer-label-middle-left = Vlevo uprostřed — změna velikosti
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Barva zvýraznění
-pdfjs-editor-colorpicker-button =
- .title = Změna barvy
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Výběr barev
-pdfjs-editor-colorpicker-yellow =
- .title = Žlutá
-pdfjs-editor-colorpicker-green =
- .title = Zelená
-pdfjs-editor-colorpicker-blue =
- .title = Modrá
-pdfjs-editor-colorpicker-pink =
- .title = Růžová
-pdfjs-editor-colorpicker-red =
- .title = Červená
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Zobrazit vše
-pdfjs-editor-highlight-show-all-button =
- .title = Zobrazit vše
diff --git a/static/pdf.js/locale/cs/viewer.properties b/static/pdf.js/locale/cs/viewer.properties
new file mode 100644
index 00000000..b41de1f1
--- /dev/null
+++ b/static/pdf.js/locale/cs/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Předchozí stránka
+previous_label=Předchozí
+next.title=Další stránka
+next_label=Další
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Stránka:
+page_of=z {{pageCount}}
+
+zoom_out.title=Zmenší velikost
+zoom_out_label=Zmenšit
+zoom_in.title=Zvětší velikost
+zoom_in_label=Zvětšit
+zoom.title=Nastaví velikost
+presentation_mode.title=Přepne do režimu prezentace
+presentation_mode_label=Režim prezentace
+open_file.title=Otevře soubor
+open_file_label=Otevřít
+print.title=Vytiskne dokument
+print_label=Tisk
+download.title=Stáhne dokument
+download_label=Stáhnout
+bookmark.title=Aktuální pohled (kopírovat nebo otevřít v novém okně)
+bookmark_label=Aktuální pohled
+
+# Secondary toolbar and context menu
+tools.title=Nástroje
+tools_label=Nástroje
+first_page.title=Přejde na první stránku
+first_page.label=Přejít na první stránku
+first_page_label=Přejít na první stránku
+last_page.title=Přejde na poslední stránku
+last_page.label=Přejít na poslední stránku
+last_page_label=Přejít na poslední stránku
+page_rotate_cw.title=Otočí po směru hodin
+page_rotate_cw.label=Otočit po směru hodin
+page_rotate_cw_label=Otočit po směru hodin
+page_rotate_ccw.title=Otočí proti směru hodin
+page_rotate_ccw.label=Otočit proti směru hodin
+page_rotate_ccw_label=Otočit proti směru hodin
+
+hand_tool_enable.title=Povolit nástroj ručička
+hand_tool_enable_label=Povolit nástroj ručička
+hand_tool_disable.title=Zakázat nástroj ručička
+hand_tool_disable_label=Zakázat nástroj ručička
+
+# Document properties dialog box
+document_properties.title=Vlastnosti dokumentu…
+document_properties_label=Vlastnosti dokumentu…
+document_properties_file_name=Název souboru:
+document_properties_file_size=Velikost souboru:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bajtů)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bajtů)
+document_properties_title=Nadpis:
+document_properties_author=Autor:
+document_properties_subject=Subjekt:
+document_properties_keywords=Klíčová slova:
+document_properties_creation_date=Datum vytvoření:
+document_properties_modification_date=Datum úpravy:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Vytvořil:
+document_properties_producer=Tvůrce PDF:
+document_properties_version=Verze PDF:
+document_properties_page_count=Počet stránek:
+document_properties_close=Zavřít
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Postranní lišta
+toggle_sidebar_label=Postranní lišta
+outline.title=Zobrazí osnovu dokumentu
+outline_label=Osnova dokumentu
+attachments.title=Zobrazí přílohy
+attachments_label=Přílohy
+thumbs.title=Zobrazí náhledy
+thumbs_label=Náhledy
+findbar.title=Najde v dokumentu
+findbar_label=Najít
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Strana {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Náhled strany {{page}}
+
+# Find panel button title and messages
+find_label=Najít:
+find_previous.title=Najde předchozí výskyt hledaného spojení
+find_previous_label=Předchozí
+find_next.title=Najde další výskyt hledaného spojení
+find_next_label=Další
+find_highlight=Zvýraznit
+find_match_case_label=Rozlišovat velikost
+find_reached_top=Dosažen začátek dokumentu, pokračuje se od konce
+find_reached_bottom=Dosažen konec dokumentu, pokračuje se od začátku
+find_not_found=Hledané spojení nenalezeno
+
+# Error panel labels
+error_more_info=Více informací
+error_less_info=Méně informací
+error_close=Zavřít
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (sestavení: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Zpráva: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Zásobník: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Soubor: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Řádka: {{line}}
+rendering_error=Při vykreslování stránky nastala chyba.
+
+# Predefined zoom values
+page_scale_width=Podle šířky
+page_scale_fit=Podle výšky
+page_scale_auto=Automatická velikost
+page_scale_actual=Skutečná velikost
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Chyba
+loading_error=Při nahrávání PDF nastala chyba.
+invalid_file_error=Neplatný nebo chybný soubor PDF.
+missing_file_error=Chybí soubor PDF.
+unexpected_response_error=Neočekávaná odpověď serveru.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotace typu {{type}}]
+password_label=Pro otevření PDF souboru vložte heslo.
+password_invalid=Neplatné heslo. Zkuste to znovu.
+password_ok=OK
+password_cancel=Zrušit
+
+printing_not_supported=Upozornění: Tisk není v tomto prohlížeči plně podporován.
+printing_not_ready=Upozornění: Dokument PDF není kompletně načten.
+web_fonts_disabled=Webová písma jsou zakázána, proto není možné použít vložená písma PDF.
+document_colors_not_allowed=PDF dokumenty nemají povoleno používat vlastní barvy: volba 'Povolit stránkám používat vlastní barvy' je v prohlížeči deaktivována.
diff --git a/static/pdf.js/locale/csb/viewer.properties b/static/pdf.js/locale/csb/viewer.properties
new file mode 100644
index 00000000..293a353c
--- /dev/null
+++ b/static/pdf.js/locale/csb/viewer.properties
@@ -0,0 +1,134 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pòprzédnô strona
+previous_label=Pòprzédnô
+next.title=Nôslédnô strona
+next_label=Nôslédnô
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Strona:
+page_of=z {{pageCount}}
+
+zoom_out.title=Zmniészë
+zoom_out_label=Zmniészë
+zoom_in.title=Zwikszë
+zoom_in_label=Wiôlgòsc
+zoom.title=Wiôlgòsc
+print.title=Drëkùjë
+print_label=Drëkùjë
+presentation_mode.title=Przéńdzë w trib prezentacje
+presentation_mode_label=Trib prezentacje
+open_file.title=Òtemkni lopk
+open_file_label=Òtemkni
+download.title=Zladënk
+download_label=Zladënk
+bookmark.title=Spamiãtôj wëzdrzatk (kòpérëje, abò òtemkni w nowim òknnie)
+bookmark_label=Aktualny wëzdrzatk
+
+find_label=Szëkôj:
+find_previous.title=Biéj do pòprzédnégò wënikù szëkbë
+find_previous_label=Pòprzédny
+find_next.title=Biéj do nôslédnégò wënikù szëkbë
+find_next_label=Nôslédny
+find_highlight=Pòdszkrzëni wszëtczé
+find_match_case_label=Rozeznôwôj miarã lëterów
+find_not_found=Nie nalôzł tekstu
+find_reached_bottom=Doszedł do kùńca dokùmentu, zaczinającë òd górë
+find_reached_top=Doszedł do pòczątkù dokùmentu, zaczinającë òd dołù
+
+toggle_sidebar.title=Pòsuwk wëbiérkù
+toggle_sidebar_label=Pòsuwk wëbiérkù
+
+outline.title=Wëskrzëni òbcéch dokùmentu
+outline_label=Òbcéch dokùmentu
+thumbs.title=Wëskrzëni miniaturë
+thumbs_label=Miniaturë
+findbar.title=Przeszëkôj dokùment
+findbar_label=Nalezë
+tools_label=Nôrzãdła
+first_page.title=Biéj do pierszi stronë
+first_page.label=Biéj do pierszi stronë
+last_page.label=Biéj do òstatny stronë
+invalid_file_error=Lëchi ôrt, abò pòpsëti lopk PDF.
+
+
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Strona {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura stronë {{page}}
+
+# Error panel labels
+error_more_info=Wicy infòrmacje
+error_less_info=Mni infòrmacje
+error_close=Close
+error_version_info=PDF.js v{{version}} (build: {{build}})
+
+
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message: {{wiadło}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stóg}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{lopk}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Line: {{line}}
+rendering_error=Pòkôza sã fela przë renderowanim stronë.
+
+# Predefined zoom values
+page_scale_width=Szérzawa stronë
+page_scale_fit=Dopasëje stronã
+page_scale_auto=Aùtomatnô wiôlgòsc
+page_scale_actual=Naturalnô wiôlgòsc
+
+# Loading indicator messages
+# LOCALIZATION NOTE (error_line): "{{[percent}}" will be replaced with a percentage
+loading_error_indicator=Fela
+loading_error=Pòkôza sã fela przë wczëtiwanim PDFù.
+
+# LOCALIZATION NOTE (text_annotation_type): This is used as a tooltip.
+# "{{[type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+
+request_password=PDF je zabezpieczony parolą:
+printing_not_supported = Òstrzéga: przezérnik nie je do kùńca wspieróny przez drëkôrze
+
+# Context menu
+page_rotate_cw.label=Òbkrãcë w prawò
+page_rotate_ccw.label=Òbkrãcë w lewò
+
+
+last_page.title=Biéj do pòprzédny stronë
+last_page_label=Biéj do pòprzédny stronë
+page_rotate_cw.title=Òbkrãcë w prawò
+page_rotate_cw_label=Òbkrãcë w prawò
+page_rotate_ccw.title=Òbkrãcë w lewò
+page_rotate_ccw_label=Òbkrãcë w lewò
+
+
+web_fonts_disabled=Sécowé czconczi są wëłączoné: włączë je, bë móc ùżiwac òsadzonëch czconków w lopkach PDF.
+
+
+missing_file_error=Felëje lopka PDF.
+printing_not_ready = Òstrzéga: lopk mùszi sã do kùńca wczëtac zanim gò mòże drëkòwac
+
+document_colors_disabled=Dokùmentë PDF nie mògą ù swòjich farwów: \'Pòzwòlë stronóm wëbierac swòje farwë\' je wëłączoné w przezérnikù.
+invalid_password=Lëchô parola.
+text_annotation_type.alt=[Adnotacjô {{type}}]
+
+tools.title=Tools
+first_page_label=Go to First Page
+
+
diff --git a/static/pdf.js/locale/cy/viewer.ftl b/static/pdf.js/locale/cy/viewer.ftl
deleted file mode 100644
index 061237ab..00000000
--- a/static/pdf.js/locale/cy/viewer.ftl
+++ /dev/null
@@ -1,410 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Tudalen Flaenorol
-pdfjs-previous-button-label = Blaenorol
-pdfjs-next-button =
- .title = Tudalen Nesaf
-pdfjs-next-button-label = Nesaf
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Tudalen
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = o { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } o { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Lleihau
-pdfjs-zoom-out-button-label = Lleihau
-pdfjs-zoom-in-button =
- .title = Cynyddu
-pdfjs-zoom-in-button-label = Cynyddu
-pdfjs-zoom-select =
- .title = Chwyddo
-pdfjs-presentation-mode-button =
- .title = Newid i'r Modd Cyflwyno
-pdfjs-presentation-mode-button-label = Modd Cyflwyno
-pdfjs-open-file-button =
- .title = Agor Ffeil
-pdfjs-open-file-button-label = Agor
-pdfjs-print-button =
- .title = Argraffu
-pdfjs-print-button-label = Argraffu
-pdfjs-save-button =
- .title = Cadw
-pdfjs-save-button-label = Cadw
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Llwytho i lawr
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Llwytho i lawr
-pdfjs-bookmark-button =
- .title = Tudalen Gyfredol (Gweld URL o'r Dudalen Gyfredol)
-pdfjs-bookmark-button-label = Tudalen Gyfredol
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Agor yn yr ap
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Agor yn yr ap
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Offer
-pdfjs-tools-button-label = Offer
-pdfjs-first-page-button =
- .title = Mynd i'r Dudalen Gyntaf
-pdfjs-first-page-button-label = Mynd i'r Dudalen Gyntaf
-pdfjs-last-page-button =
- .title = Mynd i'r Dudalen Olaf
-pdfjs-last-page-button-label = Mynd i'r Dudalen Olaf
-pdfjs-page-rotate-cw-button =
- .title = Cylchdroi Clocwedd
-pdfjs-page-rotate-cw-button-label = Cylchdroi Clocwedd
-pdfjs-page-rotate-ccw-button =
- .title = Cylchdroi Gwrthglocwedd
-pdfjs-page-rotate-ccw-button-label = Cylchdroi Gwrthglocwedd
-pdfjs-cursor-text-select-tool-button =
- .title = Galluogi Dewis Offeryn Testun
-pdfjs-cursor-text-select-tool-button-label = Offeryn Dewis Testun
-pdfjs-cursor-hand-tool-button =
- .title = Galluogi Offeryn Llaw
-pdfjs-cursor-hand-tool-button-label = Offeryn Llaw
-pdfjs-scroll-page-button =
- .title = Defnyddio Sgrolio Tudalen
-pdfjs-scroll-page-button-label = Sgrolio Tudalen
-pdfjs-scroll-vertical-button =
- .title = Defnyddio Sgrolio Fertigol
-pdfjs-scroll-vertical-button-label = Sgrolio Fertigol
-pdfjs-scroll-horizontal-button =
- .title = Defnyddio Sgrolio Llorweddol
-pdfjs-scroll-horizontal-button-label = Sgrolio Llorweddol
-pdfjs-scroll-wrapped-button =
- .title = Defnyddio Sgrolio Amlapio
-pdfjs-scroll-wrapped-button-label = Sgrolio Amlapio
-pdfjs-spread-none-button =
- .title = Peidio uno trawsdaleniadau
-pdfjs-spread-none-button-label = Dim Trawsdaleniadau
-pdfjs-spread-odd-button =
- .title = Uno trawsdaleniadau gan gychwyn gyda thudalennau odrif
-pdfjs-spread-odd-button-label = Trawsdaleniadau Odrif
-pdfjs-spread-even-button =
- .title = Uno trawsdaleniadau gan gychwyn gyda thudalennau eilrif
-pdfjs-spread-even-button-label = Trawsdaleniadau Eilrif
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Priodweddau Dogfen…
-pdfjs-document-properties-button-label = Priodweddau Dogfen…
-pdfjs-document-properties-file-name = Enw ffeil:
-pdfjs-document-properties-file-size = Maint ffeil:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } beit)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } beit)
-pdfjs-document-properties-title = Teitl:
-pdfjs-document-properties-author = Awdur:
-pdfjs-document-properties-subject = Pwnc:
-pdfjs-document-properties-keywords = Allweddair:
-pdfjs-document-properties-creation-date = Dyddiad Creu:
-pdfjs-document-properties-modification-date = Dyddiad Addasu:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Crewr:
-pdfjs-document-properties-producer = Cynhyrchydd PDF:
-pdfjs-document-properties-version = Fersiwn PDF:
-pdfjs-document-properties-page-count = Cyfrif Tudalen:
-pdfjs-document-properties-page-size = Maint Tudalen:
-pdfjs-document-properties-page-size-unit-inches = o fewn
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portread
-pdfjs-document-properties-page-size-orientation-landscape = tirlun
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Llythyr
-pdfjs-document-properties-page-size-name-legal = Cyfreithiol
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Golwg Gwe Cyflym:
-pdfjs-document-properties-linearized-yes = Iawn
-pdfjs-document-properties-linearized-no = Na
-pdfjs-document-properties-close-button = Cau
-
-## Print
-
-pdfjs-print-progress-message = Paratoi dogfen ar gyfer ei hargraffu…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Diddymu
-pdfjs-printing-not-supported = Rhybudd: Nid yw argraffu yn cael ei gynnal yn llawn gan y porwr.
-pdfjs-printing-not-ready = Rhybudd: Nid yw'r PDF wedi ei lwytho'n llawn ar gyfer argraffu.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toglo'r Bar Ochr
-pdfjs-toggle-sidebar-notification-button =
- .title = Toglo'r Bar Ochr (mae'r ddogfen yn cynnwys amlinelliadau/atodiadau/haenau)
-pdfjs-toggle-sidebar-button-label = Toglo'r Bar Ochr
-pdfjs-document-outline-button =
- .title = Dangos Amlinell Dogfen (clic dwbl i ymestyn/cau pob eitem)
-pdfjs-document-outline-button-label = Amlinelliad Dogfen
-pdfjs-attachments-button =
- .title = Dangos Atodiadau
-pdfjs-attachments-button-label = Atodiadau
-pdfjs-layers-button =
- .title = Dangos Haenau (cliciwch ddwywaith i ailosod yr holl haenau i'r cyflwr rhagosodedig)
-pdfjs-layers-button-label = Haenau
-pdfjs-thumbs-button =
- .title = Dangos Lluniau Bach
-pdfjs-thumbs-button-label = Lluniau Bach
-pdfjs-current-outline-item-button =
- .title = Canfod yr Eitem Amlinellol Gyfredol
-pdfjs-current-outline-item-button-label = Yr Eitem Amlinellol Gyfredol
-pdfjs-findbar-button =
- .title = Canfod yn y Ddogfen
-pdfjs-findbar-button-label = Canfod
-pdfjs-additional-layers = Haenau Ychwanegol
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Tudalen { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Llun Bach Tudalen { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Canfod
- .placeholder = Canfod yn y ddogfen…
-pdfjs-find-previous-button =
- .title = Canfod enghraifft flaenorol o'r ymadrodd
-pdfjs-find-previous-button-label = Blaenorol
-pdfjs-find-next-button =
- .title = Canfod enghraifft nesaf yr ymadrodd
-pdfjs-find-next-button-label = Nesaf
-pdfjs-find-highlight-checkbox = Amlygu Popeth
-pdfjs-find-match-case-checkbox-label = Cydweddu Maint
-pdfjs-find-match-diacritics-checkbox-label = Diacritigau Cyfatebol
-pdfjs-find-entire-word-checkbox-label = Geiriau Cyfan
-pdfjs-find-reached-top = Wedi cyrraedd brig y dudalen, parhau o'r gwaelod
-pdfjs-find-reached-bottom = Wedi cyrraedd diwedd y dudalen, parhau o'r brig
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [zero] { $current } o { $total } cydweddiadau
- [one] { $current } o { $total } cydweddiad
- [two] { $current } o { $total } gydweddiad
- [few] { $current } o { $total } cydweddiad
- [many] { $current } o { $total } chydweddiad
- *[other] { $current } o { $total } cydweddiad
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [zero] Mwy nag { $limit } cydweddiadau
- [one] Mwy nag { $limit } cydweddiad
- [two] Mwy nag { $limit } gydweddiad
- [few] Mwy nag { $limit } cydweddiad
- [many] Mwy nag { $limit } chydweddiad
- *[other] Mwy nag { $limit } cydweddiad
- }
-pdfjs-find-not-found = Heb ganfod ymadrodd
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lled Tudalen
-pdfjs-page-scale-fit = Ffit Tudalen
-pdfjs-page-scale-auto = Chwyddo Awtomatig
-pdfjs-page-scale-actual = Maint Gwirioneddol
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Tudalen { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Digwyddodd gwall wrth lwytho'r PDF.
-pdfjs-invalid-file-error = Ffeil PDF annilys neu llwgr.
-pdfjs-missing-file-error = Ffeil PDF coll.
-pdfjs-unexpected-response-error = Ymateb annisgwyl gan y gweinydd.
-pdfjs-rendering-error = Digwyddodd gwall wrth adeiladu'r dudalen.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anodiad { $type } ]
-
-## Password
-
-pdfjs-password-label = Rhowch gyfrinair i agor y PDF.
-pdfjs-password-invalid = Cyfrinair annilys. Ceisiwch eto.
-pdfjs-password-ok-button = Iawn
-pdfjs-password-cancel-button = Diddymu
-pdfjs-web-fonts-disabled = Ffontiau gwe wedi eu hanalluogi: methu defnyddio ffontiau PDF mewnblanedig.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Testun
-pdfjs-editor-free-text-button-label = Testun
-pdfjs-editor-ink-button =
- .title = Lluniadu
-pdfjs-editor-ink-button-label = Lluniadu
-pdfjs-editor-stamp-button =
- .title = Ychwanegu neu olygu delweddau
-pdfjs-editor-stamp-button-label = Ychwanegu neu olygu delweddau
-pdfjs-editor-highlight-button =
- .title = Amlygu
-pdfjs-editor-highlight-button-label = Amlygu
-pdfjs-highlight-floating-button =
- .title = Amlygu
-pdfjs-highlight-floating-button1 =
- .title = Amlygu
- .aria-label = Amlygu
-pdfjs-highlight-floating-button-label = Amlygu
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Dileu lluniad
-pdfjs-editor-remove-freetext-button =
- .title = Dileu testun
-pdfjs-editor-remove-stamp-button =
- .title = Dileu delwedd
-pdfjs-editor-remove-highlight-button =
- .title = Tynnu amlygiad
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Lliw
-pdfjs-editor-free-text-size-input = Maint
-pdfjs-editor-ink-color-input = Lliw
-pdfjs-editor-ink-thickness-input = Trwch
-pdfjs-editor-ink-opacity-input = Didreiddedd
-pdfjs-editor-stamp-add-image-button =
- .title = Ychwanegu delwedd
-pdfjs-editor-stamp-add-image-button-label = Ychwanegu delwedd
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Trwch
-pdfjs-editor-free-highlight-thickness-title =
- .title = Newid trwch wrth amlygu eitemau heblaw testun
-pdfjs-free-text =
- .aria-label = Golygydd Testun
-pdfjs-free-text-default-content = Cychwyn teipio…
-pdfjs-ink =
- .aria-label = Golygydd Lluniadu
-pdfjs-ink-canvas =
- .aria-label = Delwedd wedi'i chreu gan ddefnyddwyr
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Testun amgen (alt)
-pdfjs-editor-alt-text-edit-button-label = Golygu testun amgen
-pdfjs-editor-alt-text-dialog-label = Dewisiadau
-pdfjs-editor-alt-text-dialog-description = Mae testun amgen (testun alt) yn helpu pan na all pobl weld y ddelwedd neu pan nad yw'n llwytho.
-pdfjs-editor-alt-text-add-description-label = Ychwanegu disgrifiad
-pdfjs-editor-alt-text-add-description-description = Anelwch at 1-2 frawddeg sy'n disgrifio'r pwnc, y cefndir neu'r gweithredoedd.
-pdfjs-editor-alt-text-mark-decorative-label = Marcio fel addurniadol
-pdfjs-editor-alt-text-mark-decorative-description = Mae'n cael ei ddefnyddio ar gyfer delweddau addurniadol, fel borderi neu farciau dŵr.
-pdfjs-editor-alt-text-cancel-button = Diddymu
-pdfjs-editor-alt-text-save-button = Cadw
-pdfjs-editor-alt-text-decorative-tooltip = Marcio fel addurniadol
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Er enghraifft, “Mae dyn ifanc yn eistedd wrth fwrdd i fwyta pryd bwyd”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Y gornel chwith uchaf — newid maint
-pdfjs-editor-resizer-label-top-middle = Canol uchaf - newid maint
-pdfjs-editor-resizer-label-top-right = Y gornel dde uchaf - newid maint
-pdfjs-editor-resizer-label-middle-right = De canol - newid maint
-pdfjs-editor-resizer-label-bottom-right = Y gornel dde isaf — newid maint
-pdfjs-editor-resizer-label-bottom-middle = Canol gwaelod — newid maint
-pdfjs-editor-resizer-label-bottom-left = Y gornel chwith isaf — newid maint
-pdfjs-editor-resizer-label-middle-left = Chwith canol — newid maint
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Lliw amlygu
-pdfjs-editor-colorpicker-button =
- .title = Newid lliw
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Dewisiadau lliw
-pdfjs-editor-colorpicker-yellow =
- .title = Melyn
-pdfjs-editor-colorpicker-green =
- .title = Gwyrdd
-pdfjs-editor-colorpicker-blue =
- .title = Glas
-pdfjs-editor-colorpicker-pink =
- .title = Pinc
-pdfjs-editor-colorpicker-red =
- .title = Coch
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Dangos y cyfan
-pdfjs-editor-highlight-show-all-button =
- .title = Dangos y cyfan
diff --git a/static/pdf.js/locale/cy/viewer.properties b/static/pdf.js/locale/cy/viewer.properties
new file mode 100644
index 00000000..47db2183
--- /dev/null
+++ b/static/pdf.js/locale/cy/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Tudalen Flaenorol
+previous_label=Blaenorol
+next.title=Tudalen Nesaf
+next_label=Nesaf
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Tudalen:
+page_of=o {{pageCount}}
+
+zoom_out.title=Chwyddo Allan
+zoom_out_label=Chwyddo Allan
+zoom_in.title=Chwyddo Mewn
+zoom_in_label=Chwyddo Mewn
+zoom.title=Chwyddo
+presentation_mode.title=Newid i'r Modd Cyflwyno
+presentation_mode_label=Modd Cyflwyno
+open_file.title=Agor Ffeil
+open_file_label=Agor
+print.title=Argraffu
+print_label=Argraffu
+download.title=Llwyth
+download_label=Llwytho i Lawr
+bookmark.title=Golwg cyfredol (copïo neu agor ffenestr newydd)
+bookmark_label=Golwg Gyfredol
+
+# Secondary toolbar and context menu
+tools.title=Offer
+tools_label=Offer
+first_page.title=Mynd i'r Dudalen Gyntaf
+first_page.label=Mynd i'r Dudalen Gyntaf
+first_page_label=Mynd i'r Dudalen Gyntaf
+last_page.title=Mynd i'r Dudalen Olaf
+last_page.label=Mynd i'r Dudalen Olaf
+last_page_label=Mynd i'r Dudalen Olaf
+page_rotate_cw.title=Cylchdroi Clocwedd
+page_rotate_cw.label=Cylchdroi Clocwedd
+page_rotate_cw_label=Cylchdroi Clocwedd
+page_rotate_ccw.title=Cylchdroi Gwrthglocwedd
+page_rotate_ccw.label=Cylchdroi Gwrthglocwedd
+page_rotate_ccw_label=Cylchdroi Gwrthglocwedd
+
+hand_tool_enable.title=Galluogi offeryn llaw
+hand_tool_enable_label=Galluogi offeryn llaw
+hand_tool_disable.title=Analluogi offeryn llaw
+hand_tool_disable_label=Analluogi offeryn llaw
+
+# Document properties dialog box
+document_properties.title=Priodweddau Dogfen…
+document_properties_label=Priodweddau Dogfen…
+document_properties_file_name=Enw ffeil:
+document_properties_file_size=Maint ffeil:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} beit)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} beit)
+document_properties_title=Teitl:
+document_properties_author=Awdur:
+document_properties_subject=Pwnc:
+document_properties_keywords=Allweddair:
+document_properties_creation_date=Dyddiad Creu:
+document_properties_modification_date=Dyddiad Addasu:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Crewr:
+document_properties_producer=Cynhyrchydd PDF:
+document_properties_version=Fersiwn PDF:
+document_properties_page_count=Cyfrif Tudalen:
+document_properties_close=Cau
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toglo'r Bar Ochr
+toggle_sidebar_label=Toglo'r Bar Ochr
+outline.title=Dangos Amlinell Dogfen
+outline_label=Amlinelliad Dogfen
+attachments.title=Dangos Atodiadau
+attachments_label=Atodiadau
+thumbs.title=Dangos Lluniau Bach
+thumbs_label=Lluniau Bach
+findbar.title=Canfod yn y Ddogfen
+findbar_label=Canfod
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Tudalen {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Llun Bach Tudalen {{page}}
+
+# Find panel button title and messages
+find_label=Canfod:
+find_previous.title=Canfod enghraifft flaenorol o'r ymadrodd
+find_previous_label=Blaenorol
+find_next.title=Canfod enghraifft nesaf yr ymadrodd
+find_next_label=Nesaf
+find_highlight=Amlygu popeth
+find_match_case_label=Cydweddu maint
+find_reached_top=Wedi cyrraedd brig y dudalen, parhau o'r gwaelod
+find_reached_bottom=Wedi cyrraedd diwedd y dudalen, parhau o'r brig
+find_not_found=Heb ganfod ymadrodd
+
+# Error panel labels
+error_more_info=Rhagor o Wybodaeth
+error_less_info=Llai o wybodaeth
+error_close=Cau
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Neges: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stac: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ffeil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Llinell: {{line}}
+rendering_error=Digwyddodd gwall wrth adeiladu'r dudalen.
+
+# Predefined zoom values
+page_scale_width=Lled Tudalen
+page_scale_fit=Ffit Tudalen
+page_scale_auto=Chwyddo Awtomatig
+page_scale_actual=Maint Gwirioneddol
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Gwall
+loading_error=Digwyddodd gwall wrth lwytho'r PDF.
+invalid_file_error=Ffeil PDF annilys neu llwgr.
+missing_file_error=Ffeil PDF coll.
+unexpected_response_error=Ymateb annisgwyl gan y gweinydd.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anodiad {{type}} ]
+password_label=Rhowch gyfrinair i agor y PDF.
+password_invalid=Cyfrinair annilys. Ceisiwch eto.
+password_ok=Iawn
+password_cancel=Diddymu
+
+printing_not_supported=Rhybudd: Nid yw argraffu yn cael ei gynnal yn llawn gan y porwr.
+printing_not_ready=Rhybudd: Nid yw'r PDF wedi ei lwytho'n llawn ar gyfer argraffu.
+web_fonts_disabled=Ffontiau gwe wedi eu hanalluogi: methu defnyddio ffontiau PDF mewnblanedig.
+document_colors_not_allowed=Nid oes caniatâd i ddogfennau PDF i ddefnyddio eu lliwiau eu hunain: Mae 'Caniatáu i dudalennau ddefnyddio eu lliwiau eu hunain' wedi ei atal yn y porwr.
diff --git a/static/pdf.js/locale/da/viewer.ftl b/static/pdf.js/locale/da/viewer.ftl
deleted file mode 100644
index 968b22ff..00000000
--- a/static/pdf.js/locale/da/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Forrige side
-pdfjs-previous-button-label = Forrige
-pdfjs-next-button =
- .title = Næste side
-pdfjs-next-button-label = Næste
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Side
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = af { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } af { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom ud
-pdfjs-zoom-out-button-label = Zoom ud
-pdfjs-zoom-in-button =
- .title = Zoom ind
-pdfjs-zoom-in-button-label = Zoom ind
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Skift til fuldskærmsvisning
-pdfjs-presentation-mode-button-label = Fuldskærmsvisning
-pdfjs-open-file-button =
- .title = Åbn fil
-pdfjs-open-file-button-label = Åbn
-pdfjs-print-button =
- .title = Udskriv
-pdfjs-print-button-label = Udskriv
-pdfjs-save-button =
- .title = Gem
-pdfjs-save-button-label = Gem
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Hent
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Hent
-pdfjs-bookmark-button =
- .title = Aktuel side (vis URL fra den aktuelle side)
-pdfjs-bookmark-button-label = Aktuel side
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Åbn i app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Åbn i app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Funktioner
-pdfjs-tools-button-label = Funktioner
-pdfjs-first-page-button =
- .title = Gå til første side
-pdfjs-first-page-button-label = Gå til første side
-pdfjs-last-page-button =
- .title = Gå til sidste side
-pdfjs-last-page-button-label = Gå til sidste side
-pdfjs-page-rotate-cw-button =
- .title = Roter med uret
-pdfjs-page-rotate-cw-button-label = Roter med uret
-pdfjs-page-rotate-ccw-button =
- .title = Roter mod uret
-pdfjs-page-rotate-ccw-button-label = Roter mod uret
-pdfjs-cursor-text-select-tool-button =
- .title = Aktiver markeringsværktøj
-pdfjs-cursor-text-select-tool-button-label = Markeringsværktøj
-pdfjs-cursor-hand-tool-button =
- .title = Aktiver håndværktøj
-pdfjs-cursor-hand-tool-button-label = Håndværktøj
-pdfjs-scroll-page-button =
- .title = Brug sidescrolling
-pdfjs-scroll-page-button-label = Sidescrolling
-pdfjs-scroll-vertical-button =
- .title = Brug vertikal scrolling
-pdfjs-scroll-vertical-button-label = Vertikal scrolling
-pdfjs-scroll-horizontal-button =
- .title = Brug horisontal scrolling
-pdfjs-scroll-horizontal-button-label = Horisontal scrolling
-pdfjs-scroll-wrapped-button =
- .title = Brug ombrudt scrolling
-pdfjs-scroll-wrapped-button-label = Ombrudt scrolling
-pdfjs-spread-none-button =
- .title = Vis enkeltsider
-pdfjs-spread-none-button-label = Enkeltsider
-pdfjs-spread-odd-button =
- .title = Vis opslag med ulige sidenumre til venstre
-pdfjs-spread-odd-button-label = Opslag med forside
-pdfjs-spread-even-button =
- .title = Vis opslag med lige sidenumre til venstre
-pdfjs-spread-even-button-label = Opslag uden forside
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentegenskaber…
-pdfjs-document-properties-button-label = Dokumentegenskaber…
-pdfjs-document-properties-file-name = Filnavn:
-pdfjs-document-properties-file-size = Filstørrelse:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Forfatter:
-pdfjs-document-properties-subject = Emne:
-pdfjs-document-properties-keywords = Nøgleord:
-pdfjs-document-properties-creation-date = Oprettet:
-pdfjs-document-properties-modification-date = Redigeret:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Program:
-pdfjs-document-properties-producer = PDF-producent:
-pdfjs-document-properties-version = PDF-version:
-pdfjs-document-properties-page-count = Antal sider:
-pdfjs-document-properties-page-size = Sidestørrelse:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = stående
-pdfjs-document-properties-page-size-orientation-landscape = liggende
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Hurtig web-visning:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nej
-pdfjs-document-properties-close-button = Luk
-
-## Print
-
-pdfjs-print-progress-message = Forbereder dokument til udskrivning…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Annuller
-pdfjs-printing-not-supported = Advarsel: Udskrivning er ikke fuldt understøttet af browseren.
-pdfjs-printing-not-ready = Advarsel: PDF-filen er ikke fuldt indlæst til udskrivning.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Slå sidepanel til eller fra
-pdfjs-toggle-sidebar-notification-button =
- .title = Slå sidepanel til eller fra (dokumentet indeholder disposition/vedhæftede filer/lag)
-pdfjs-toggle-sidebar-button-label = Slå sidepanel til eller fra
-pdfjs-document-outline-button =
- .title = Vis dokumentets disposition (dobbeltklik for at vise/skjule alle elementer)
-pdfjs-document-outline-button-label = Dokument-disposition
-pdfjs-attachments-button =
- .title = Vis vedhæftede filer
-pdfjs-attachments-button-label = Vedhæftede filer
-pdfjs-layers-button =
- .title = Vis lag (dobbeltklik for at nulstille alle lag til standard-tilstanden)
-pdfjs-layers-button-label = Lag
-pdfjs-thumbs-button =
- .title = Vis miniaturer
-pdfjs-thumbs-button-label = Miniaturer
-pdfjs-current-outline-item-button =
- .title = Find det aktuelle dispositions-element
-pdfjs-current-outline-item-button-label = Aktuelt dispositions-element
-pdfjs-findbar-button =
- .title = Find i dokument
-pdfjs-findbar-button-label = Find
-pdfjs-additional-layers = Yderligere lag
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Side { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniature af side { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find i dokument…
-pdfjs-find-previous-button =
- .title = Find den forrige forekomst
-pdfjs-find-previous-button-label = Forrige
-pdfjs-find-next-button =
- .title = Find den næste forekomst
-pdfjs-find-next-button-label = Næste
-pdfjs-find-highlight-checkbox = Fremhæv alle
-pdfjs-find-match-case-checkbox-label = Forskel på store og små bogstaver
-pdfjs-find-match-diacritics-checkbox-label = Diakritiske tegn
-pdfjs-find-entire-word-checkbox-label = Hele ord
-pdfjs-find-reached-top = Toppen af siden blev nået, fortsatte fra bunden
-pdfjs-find-reached-bottom = Bunden af siden blev nået, fortsatte fra toppen
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } af { $total } forekomst
- *[other] { $current } af { $total } forekomster
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mere end { $limit } forekomst
- *[other] Mere end { $limit } forekomster
- }
-pdfjs-find-not-found = Der blev ikke fundet noget
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sidebredde
-pdfjs-page-scale-fit = Tilpas til side
-pdfjs-page-scale-auto = Automatisk zoom
-pdfjs-page-scale-actual = Faktisk størrelse
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Side { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Der opstod en fejl ved indlæsning af PDF-filen.
-pdfjs-invalid-file-error = PDF-filen er ugyldig eller ødelagt.
-pdfjs-missing-file-error = Manglende PDF-fil.
-pdfjs-unexpected-response-error = Uventet svar fra serveren.
-pdfjs-rendering-error = Der opstod en fejl ved generering af siden.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }kommentar]
-
-## Password
-
-pdfjs-password-label = Angiv adgangskode til at åbne denne PDF-fil.
-pdfjs-password-invalid = Ugyldig adgangskode. Prøv igen.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Fortryd
-pdfjs-web-fonts-disabled = Webskrifttyper er deaktiverede. De indlejrede skrifttyper i PDF-filen kan ikke anvendes.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Tegn
-pdfjs-editor-ink-button-label = Tegn
-pdfjs-editor-stamp-button =
- .title = Tilføj eller rediger billeder
-pdfjs-editor-stamp-button-label = Tilføj eller rediger billeder
-pdfjs-editor-highlight-button =
- .title = Fremhæv
-pdfjs-editor-highlight-button-label = Fremhæv
-pdfjs-highlight-floating-button =
- .title = Fremhæv
-pdfjs-highlight-floating-button1 =
- .title = Fremhæv
- .aria-label = Fremhæv
-pdfjs-highlight-floating-button-label = Fremhæv
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Fjern tegning
-pdfjs-editor-remove-freetext-button =
- .title = Fjern tekst
-pdfjs-editor-remove-stamp-button =
- .title = Fjern billede
-pdfjs-editor-remove-highlight-button =
- .title = Fjern fremhævning
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Farve
-pdfjs-editor-free-text-size-input = Størrelse
-pdfjs-editor-ink-color-input = Farve
-pdfjs-editor-ink-thickness-input = Tykkelse
-pdfjs-editor-ink-opacity-input = Uigennemsigtighed
-pdfjs-editor-stamp-add-image-button =
- .title = Tilføj billede
-pdfjs-editor-stamp-add-image-button-label = Tilføj billede
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tykkelse
-pdfjs-editor-free-highlight-thickness-title =
- .title = Ændr tykkelse, når andre elementer end tekst fremhæves
-pdfjs-free-text =
- .aria-label = Teksteditor
-pdfjs-free-text-default-content = Begynd at skrive…
-pdfjs-ink =
- .aria-label = Tegnings-editor
-pdfjs-ink-canvas =
- .aria-label = Brugeroprettet billede
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternativ tekst
-pdfjs-editor-alt-text-edit-button-label = Rediger alternativ tekst
-pdfjs-editor-alt-text-dialog-label = Vælg en indstilling
-pdfjs-editor-alt-text-dialog-description = Alternativ tekst hjælper folk, som ikke kan se billedet eller når det ikke indlæses.
-pdfjs-editor-alt-text-add-description-label = Tilføj en beskrivelse
-pdfjs-editor-alt-text-add-description-description = Sigt efter en eller to sætninger, der beskriver emnet, omgivelserne eller handlinger.
-pdfjs-editor-alt-text-mark-decorative-label = Marker som dekorativ
-pdfjs-editor-alt-text-mark-decorative-description = Dette bruges for dekorative billeder som rammer eller vandmærker.
-pdfjs-editor-alt-text-cancel-button = Annuller
-pdfjs-editor-alt-text-save-button = Gem
-pdfjs-editor-alt-text-decorative-tooltip = Markeret som dekorativ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = For eksempel: "En ung mand sætter sig ved et bord for at spise et måltid mad"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Øverste venstre hjørne — tilpas størrelse
-pdfjs-editor-resizer-label-top-middle = Øverste i midten — tilpas størrelse
-pdfjs-editor-resizer-label-top-right = Øverste højre hjørne — tilpas størrelse
-pdfjs-editor-resizer-label-middle-right = Midten til højre — tilpas størrelse
-pdfjs-editor-resizer-label-bottom-right = Nederste højre hjørne - tilpas størrelse
-pdfjs-editor-resizer-label-bottom-middle = Nederst i midten - tilpas størrelse
-pdfjs-editor-resizer-label-bottom-left = Nederste venstre hjørne - tilpas størrelse
-pdfjs-editor-resizer-label-middle-left = Midten til venstre — tilpas størrelse
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Fremhævningsfarve
-pdfjs-editor-colorpicker-button =
- .title = Skift farve
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Farvevalg
-pdfjs-editor-colorpicker-yellow =
- .title = Gul
-pdfjs-editor-colorpicker-green =
- .title = Grøn
-pdfjs-editor-colorpicker-blue =
- .title = Blå
-pdfjs-editor-colorpicker-pink =
- .title = Lyserød
-pdfjs-editor-colorpicker-red =
- .title = Rød
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Vis alle
-pdfjs-editor-highlight-show-all-button =
- .title = Vis alle
diff --git a/static/pdf.js/locale/da/viewer.properties b/static/pdf.js/locale/da/viewer.properties
new file mode 100644
index 00000000..33a1e1dd
--- /dev/null
+++ b/static/pdf.js/locale/da/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Forrige side
+previous_label=Forrige
+next.title=Næste side
+next_label=Næste
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Side:
+page_of=af {{pageCount}}
+
+zoom_out.title=Zoom ud
+zoom_out_label=Zoom ud
+zoom_in.title=Zoom ind
+zoom_in_label=Zoom ind
+zoom.title=Zoom
+print.title=Udskriv
+print_label=Udskriv
+presentation_mode.title=Skift til fuldskærmsvisning
+presentation_mode_label=Fuldskærmsvisning
+open_file.title=Åbn fil
+open_file_label=Åbn
+download.title=Hent
+download_label=Hent
+bookmark.title=Aktuel visning (kopier eller åbn i et nyt vindue)
+bookmark_label=Aktuel visning
+
+# Secondary toolbar and context menu
+tools.title=Funktioner
+tools_label=Funktioner
+first_page.title=Gå til første side
+first_page.label=Gå til første side
+first_page_label=Gå til første side
+last_page.title=Gå til sidste side
+last_page.label=Gå til sidste side
+last_page_label=Gå til sidste side
+page_rotate_cw.title=Roter med uret
+page_rotate_cw.label=Roter med uret
+page_rotate_cw_label=Roter med uret
+page_rotate_ccw.title=Roter mod uret
+page_rotate_ccw.label=Roter mod uret
+page_rotate_ccw_label=Roter mod uret
+
+hand_tool_enable.title=Aktiver håndværktøj
+hand_tool_enable_label=Aktiver håndværktøj
+hand_tool_disable.title=Deaktiver håndværktøj
+hand_tool_disable_label=Deaktiver håndværktøj
+
+# Document properties dialog box
+document_properties.title=Dokumentegenskaber…
+document_properties_label=Dokumentegenskaber…
+document_properties_file_name=Filnavn:
+document_properties_file_size=Filstørrelse:
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titel:
+document_properties_author=Forfatter:
+document_properties_subject=Emne:
+document_properties_keywords=Nøgleord:
+document_properties_creation_date=Oprettet:
+document_properties_modification_date=Redigeret:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Program:
+document_properties_producer=PDF-producent:
+document_properties_version=PDF-version:
+document_properties_page_count=Antal sider:
+document_properties_close=Luk
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Slå sidepanel til eller fra
+toggle_sidebar_label=Slå sidepanel til eller fra
+outline.title=Vis dokumentets disposition
+outline_label=Dokument-disposition
+attachments.title=Vis vedhæftede filer
+attachments_label=Vedhæftede filer
+thumbs.title=Vis miniaturer
+thumbs_label=Miniaturer
+findbar.title=Find i dokument
+findbar_label=Find
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Side {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniature af side {{page}}
+
+# Find panel button title and messages
+find_label=Find:
+find_previous.title=Find den forrige forekomst
+find_previous_label=Forrige
+find_next.title=Find den næste forekomst
+find_next_label=Næste
+find_highlight=Fremhæv alle
+find_match_case_label=Forskel på store og små bogstaver
+find_reached_top=Toppen af siden blev nået, fortsatte fra bunden
+find_reached_bottom=Bunden af siden blev nået, fortsatte fra toppen
+find_not_found=Der blev ikke fundet noget
+
+# Error panel labels
+error_more_info=Mere information
+error_less_info=Mindre information
+error_close=Luk
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Fejlmeddelelse: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linje: {{line}}
+rendering_error=Der opstod en fejl ved generering af siden.
+
+# Predefined zoom values
+page_scale_width=Sidebredde
+page_scale_fit=Tilpas til side
+page_scale_auto=Automatisk zoom
+page_scale_actual=Faktisk størrelse
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fejl
+loading_error=Der opstod en fejl ved indlæsning af PDF-filen.
+invalid_file_error=PDF-filen er ugyldig eller ødelagt.
+missing_file_error=Manglende PDF-fil.
+unexpected_response_error=Uventet svar fra serveren.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}kommentar]
+password_label=Angiv adgangskode til at åbne denne PDF-fil.
+password_invalid=Ugyldig adgangskode. Prøv igen.
+password_ok=OK
+password_cancel=Fortryd
+
+printing_not_supported=Advarsel: Udskrivning er ikke fuldt understøttet af browseren.
+printing_not_ready=Advarsel: PDF-filen er ikke fuldt indlæst til udskrivning.
+web_fonts_disabled=Webskrifttyper er deaktiverede. De indlejrede skrifttyper i PDF-filen kan ikke anvendes.
+document_colors_not_allowed=PDF-dokumenter må ikke bruge deres egne farver: 'Tillad sider at vælge deres egne farver' er deaktiveret i browseren.
diff --git a/static/pdf.js/locale/de/viewer.ftl b/static/pdf.js/locale/de/viewer.ftl
deleted file mode 100644
index da073aa1..00000000
--- a/static/pdf.js/locale/de/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Eine Seite zurück
-pdfjs-previous-button-label = Zurück
-pdfjs-next-button =
- .title = Eine Seite vor
-pdfjs-next-button-label = Vor
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Seite
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = von { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } von { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Verkleinern
-pdfjs-zoom-out-button-label = Verkleinern
-pdfjs-zoom-in-button =
- .title = Vergrößern
-pdfjs-zoom-in-button-label = Vergrößern
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = In Präsentationsmodus wechseln
-pdfjs-presentation-mode-button-label = Präsentationsmodus
-pdfjs-open-file-button =
- .title = Datei öffnen
-pdfjs-open-file-button-label = Öffnen
-pdfjs-print-button =
- .title = Drucken
-pdfjs-print-button-label = Drucken
-pdfjs-save-button =
- .title = Speichern
-pdfjs-save-button-label = Speichern
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Herunterladen
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Herunterladen
-pdfjs-bookmark-button =
- .title = Aktuelle Seite (URL von aktueller Seite anzeigen)
-pdfjs-bookmark-button-label = Aktuelle Seite
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Mit App öffnen
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Mit App öffnen
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Werkzeuge
-pdfjs-tools-button-label = Werkzeuge
-pdfjs-first-page-button =
- .title = Erste Seite anzeigen
-pdfjs-first-page-button-label = Erste Seite anzeigen
-pdfjs-last-page-button =
- .title = Letzte Seite anzeigen
-pdfjs-last-page-button-label = Letzte Seite anzeigen
-pdfjs-page-rotate-cw-button =
- .title = Im Uhrzeigersinn drehen
-pdfjs-page-rotate-cw-button-label = Im Uhrzeigersinn drehen
-pdfjs-page-rotate-ccw-button =
- .title = Gegen Uhrzeigersinn drehen
-pdfjs-page-rotate-ccw-button-label = Gegen Uhrzeigersinn drehen
-pdfjs-cursor-text-select-tool-button =
- .title = Textauswahl-Werkzeug aktivieren
-pdfjs-cursor-text-select-tool-button-label = Textauswahl-Werkzeug
-pdfjs-cursor-hand-tool-button =
- .title = Hand-Werkzeug aktivieren
-pdfjs-cursor-hand-tool-button-label = Hand-Werkzeug
-pdfjs-scroll-page-button =
- .title = Seiten einzeln anordnen
-pdfjs-scroll-page-button-label = Einzelseitenanordnung
-pdfjs-scroll-vertical-button =
- .title = Seiten übereinander anordnen
-pdfjs-scroll-vertical-button-label = Vertikale Seitenanordnung
-pdfjs-scroll-horizontal-button =
- .title = Seiten nebeneinander anordnen
-pdfjs-scroll-horizontal-button-label = Horizontale Seitenanordnung
-pdfjs-scroll-wrapped-button =
- .title = Seiten neben- und übereinander anordnen, abhängig vom Platz
-pdfjs-scroll-wrapped-button-label = Kombinierte Seitenanordnung
-pdfjs-spread-none-button =
- .title = Seiten nicht nebeneinander anzeigen
-pdfjs-spread-none-button-label = Einzelne Seiten
-pdfjs-spread-odd-button =
- .title = Jeweils eine ungerade und eine gerade Seite nebeneinander anzeigen
-pdfjs-spread-odd-button-label = Ungerade + gerade Seite
-pdfjs-spread-even-button =
- .title = Jeweils eine gerade und eine ungerade Seite nebeneinander anzeigen
-pdfjs-spread-even-button-label = Gerade + ungerade Seite
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumenteigenschaften
-pdfjs-document-properties-button-label = Dokumenteigenschaften…
-pdfjs-document-properties-file-name = Dateiname:
-pdfjs-document-properties-file-size = Dateigröße:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } Bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } Bytes)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Thema:
-pdfjs-document-properties-keywords = Stichwörter:
-pdfjs-document-properties-creation-date = Erstelldatum:
-pdfjs-document-properties-modification-date = Bearbeitungsdatum:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } { $time }
-pdfjs-document-properties-creator = Anwendung:
-pdfjs-document-properties-producer = PDF erstellt mit:
-pdfjs-document-properties-version = PDF-Version:
-pdfjs-document-properties-page-count = Seitenzahl:
-pdfjs-document-properties-page-size = Seitengröße:
-pdfjs-document-properties-page-size-unit-inches = Zoll
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = Hochformat
-pdfjs-document-properties-page-size-orientation-landscape = Querformat
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Schnelle Webanzeige:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nein
-pdfjs-document-properties-close-button = Schließen
-
-## Print
-
-pdfjs-print-progress-message = Dokument wird für Drucken vorbereitet…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Abbrechen
-pdfjs-printing-not-supported = Warnung: Die Drucken-Funktion wird durch diesen Browser nicht vollständig unterstützt.
-pdfjs-printing-not-ready = Warnung: Die PDF-Datei ist nicht vollständig geladen, dies ist für das Drucken aber empfohlen.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Sidebar umschalten
-pdfjs-toggle-sidebar-notification-button =
- .title = Sidebar umschalten (Dokument enthält Dokumentstruktur/Anhänge/Ebenen)
-pdfjs-toggle-sidebar-button-label = Sidebar umschalten
-pdfjs-document-outline-button =
- .title = Dokumentstruktur anzeigen (Doppelklicken, um alle Einträge aus- bzw. einzuklappen)
-pdfjs-document-outline-button-label = Dokumentstruktur
-pdfjs-attachments-button =
- .title = Anhänge anzeigen
-pdfjs-attachments-button-label = Anhänge
-pdfjs-layers-button =
- .title = Ebenen anzeigen (Doppelklicken, um alle Ebenen auf den Standardzustand zurückzusetzen)
-pdfjs-layers-button-label = Ebenen
-pdfjs-thumbs-button =
- .title = Miniaturansichten anzeigen
-pdfjs-thumbs-button-label = Miniaturansichten
-pdfjs-current-outline-item-button =
- .title = Aktuelles Struktur-Element finden
-pdfjs-current-outline-item-button-label = Aktuelles Struktur-Element
-pdfjs-findbar-button =
- .title = Dokument durchsuchen
-pdfjs-findbar-button-label = Suchen
-pdfjs-additional-layers = Zusätzliche Ebenen
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Seite { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniaturansicht von Seite { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Suchen
- .placeholder = Dokument durchsuchen…
-pdfjs-find-previous-button =
- .title = Vorheriges Vorkommen des Suchbegriffs finden
-pdfjs-find-previous-button-label = Zurück
-pdfjs-find-next-button =
- .title = Nächstes Vorkommen des Suchbegriffs finden
-pdfjs-find-next-button-label = Weiter
-pdfjs-find-highlight-checkbox = Alle hervorheben
-pdfjs-find-match-case-checkbox-label = Groß-/Kleinschreibung beachten
-pdfjs-find-match-diacritics-checkbox-label = Akzente
-pdfjs-find-entire-word-checkbox-label = Ganze Wörter
-pdfjs-find-reached-top = Anfang des Dokuments erreicht, fahre am Ende fort
-pdfjs-find-reached-bottom = Ende des Dokuments erreicht, fahre am Anfang fort
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } von { $total } Übereinstimmung
- *[other] { $current } von { $total } Übereinstimmungen
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mehr als { $limit } Übereinstimmung
- *[other] Mehr als { $limit } Übereinstimmungen
- }
-pdfjs-find-not-found = Suchbegriff nicht gefunden
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Seitenbreite
-pdfjs-page-scale-fit = Seitengröße
-pdfjs-page-scale-auto = Automatischer Zoom
-pdfjs-page-scale-actual = Originalgröße
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Seite { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Beim Laden der PDF-Datei trat ein Fehler auf.
-pdfjs-invalid-file-error = Ungültige oder beschädigte PDF-Datei
-pdfjs-missing-file-error = Fehlende PDF-Datei
-pdfjs-unexpected-response-error = Unerwartete Antwort des Servers
-pdfjs-rendering-error = Beim Darstellen der Seite trat ein Fehler auf.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anlage: { $type }]
-
-## Password
-
-pdfjs-password-label = Geben Sie zum Öffnen der PDF-Datei deren Passwort ein.
-pdfjs-password-invalid = Falsches Passwort. Bitte versuchen Sie es erneut.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Abbrechen
-pdfjs-web-fonts-disabled = Web-Schriftarten sind deaktiviert: Eingebettete PDF-Schriftarten konnten nicht geladen werden.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Zeichnen
-pdfjs-editor-ink-button-label = Zeichnen
-pdfjs-editor-stamp-button =
- .title = Grafiken hinzufügen oder bearbeiten
-pdfjs-editor-stamp-button-label = Grafiken hinzufügen oder bearbeiten
-pdfjs-editor-highlight-button =
- .title = Hervorheben
-pdfjs-editor-highlight-button-label = Hervorheben
-pdfjs-highlight-floating-button =
- .title = Hervorheben
-pdfjs-highlight-floating-button1 =
- .title = Hervorheben
- .aria-label = Hervorheben
-pdfjs-highlight-floating-button-label = Hervorheben
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Zeichnung entfernen
-pdfjs-editor-remove-freetext-button =
- .title = Text entfernen
-pdfjs-editor-remove-stamp-button =
- .title = Grafik entfernen
-pdfjs-editor-remove-highlight-button =
- .title = Hervorhebung entfernen
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Farbe
-pdfjs-editor-free-text-size-input = Größe
-pdfjs-editor-ink-color-input = Farbe
-pdfjs-editor-ink-thickness-input = Linienstärke
-pdfjs-editor-ink-opacity-input = Deckkraft
-pdfjs-editor-stamp-add-image-button =
- .title = Grafik hinzufügen
-pdfjs-editor-stamp-add-image-button-label = Grafik hinzufügen
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Linienstärke
-pdfjs-editor-free-highlight-thickness-title =
- .title = Linienstärke beim Hervorheben anderer Elemente als Text ändern
-pdfjs-free-text =
- .aria-label = Texteditor
-pdfjs-free-text-default-content = Schreiben beginnen…
-pdfjs-ink =
- .aria-label = Zeichnungseditor
-pdfjs-ink-canvas =
- .aria-label = Vom Benutzer erstelltes Bild
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternativ-Text
-pdfjs-editor-alt-text-edit-button-label = Alternativ-Text bearbeiten
-pdfjs-editor-alt-text-dialog-label = Option wählen
-pdfjs-editor-alt-text-dialog-description = Alt-Text (Alternativtext) hilft, wenn Personen die Grafik nicht sehen können oder wenn sie nicht geladen wird.
-pdfjs-editor-alt-text-add-description-label = Beschreibung hinzufügen
-pdfjs-editor-alt-text-add-description-description = Ziel sind 1-2 Sätze, die das Thema, das Szenario oder Aktionen beschreiben.
-pdfjs-editor-alt-text-mark-decorative-label = Als dekorativ markieren
-pdfjs-editor-alt-text-mark-decorative-description = Dies wird für Ziergrafiken wie Ränder oder Wasserzeichen verwendet.
-pdfjs-editor-alt-text-cancel-button = Abbrechen
-pdfjs-editor-alt-text-save-button = Speichern
-pdfjs-editor-alt-text-decorative-tooltip = Als dekorativ markiert
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Zum Beispiel: "Ein junger Mann setzt sich an einen Tisch, um zu essen."
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Linke obere Ecke - Größe ändern
-pdfjs-editor-resizer-label-top-middle = Oben mittig - Größe ändern
-pdfjs-editor-resizer-label-top-right = Rechts oben - Größe ändern
-pdfjs-editor-resizer-label-middle-right = Mitte rechts - Größe ändern
-pdfjs-editor-resizer-label-bottom-right = Rechte untere Ecke - Größe ändern
-pdfjs-editor-resizer-label-bottom-middle = Unten mittig - Größe ändern
-pdfjs-editor-resizer-label-bottom-left = Linke untere Ecke - Größe ändern
-pdfjs-editor-resizer-label-middle-left = Mitte links - Größe ändern
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Hervorhebungsfarbe
-pdfjs-editor-colorpicker-button =
- .title = Farbe ändern
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Farbauswahl
-pdfjs-editor-colorpicker-yellow =
- .title = Gelb
-pdfjs-editor-colorpicker-green =
- .title = Grün
-pdfjs-editor-colorpicker-blue =
- .title = Blau
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Rot
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Alle anzeigen
-pdfjs-editor-highlight-show-all-button =
- .title = Alle anzeigen
diff --git a/static/pdf.js/locale/de/viewer.properties b/static/pdf.js/locale/de/viewer.properties
new file mode 100644
index 00000000..0e308e9d
--- /dev/null
+++ b/static/pdf.js/locale/de/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Eine Seite zurück
+previous_label=Zurück
+next.title=Eine Seite vor
+next_label=Vor
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Seite:
+page_of=von {{pageCount}}
+
+zoom_out.title=Verkleinern
+zoom_out_label=Verkleinern
+zoom_in.title=Vergrößern
+zoom_in_label=Vergrößern
+zoom.title=Zoom
+print.title=Drucken
+print_label=Drucken
+presentation_mode.title=In Präsentationsmodus wechseln
+presentation_mode_label=Präsentationsmodus
+open_file.title=Datei öffnen
+open_file_label=Öffnen
+download.title=Dokument speichern
+download_label=Speichern
+bookmark.title=Aktuelle Ansicht (zum Kopieren oder Öffnen in einem neuen Fenster)
+bookmark_label=Aktuelle Ansicht
+
+# Secondary toolbar and context menu
+tools.title=Werkzeuge
+tools_label=Werkzeuge
+first_page.title=Erste Seite anzeigen
+first_page.label=Erste Seite anzeigen
+first_page_label=Erste Seite anzeigen
+last_page.title=Letzte Seite anzeigen
+last_page.label=Letzte Seite anzeigen
+last_page_label=Letzte Seite anzeigen
+page_rotate_cw.title=Im Uhrzeigersinn drehen
+page_rotate_cw.label=Im Uhrzeigersinn drehen
+page_rotate_cw_label=Im Uhrzeigersinn drehen
+page_rotate_ccw.title=Gegen Uhrzeigersinn drehen
+page_rotate_ccw.label=Gegen Uhrzeigersinn drehen
+page_rotate_ccw_label=Gegen Uhrzeigersinn drehen
+
+hand_tool_enable.title=Hand-Werkzeug aktivieren
+hand_tool_enable_label=Hand-Werkzeug aktivieren
+hand_tool_disable.title=Hand-Werkzeug deaktivieren
+hand_tool_disable_label=Hand-Werkzeug deaktivieren
+
+# Document properties dialog box
+document_properties.title=Dokumenteigenschaften
+document_properties_label=Dokumenteigenschaften…
+document_properties_file_name=Dateiname:
+document_properties_file_size=Dateigröße:
+document_properties_kb={{size_kb}} KB ({{size_b}} Bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} Bytes)
+document_properties_title=Titel:
+document_properties_author=Autor:
+document_properties_subject=Thema:
+document_properties_keywords=Stichwörter:
+document_properties_creation_date=Erstelldatum:
+document_properties_modification_date=Bearbeitungsdatum:
+document_properties_date_string={{date}} {{time}}
+document_properties_creator=Anwendung:
+document_properties_producer=PDF erstellt mit:
+document_properties_version=PDF-Version:
+document_properties_page_count=Seitenzahl:
+document_properties_close=Schließen
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Sidebar umschalten
+toggle_sidebar_label=Sidebar umschalten
+outline.title=Dokumentstruktur anzeigen
+outline_label=Dokumentstruktur
+attachments.title=Anhänge anzeigen
+attachments_label=Anhänge
+thumbs.title=Miniaturansichten anzeigen
+thumbs_label=Miniaturansichten
+findbar.title=Dokument durchsuchen
+findbar_label=Suchen
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Seite {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniaturansicht von Seite {{page}}
+
+# Find panel button title and messages
+find_label=Suchen:
+find_previous.title=Vorheriges Auftreten des Suchbegriffs finden
+find_previous_label=Zurück
+find_next.title=Nächstes Auftreten des Suchbegriffs finden
+find_next_label=Weiter
+find_highlight=Alle hervorheben
+find_match_case_label=Groß-/Kleinschreibung beachten
+find_reached_top=Anfang des Dokuments erreicht, fahre am Ende fort
+find_reached_bottom=Ende des Dokuments erreicht, fahre am Anfang fort
+find_not_found=Suchbegriff nicht gefunden
+
+# Error panel labels
+error_more_info=Mehr Informationen
+error_less_info=Weniger Informationen
+error_close=Schließen
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js Version {{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Nachricht: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Aufrufliste: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Datei: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Zeile: {{line}}
+rendering_error=Beim Darstellen der Seite trat ein Fehler auf.
+
+# Predefined zoom values
+page_scale_width=Seitenbreite
+page_scale_fit=Seitengröße
+page_scale_auto=Automatischer Zoom
+page_scale_actual=Originalgröße
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fehler
+loading_error=Beim Laden der PDF-Datei trat ein Fehler auf.
+invalid_file_error=Ungültige oder beschädigte PDF-Datei
+missing_file_error=Fehlende PDF-Datei
+unexpected_response_error=Unerwartete Antwort des Servers
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anlage: {{type}}]
+password_label=Geben Sie zum Öffnen der PDF-Datei deren Passwort ein.
+password_invalid=Falsches Passwort. Bitte versuchen Sie es erneut.
+password_ok=OK
+password_cancel=Abbrechen
+
+printing_not_supported=Warnung: Die Drucken-Funktion wird durch diesen Browser nicht vollständig unterstützt.
+printing_not_ready=Warnung: Die PDF-Datei ist nicht vollständig geladen, dies ist für das Drucken aber empfohlen.
+web_fonts_disabled=Web-Schriftarten sind deaktiviert: Eingebettete PDF-Schriftarten konnten nicht geladen werden.
+document_colors_not_allowed=PDF-Dokumenten ist es nicht erlaubt, ihre eigenen Farben zu verwenden: 'Seiten das Verwenden von eigenen Farben erlauben' ist im Browser deaktiviert.
diff --git a/static/pdf.js/locale/dsb/viewer.ftl b/static/pdf.js/locale/dsb/viewer.ftl
deleted file mode 100644
index e86f8153..00000000
--- a/static/pdf.js/locale/dsb/viewer.ftl
+++ /dev/null
@@ -1,406 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pjerwjejšny bok
-pdfjs-previous-button-label = Slědk
-pdfjs-next-button =
- .title = Pśiducy bok
-pdfjs-next-button-label = Dalej
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Bok
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = z { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } z { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Pómjeńšyś
-pdfjs-zoom-out-button-label = Pómjeńšyś
-pdfjs-zoom-in-button =
- .title = Pówětšyś
-pdfjs-zoom-in-button-label = Pówětšyś
-pdfjs-zoom-select =
- .title = Skalěrowanje
-pdfjs-presentation-mode-button =
- .title = Do prezentaciskego modusa pśejś
-pdfjs-presentation-mode-button-label = Prezentaciski modus
-pdfjs-open-file-button =
- .title = Dataju wócyniś
-pdfjs-open-file-button-label = Wócyniś
-pdfjs-print-button =
- .title = Śišćaś
-pdfjs-print-button-label = Śišćaś
-pdfjs-save-button =
- .title = Składowaś
-pdfjs-save-button-label = Składowaś
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Ześěgnuś
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Ześěgnuś
-pdfjs-bookmark-button =
- .title = Aktualny bok (URL z aktualnego boka pokazaś)
-pdfjs-bookmark-button-label = Aktualny bok
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = W nałoženju wócyniś
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = W nałoženju wócyniś
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Rědy
-pdfjs-tools-button-label = Rědy
-pdfjs-first-page-button =
- .title = K prědnemu bokoju
-pdfjs-first-page-button-label = K prědnemu bokoju
-pdfjs-last-page-button =
- .title = K slědnemu bokoju
-pdfjs-last-page-button-label = K slědnemu bokoju
-pdfjs-page-rotate-cw-button =
- .title = Wobwjertnuś ako špěra źo
-pdfjs-page-rotate-cw-button-label = Wobwjertnuś ako špěra źo
-pdfjs-page-rotate-ccw-button =
- .title = Wobwjertnuś nawopaki ako špěra źo
-pdfjs-page-rotate-ccw-button-label = Wobwjertnuś nawopaki ako špěra źo
-pdfjs-cursor-text-select-tool-button =
- .title = Rěd za wuběranje teksta zmóžniś
-pdfjs-cursor-text-select-tool-button-label = Rěd za wuběranje teksta
-pdfjs-cursor-hand-tool-button =
- .title = Rucny rěd zmóžniś
-pdfjs-cursor-hand-tool-button-label = Rucny rěd
-pdfjs-scroll-page-button =
- .title = Kulanje boka wužywaś
-pdfjs-scroll-page-button-label = Kulanje boka
-pdfjs-scroll-vertical-button =
- .title = Wertikalne suwanje wužywaś
-pdfjs-scroll-vertical-button-label = Wertikalne suwanje
-pdfjs-scroll-horizontal-button =
- .title = Horicontalne suwanje wužywaś
-pdfjs-scroll-horizontal-button-label = Horicontalne suwanje
-pdfjs-scroll-wrapped-button =
- .title = Pózlažke suwanje wužywaś
-pdfjs-scroll-wrapped-button-label = Pózlažke suwanje
-pdfjs-spread-none-button =
- .title = Boki njezwězaś
-pdfjs-spread-none-button-label = Žeden dwójny bok
-pdfjs-spread-odd-button =
- .title = Boki zachopinajucy z njerownymi bokami zwězaś
-pdfjs-spread-odd-button-label = Njerowne boki
-pdfjs-spread-even-button =
- .title = Boki zachopinajucy z rownymi bokami zwězaś
-pdfjs-spread-even-button-label = Rowne boki
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentowe kakosći…
-pdfjs-document-properties-button-label = Dokumentowe kakosći…
-pdfjs-document-properties-file-name = Mě dataje:
-pdfjs-document-properties-file-size = Wjelikosć dataje:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajtow)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtow)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Awtor:
-pdfjs-document-properties-subject = Tema:
-pdfjs-document-properties-keywords = Klucowe słowa:
-pdfjs-document-properties-creation-date = Datum napóranja:
-pdfjs-document-properties-modification-date = Datum změny:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Awtor:
-pdfjs-document-properties-producer = PDF-gótowaŕ:
-pdfjs-document-properties-version = PDF-wersija:
-pdfjs-document-properties-page-count = Licba bokow:
-pdfjs-document-properties-page-size = Wjelikosć boka:
-pdfjs-document-properties-page-size-unit-inches = col
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = wusoki format
-pdfjs-document-properties-page-size-orientation-landscape = prěcny format
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Jo
-pdfjs-document-properties-linearized-no = Ně
-pdfjs-document-properties-close-button = Zacyniś
-
-## Print
-
-pdfjs-print-progress-message = Dokument pśigótujo se za śišćanje…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Pśetergnuś
-pdfjs-printing-not-supported = Warnowanje: Śišćanje njepódpěra se połnje pśez toś ten wobglědowak.
-pdfjs-printing-not-ready = Warnowanje: PDF njejo se za śišćanje dopołnje zacytał.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Bócnicu pokazaś/schowaś
-pdfjs-toggle-sidebar-notification-button =
- .title = Bocnicu pśešaltowaś (dokument rozrědowanje/pśipiski/warstwy wopśimujo)
-pdfjs-toggle-sidebar-button-label = Bócnicu pokazaś/schowaś
-pdfjs-document-outline-button =
- .title = Dokumentowe naraźenje pokazaś (dwójne kliknjenje, aby se wšykne zapiski pokazali/schowali)
-pdfjs-document-outline-button-label = Dokumentowa struktura
-pdfjs-attachments-button =
- .title = Pśidanki pokazaś
-pdfjs-attachments-button-label = Pśidanki
-pdfjs-layers-button =
- .title = Warstwy pokazaś (klikniśo dwójcy, aby wšykne warstwy na standardny staw slědk stajił)
-pdfjs-layers-button-label = Warstwy
-pdfjs-thumbs-button =
- .title = Miniatury pokazaś
-pdfjs-thumbs-button-label = Miniatury
-pdfjs-current-outline-item-button =
- .title = Aktualny rozrědowański zapisk pytaś
-pdfjs-current-outline-item-button-label = Aktualny rozrědowański zapisk
-pdfjs-findbar-button =
- .title = W dokumenśe pytaś
-pdfjs-findbar-button-label = Pytaś
-pdfjs-additional-layers = Dalšne warstwy
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Bok { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura boka { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Pytaś
- .placeholder = W dokumenśe pytaś…
-pdfjs-find-previous-button =
- .title = Pjerwjejšne wustupowanje pytańskego wuraza pytaś
-pdfjs-find-previous-button-label = Slědk
-pdfjs-find-next-button =
- .title = Pśidujuce wustupowanje pytańskego wuraza pytaś
-pdfjs-find-next-button-label = Dalej
-pdfjs-find-highlight-checkbox = Wšykne wuzwignuś
-pdfjs-find-match-case-checkbox-label = Na wjelikopisanje źiwaś
-pdfjs-find-match-diacritics-checkbox-label = Diakritiske znamuška wužywaś
-pdfjs-find-entire-word-checkbox-label = Cełe słowa
-pdfjs-find-reached-top = Zachopjeńk dokumenta dostany, pókšacujo se z kóńcom
-pdfjs-find-reached-bottom = Kóńc dokumenta dostany, pókšacujo se ze zachopjeńkom
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } z { $total } wótpowědnika
- [two] { $current } z { $total } wótpowědnikowu
- [few] { $current } z { $total } wótpowědnikow
- *[other] { $current } z { $total } wótpowědnikow
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Wušej { $limit } wótpowědnik
- [two] Wušej { $limit } wótpowědnika
- [few] Wušej { $limit } wótpowědniki
- *[other] Wušej { $limit } wótpowědniki
- }
-pdfjs-find-not-found = Pytański wuraz njejo se namakał
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Šyrokosć boka
-pdfjs-page-scale-fit = Wjelikosć boka
-pdfjs-page-scale-auto = Awtomatiske skalěrowanje
-pdfjs-page-scale-actual = Aktualna wjelikosć
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Bok { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Pśi zacytowanju PDF jo zmólka nastała.
-pdfjs-invalid-file-error = Njepłaśiwa abo wobškóźona PDF-dataja.
-pdfjs-missing-file-error = Felujuca PDF-dataja.
-pdfjs-unexpected-response-error = Njewócakane serwerowe wótegrono.
-pdfjs-rendering-error = Pśi zwobraznjanju boka jo zmólka nastała.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Typ pśipiskow: { $type }]
-
-## Password
-
-pdfjs-password-label = Zapódajśo gronidło, aby PDF-dataju wócynił.
-pdfjs-password-invalid = Njepłaśiwe gronidło. Pšosym wopytajśo hyšći raz.
-pdfjs-password-ok-button = W pórěźe
-pdfjs-password-cancel-button = Pśetergnuś
-pdfjs-web-fonts-disabled = Webpisma su znjemóžnjone: njejo móžno, zasajźone PDF-pisma wužywaś.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Kresliś
-pdfjs-editor-ink-button-label = Kresliś
-pdfjs-editor-stamp-button =
- .title = Wobraze pśidaś abo wobźěłaś
-pdfjs-editor-stamp-button-label = Wobraze pśidaś abo wobźěłaś
-pdfjs-editor-highlight-button =
- .title = Wuzwignuś
-pdfjs-editor-highlight-button-label = Wuzwignuś
-pdfjs-highlight-floating-button =
- .title = Wuzwignjenje
-pdfjs-highlight-floating-button1 =
- .title = Wuzwignuś
- .aria-label = Wuzwignuś
-pdfjs-highlight-floating-button-label = Wuzwignuś
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Kreslanku wótwónoźeś
-pdfjs-editor-remove-freetext-button =
- .title = Tekst wótwónoźeś
-pdfjs-editor-remove-stamp-button =
- .title = Wobraz wótwónoźeś
-pdfjs-editor-remove-highlight-button =
- .title = Wuzwignjenje wótpóraś
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Barwa
-pdfjs-editor-free-text-size-input = Wjelikosć
-pdfjs-editor-ink-color-input = Barwa
-pdfjs-editor-ink-thickness-input = Tłustosć
-pdfjs-editor-ink-opacity-input = Opacita
-pdfjs-editor-stamp-add-image-button =
- .title = Wobraz pśidaś
-pdfjs-editor-stamp-add-image-button-label = Wobraz pśidaś
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tłustosć
-pdfjs-editor-free-highlight-thickness-title =
- .title = Tłustosć změniś, gaž se zapiski wuzwiguju, kótarež tekst njejsu
-pdfjs-free-text =
- .aria-label = Tekstowy editor
-pdfjs-free-text-default-content = Zachopśo pisaś…
-pdfjs-ink =
- .aria-label = Kresleński editor
-pdfjs-ink-canvas =
- .aria-label = Wobraz napórany wót wužywarja
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatiwny tekst
-pdfjs-editor-alt-text-edit-button-label = Alternatiwny tekst wobźěłaś
-pdfjs-editor-alt-text-dialog-label = Nastajenje wubraś
-pdfjs-editor-alt-text-dialog-description = Alternatiwny tekst pomaga, gaž luźe njamógu wobraz wiźeś abo gaž se wobraz njezacytajo.
-pdfjs-editor-alt-text-add-description-label = Wopisanje pśidaś
-pdfjs-editor-alt-text-add-description-description = Pišćo 1 sadu abo 2 saźe, kótarejž temu, nastajenje abo akcije wopisujotej.
-pdfjs-editor-alt-text-mark-decorative-label = Ako dekoratiwny markěrowaś
-pdfjs-editor-alt-text-mark-decorative-description = To se za pyšnjece wobraze wužywa, na pśikład ramiki abo wódowe znamjenja.
-pdfjs-editor-alt-text-cancel-button = Pśetergnuś
-pdfjs-editor-alt-text-save-button = Składowaś
-pdfjs-editor-alt-text-decorative-tooltip = Ako dekoratiwny markěrowany
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Na pśikład, „Młody muski za blidom sejźi, aby jěź jědł“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Górjejce nalěwo – wjelikosć změniś
-pdfjs-editor-resizer-label-top-middle = Górjejce wesrjejź – wjelikosć změniś
-pdfjs-editor-resizer-label-top-right = Górjejce napšawo – wjelikosć změniś
-pdfjs-editor-resizer-label-middle-right = Wesrjejź napšawo – wjelikosć změniś
-pdfjs-editor-resizer-label-bottom-right = Dołojce napšawo – wjelikosć změniś
-pdfjs-editor-resizer-label-bottom-middle = Dołojce wesrjejź – wjelikosć změniś
-pdfjs-editor-resizer-label-bottom-left = Dołojce nalěwo – wjelikosć změniś
-pdfjs-editor-resizer-label-middle-left = Wesrjejź nalěwo – wjelikosć změniś
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Barwa wuzwignjenja
-pdfjs-editor-colorpicker-button =
- .title = Barwu změniś
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Wuběrk barwow
-pdfjs-editor-colorpicker-yellow =
- .title = Žołty
-pdfjs-editor-colorpicker-green =
- .title = Zeleny
-pdfjs-editor-colorpicker-blue =
- .title = Módry
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Cerwjeny
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Wšykne pokazaś
-pdfjs-editor-highlight-show-all-button =
- .title = Wšykne pokazaś
diff --git a/static/pdf.js/locale/el/viewer.ftl b/static/pdf.js/locale/el/viewer.ftl
deleted file mode 100644
index 96d9dc36..00000000
--- a/static/pdf.js/locale/el/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Προηγούμενη σελίδα
-pdfjs-previous-button-label = Προηγούμενη
-pdfjs-next-button =
- .title = Επόμενη σελίδα
-pdfjs-next-button-label = Επόμενη
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Σελίδα
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = από { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } από { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Σμίκρυνση
-pdfjs-zoom-out-button-label = Σμίκρυνση
-pdfjs-zoom-in-button =
- .title = Μεγέθυνση
-pdfjs-zoom-in-button-label = Μεγέθυνση
-pdfjs-zoom-select =
- .title = Ζουμ
-pdfjs-presentation-mode-button =
- .title = Εναλλαγή σε λειτουργία παρουσίασης
-pdfjs-presentation-mode-button-label = Λειτουργία παρουσίασης
-pdfjs-open-file-button =
- .title = Άνοιγμα αρχείου
-pdfjs-open-file-button-label = Άνοιγμα
-pdfjs-print-button =
- .title = Εκτύπωση
-pdfjs-print-button-label = Εκτύπωση
-pdfjs-save-button =
- .title = Αποθήκευση
-pdfjs-save-button-label = Αποθήκευση
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Λήψη
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Λήψη
-pdfjs-bookmark-button =
- .title = Τρέχουσα σελίδα (Προβολή URL από τρέχουσα σελίδα)
-pdfjs-bookmark-button-label = Τρέχουσα σελίδα
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Άνοιγμα σε εφαρμογή
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Άνοιγμα σε εφαρμογή
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Εργαλεία
-pdfjs-tools-button-label = Εργαλεία
-pdfjs-first-page-button =
- .title = Μετάβαση στην πρώτη σελίδα
-pdfjs-first-page-button-label = Μετάβαση στην πρώτη σελίδα
-pdfjs-last-page-button =
- .title = Μετάβαση στην τελευταία σελίδα
-pdfjs-last-page-button-label = Μετάβαση στην τελευταία σελίδα
-pdfjs-page-rotate-cw-button =
- .title = Δεξιόστροφη περιστροφή
-pdfjs-page-rotate-cw-button-label = Δεξιόστροφη περιστροφή
-pdfjs-page-rotate-ccw-button =
- .title = Αριστερόστροφη περιστροφή
-pdfjs-page-rotate-ccw-button-label = Αριστερόστροφη περιστροφή
-pdfjs-cursor-text-select-tool-button =
- .title = Ενεργοποίηση εργαλείου επιλογής κειμένου
-pdfjs-cursor-text-select-tool-button-label = Εργαλείο επιλογής κειμένου
-pdfjs-cursor-hand-tool-button =
- .title = Ενεργοποίηση εργαλείου χεριού
-pdfjs-cursor-hand-tool-button-label = Εργαλείο χεριού
-pdfjs-scroll-page-button =
- .title = Χρήση κύλισης σελίδας
-pdfjs-scroll-page-button-label = Κύλιση σελίδας
-pdfjs-scroll-vertical-button =
- .title = Χρήση κάθετης κύλισης
-pdfjs-scroll-vertical-button-label = Κάθετη κύλιση
-pdfjs-scroll-horizontal-button =
- .title = Χρήση οριζόντιας κύλισης
-pdfjs-scroll-horizontal-button-label = Οριζόντια κύλιση
-pdfjs-scroll-wrapped-button =
- .title = Χρήση κυκλικής κύλισης
-pdfjs-scroll-wrapped-button-label = Κυκλική κύλιση
-pdfjs-spread-none-button =
- .title = Να μη γίνει σύνδεση επεκτάσεων σελίδων
-pdfjs-spread-none-button-label = Χωρίς επεκτάσεις
-pdfjs-spread-odd-button =
- .title = Σύνδεση επεκτάσεων σελίδων ξεκινώντας από τις μονές σελίδες
-pdfjs-spread-odd-button-label = Μονές επεκτάσεις
-pdfjs-spread-even-button =
- .title = Σύνδεση επεκτάσεων σελίδων ξεκινώντας από τις ζυγές σελίδες
-pdfjs-spread-even-button-label = Ζυγές επεκτάσεις
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Ιδιότητες εγγράφου…
-pdfjs-document-properties-button-label = Ιδιότητες εγγράφου…
-pdfjs-document-properties-file-name = Όνομα αρχείου:
-pdfjs-document-properties-file-size = Μέγεθος αρχείου:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Τίτλος:
-pdfjs-document-properties-author = Συγγραφέας:
-pdfjs-document-properties-subject = Θέμα:
-pdfjs-document-properties-keywords = Λέξεις-κλειδιά:
-pdfjs-document-properties-creation-date = Ημερομηνία δημιουργίας:
-pdfjs-document-properties-modification-date = Ημερομηνία τροποποίησης:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Δημιουργός:
-pdfjs-document-properties-producer = Παραγωγός PDF:
-pdfjs-document-properties-version = Έκδοση PDF:
-pdfjs-document-properties-page-count = Αριθμός σελίδων:
-pdfjs-document-properties-page-size = Μέγεθος σελίδας:
-pdfjs-document-properties-page-size-unit-inches = ίντσες
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = κατακόρυφα
-pdfjs-document-properties-page-size-orientation-landscape = οριζόντια
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Επιστολή
-pdfjs-document-properties-page-size-name-legal = Τύπου Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Ταχεία προβολή ιστού:
-pdfjs-document-properties-linearized-yes = Ναι
-pdfjs-document-properties-linearized-no = Όχι
-pdfjs-document-properties-close-button = Κλείσιμο
-
-## Print
-
-pdfjs-print-progress-message = Προετοιμασία του εγγράφου για εκτύπωση…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Ακύρωση
-pdfjs-printing-not-supported = Προειδοποίηση: Η εκτύπωση δεν υποστηρίζεται πλήρως από το πρόγραμμα περιήγησης.
-pdfjs-printing-not-ready = Προειδοποίηση: Το PDF δεν φορτώθηκε πλήρως για εκτύπωση.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = (Απ)ενεργοποίηση πλαϊνής γραμμής
-pdfjs-toggle-sidebar-notification-button =
- .title = (Απ)ενεργοποίηση πλαϊνής γραμμής (το έγγραφο περιέχει περίγραμμα/συνημμένα/επίπεδα)
-pdfjs-toggle-sidebar-button-label = (Απ)ενεργοποίηση πλαϊνής γραμμής
-pdfjs-document-outline-button =
- .title = Εμφάνιση διάρθρωσης εγγράφου (διπλό κλικ για ανάπτυξη/σύμπτυξη όλων των στοιχείων)
-pdfjs-document-outline-button-label = Διάρθρωση εγγράφου
-pdfjs-attachments-button =
- .title = Εμφάνιση συνημμένων
-pdfjs-attachments-button-label = Συνημμένα
-pdfjs-layers-button =
- .title = Εμφάνιση επιπέδων (διπλό κλικ για επαναφορά όλων των επιπέδων στην προεπιλεγμένη κατάσταση)
-pdfjs-layers-button-label = Επίπεδα
-pdfjs-thumbs-button =
- .title = Εμφάνιση μικρογραφιών
-pdfjs-thumbs-button-label = Μικρογραφίες
-pdfjs-current-outline-item-button =
- .title = Εύρεση τρέχοντος στοιχείου διάρθρωσης
-pdfjs-current-outline-item-button-label = Τρέχον στοιχείο διάρθρωσης
-pdfjs-findbar-button =
- .title = Εύρεση στο έγγραφο
-pdfjs-findbar-button-label = Εύρεση
-pdfjs-additional-layers = Επιπρόσθετα επίπεδα
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Σελίδα { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Μικρογραφία σελίδας { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Εύρεση
- .placeholder = Εύρεση στο έγγραφο…
-pdfjs-find-previous-button =
- .title = Εύρεση της προηγούμενης εμφάνισης της φράσης
-pdfjs-find-previous-button-label = Προηγούμενο
-pdfjs-find-next-button =
- .title = Εύρεση της επόμενης εμφάνισης της φράσης
-pdfjs-find-next-button-label = Επόμενο
-pdfjs-find-highlight-checkbox = Επισήμανση όλων
-pdfjs-find-match-case-checkbox-label = Συμφωνία πεζών/κεφαλαίων
-pdfjs-find-match-diacritics-checkbox-label = Αντιστοίχιση διακριτικών
-pdfjs-find-entire-word-checkbox-label = Ολόκληρες λέξεις
-pdfjs-find-reached-top = Φτάσατε στην αρχή του εγγράφου, συνέχεια από το τέλος
-pdfjs-find-reached-bottom = Φτάσατε στο τέλος του εγγράφου, συνέχεια από την αρχή
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } από { $total } αντιστοιχία
- *[other] { $current } από { $total } αντιστοιχίες
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Περισσότερες από { $limit } αντιστοιχία
- *[other] Περισσότερες από { $limit } αντιστοιχίες
- }
-pdfjs-find-not-found = Η φράση δεν βρέθηκε
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Πλάτος σελίδας
-pdfjs-page-scale-fit = Μέγεθος σελίδας
-pdfjs-page-scale-auto = Αυτόματο ζουμ
-pdfjs-page-scale-actual = Πραγματικό μέγεθος
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Σελίδα { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Προέκυψε σφάλμα κατά τη φόρτωση του PDF.
-pdfjs-invalid-file-error = Μη έγκυρο ή κατεστραμμένο αρχείο PDF.
-pdfjs-missing-file-error = Λείπει αρχείο PDF.
-pdfjs-unexpected-response-error = Μη αναμενόμενη απόκριση από το διακομιστή.
-pdfjs-rendering-error = Προέκυψε σφάλμα κατά την εμφάνιση της σελίδας.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Σχόλιο «{ $type }»]
-
-## Password
-
-pdfjs-password-label = Εισαγάγετε τον κωδικό πρόσβασης για να ανοίξετε αυτό το αρχείο PDF.
-pdfjs-password-invalid = Μη έγκυρος κωδικός πρόσβασης. Παρακαλώ δοκιμάστε ξανά.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Ακύρωση
-pdfjs-web-fonts-disabled = Οι γραμματοσειρές ιστού είναι ανενεργές: δεν είναι δυνατή η χρήση των ενσωματωμένων γραμματοσειρών PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Κείμενο
-pdfjs-editor-free-text-button-label = Κείμενο
-pdfjs-editor-ink-button =
- .title = Σχέδιο
-pdfjs-editor-ink-button-label = Σχέδιο
-pdfjs-editor-stamp-button =
- .title = Προσθήκη ή επεξεργασία εικόνων
-pdfjs-editor-stamp-button-label = Προσθήκη ή επεξεργασία εικόνων
-pdfjs-editor-highlight-button =
- .title = Επισήμανση
-pdfjs-editor-highlight-button-label = Επισήμανση
-pdfjs-highlight-floating-button =
- .title = Επισήμανση
-pdfjs-highlight-floating-button1 =
- .title = Επισήμανση
- .aria-label = Επισήμανση
-pdfjs-highlight-floating-button-label = Επισήμανση
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Αφαίρεση σχεδίου
-pdfjs-editor-remove-freetext-button =
- .title = Αφαίρεση κειμένου
-pdfjs-editor-remove-stamp-button =
- .title = Αφαίρεση εικόνας
-pdfjs-editor-remove-highlight-button =
- .title = Αφαίρεση επισήμανσης
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Χρώμα
-pdfjs-editor-free-text-size-input = Μέγεθος
-pdfjs-editor-ink-color-input = Χρώμα
-pdfjs-editor-ink-thickness-input = Πάχος
-pdfjs-editor-ink-opacity-input = Αδιαφάνεια
-pdfjs-editor-stamp-add-image-button =
- .title = Προσθήκη εικόνας
-pdfjs-editor-stamp-add-image-button-label = Προσθήκη εικόνας
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Πάχος
-pdfjs-editor-free-highlight-thickness-title =
- .title = Αλλαγή πάχους κατά την επισήμανση στοιχείων εκτός κειμένου
-pdfjs-free-text =
- .aria-label = Επεξεργασία κειμένου
-pdfjs-free-text-default-content = Ξεκινήστε να πληκτρολογείτε…
-pdfjs-ink =
- .aria-label = Επεξεργασία σχεδίων
-pdfjs-ink-canvas =
- .aria-label = Εικόνα από τον χρήστη
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Εναλλακτικό κείμενο
-pdfjs-editor-alt-text-edit-button-label = Επεξεργασία εναλλακτικού κειμένου
-pdfjs-editor-alt-text-dialog-label = Διαλέξτε μια επιλογή
-pdfjs-editor-alt-text-dialog-description = Το εναλλακτικό κείμενο είναι χρήσιμο όταν οι άνθρωποι δεν μπορούν να δουν την εικόνα ή όταν αυτή δεν φορτώνεται.
-pdfjs-editor-alt-text-add-description-label = Προσθήκη περιγραφής
-pdfjs-editor-alt-text-add-description-description = Στοχεύστε σε μία ή δύο προτάσεις που περιγράφουν το θέμα, τη ρύθμιση ή τις ενέργειες.
-pdfjs-editor-alt-text-mark-decorative-label = Επισήμανση ως διακοσμητικό
-pdfjs-editor-alt-text-mark-decorative-description = Χρησιμοποιείται για διακοσμητικές εικόνες, όπως περιγράμματα ή υδατογραφήματα.
-pdfjs-editor-alt-text-cancel-button = Ακύρωση
-pdfjs-editor-alt-text-save-button = Αποθήκευση
-pdfjs-editor-alt-text-decorative-tooltip = Επισημασμένο ως διακοσμητικό
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Για παράδειγμα, «Ένας νεαρός άνδρας κάθεται σε ένα τραπέζι για να φάει ένα γεύμα»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Επάνω αριστερή γωνία — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-top-middle = Μέσο επάνω πλευράς — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-top-right = Επάνω δεξιά γωνία — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-middle-right = Μέσο δεξιάς πλευράς — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-bottom-right = Κάτω δεξιά γωνία — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-bottom-middle = Μέσο κάτω πλευράς — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-bottom-left = Κάτω αριστερή γωνία — αλλαγή μεγέθους
-pdfjs-editor-resizer-label-middle-left = Μέσο αριστερής πλευράς — αλλαγή μεγέθους
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Χρώμα επισήμανσης
-pdfjs-editor-colorpicker-button =
- .title = Αλλαγή χρώματος
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Επιλογές χρωμάτων
-pdfjs-editor-colorpicker-yellow =
- .title = Κίτρινο
-pdfjs-editor-colorpicker-green =
- .title = Πράσινο
-pdfjs-editor-colorpicker-blue =
- .title = Μπλε
-pdfjs-editor-colorpicker-pink =
- .title = Ροζ
-pdfjs-editor-colorpicker-red =
- .title = Κόκκινο
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Εμφάνιση όλων
-pdfjs-editor-highlight-show-all-button =
- .title = Εμφάνιση όλων
diff --git a/static/pdf.js/locale/el/viewer.properties b/static/pdf.js/locale/el/viewer.properties
new file mode 100644
index 00000000..9d968c9a
--- /dev/null
+++ b/static/pdf.js/locale/el/viewer.properties
@@ -0,0 +1,165 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Προηγούμενη σελίδα
+previous_label=Προηγούμενη
+next.title=Επόμενη σελίδα
+next_label=Επόμενη
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Σελίδα:
+page_of=από {{pageCount}}
+
+zoom_out.title=Σμίκρυνση
+zoom_out_label=Σμίκρυνση
+zoom_in.title=Μεγέθυνση
+zoom_in_label=Μεγέθυνση
+zoom.title=Μεγέθυνση
+presentation_mode.title=Μετάβαση σε λειτουργία παρουσίασης
+presentation_mode_label=Λειτουργία παρουσίασης
+open_file.title=Άνοιγμα αρχείου
+open_file_label=Άνοιγμα
+print.title=Εκτύπωση
+print_label=Εκτύπωση
+download.title=Λήψη
+download_label=Λήψη
+bookmark.title=Τρέχουσα προβολή (αντίγραφο ή άνοιγμα σε νέο παράθυρο)
+bookmark_label=Τρέχουσα προβολή
+
+# Secondary toolbar and context menu
+tools.title=Εργαλεία
+tools_label=Εργαλεία
+first_page.title=Μετάβαση στην πρώτη σελίδα
+first_page.label=Μετάβαση στην πρώτη σελίδα
+first_page_label=Μετάβαση στην πρώτη σελίδα
+last_page.title=Μετάβαση στη τελευταία σελίδα
+last_page.label=Μετάβαση στη τελευταία σελίδα
+last_page_label=Μετάβαση στη τελευταία σελίδα
+page_rotate_cw.title=Δεξιόστροφη περιστροφή
+page_rotate_cw.label=Δεξιόστροφη περιστροφή
+page_rotate_cw_label=Δεξιόστροφη περιστροφή
+page_rotate_ccw.title=Αριστερόστροφη περιστροφή
+page_rotate_ccw.label=Αριστερόστροφη περιστροφή
+page_rotate_ccw_label=Αριστερόστροφη περιστροφή
+
+hand_tool_enable.title=Ενεργοποίηση εργαλείου χεριού
+hand_tool_enable_label=Ενεργοποίηση εργαλείου χεριού
+hand_tool_disable.title=Απενεργοποίηση εργαλείου χεριού
+hand_tool_disable_label=Απενεργοποίηση εργαλείου χεριού
+
+# Document properties dialog box
+document_properties.title=Ιδιότητες εγγράφου…
+document_properties_label=Ιδιότητες εγγράφου…
+document_properties_file_name=Όνομα αρχείου:
+document_properties_file_size=Μέγεθος αρχείου:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Τίτλος:
+document_properties_author=Συγγραφέας:
+document_properties_subject=Θέμα:
+document_properties_keywords=Λέξεις κλειδιά:
+document_properties_creation_date=Ημερομηνία δημιουργίας:
+document_properties_modification_date=Ημερομηνία τροποποίησης:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_creator=Δημιουργός:
+document_properties_producer=Παραγωγός PDF:
+document_properties_version=Έκδοση PDF:
+document_properties_page_count=Αριθμός σελίδων:
+document_properties_close=Κλείσιμο
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Εναλλαγή προβολής πλευρικής στήλης
+toggle_sidebar_label=Εναλλαγή προβολής πλευρικής στήλης
+outline.title=Προβολή διάρθρωσης κειμένου
+outline_label=Διάρθρωση κειμένου
+attachments.title=Προβολή συνημμένου
+attachments_label=Συνημμένα
+thumbs.title=Προβολή μικρογραφιών
+thumbs_label=Μικρογραφίες
+findbar.title=Εύρεση στο έγγραφο
+findbar_label=Εύρεση
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Σελίδα {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Μικρογραφία της σελίδας {{page}}
+
+# Find panel button title and messages
+find_label=Εύρεση:
+find_previous.title=Εύρεση της προηγούμενης εμφάνισης της φράσης
+find_previous_label=Προηγούμενο
+find_next.title=Εύρεση της επόμενης εμφάνισης της φράσης
+find_next_label=Επόμενο
+find_highlight=Επισήμανση όλων
+find_match_case_label=Ταίριασμα χαρακτήρα
+find_reached_top=Έλευση στην αρχή του εγγράφου, συνέχεια από το τέλος
+find_reached_bottom=Έλευση στο τέλος του εγγράφου, συνέχεια από την αρχή
+find_not_found=Η φράση δεν βρέθηκε
+
+# Error panel labels
+error_more_info=Περισσότερες πληροφορίες
+error_less_info=Λιγότερες πληροφορίες
+error_close=Κλείσιμο
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Μήνυμα: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Αρχείο: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+rendering_error=Προέκυψε σφάλμα κατά την ανάλυση της σελίδας.
+
+# Predefined zoom values
+page_scale_width=Πλάτος σελίδας
+page_scale_fit=Μέγεθος σελίδας
+page_scale_auto=Αυτόματη μεγέθυνση
+page_scale_actual=Πραγματικό μέγεθος
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Σφάλμα
+loading_error=Προέκυψε ένα σφάλμα κατά τη φόρτωση του PDF.
+invalid_file_error=Μη έγκυρο ή κατεστραμμένο αρχείο PDF.
+missing_file_error=Λείπει αρχείο PDF.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Σχόλιο]
+password_label=Εισαγωγή κωδικού για το άνοιγμα του PDF αρχείου.
+password_invalid=Μη έγκυρος κωδικός. Προσπαθείστε ξανά.
+password_ok=ΟΚ
+password_cancel=Ακύρωση
+
+printing_not_supported=Προειδοποίηση: Η εκτύπωση δεν υποστηρίζεται πλήρως από αυτόν τον περιηγητή.
+printing_not_ready=Προειδοποίηση: Το PDF δεν φορτώθηκε πλήρως για εκτύπωση.
+web_fonts_disabled=Οι γραμματοσειρές Web απενεργοποιημένες: αδυναμία χρήσης των ενσωματωμένων γραμματοσειρών PDF.
+document_colors_disabled=Δεν επιτρέπεται στα έγγραφα PDF να χρησιμοποιούν τα δικά τους χρώματα: Η επιλογή \'Να επιτρέπεται η χρήση χρωμάτων της σελίδας\' δεν είναι ενεργή στην εφαρμογή.
diff --git a/static/pdf.js/locale/en-CA/viewer.ftl b/static/pdf.js/locale/en-CA/viewer.ftl
deleted file mode 100644
index f87104e7..00000000
--- a/static/pdf.js/locale/en-CA/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Previous Page
-pdfjs-previous-button-label = Previous
-pdfjs-next-button =
- .title = Next Page
-pdfjs-next-button-label = Next
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Page
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = of { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom Out
-pdfjs-zoom-out-button-label = Zoom Out
-pdfjs-zoom-in-button =
- .title = Zoom In
-pdfjs-zoom-in-button-label = Zoom In
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Switch to Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Open File
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Print
-pdfjs-print-button-label = Print
-pdfjs-save-button =
- .title = Save
-pdfjs-save-button-label = Save
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Download
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Download
-pdfjs-bookmark-button =
- .title = Current Page (View URL from Current Page)
-pdfjs-bookmark-button-label = Current Page
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Open in app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Open in app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Go to First Page
-pdfjs-first-page-button-label = Go to First Page
-pdfjs-last-page-button =
- .title = Go to Last Page
-pdfjs-last-page-button-label = Go to Last Page
-pdfjs-page-rotate-cw-button =
- .title = Rotate Clockwise
-pdfjs-page-rotate-cw-button-label = Rotate Clockwise
-pdfjs-page-rotate-ccw-button =
- .title = Rotate Counterclockwise
-pdfjs-page-rotate-ccw-button-label = Rotate Counterclockwise
-pdfjs-cursor-text-select-tool-button =
- .title = Enable Text Selection Tool
-pdfjs-cursor-text-select-tool-button-label = Text Selection Tool
-pdfjs-cursor-hand-tool-button =
- .title = Enable Hand Tool
-pdfjs-cursor-hand-tool-button-label = Hand Tool
-pdfjs-scroll-page-button =
- .title = Use Page Scrolling
-pdfjs-scroll-page-button-label = Page Scrolling
-pdfjs-scroll-vertical-button =
- .title = Use Vertical Scrolling
-pdfjs-scroll-vertical-button-label = Vertical Scrolling
-pdfjs-scroll-horizontal-button =
- .title = Use Horizontal Scrolling
-pdfjs-scroll-horizontal-button-label = Horizontal Scrolling
-pdfjs-scroll-wrapped-button =
- .title = Use Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = Do not join page spreads
-pdfjs-spread-none-button-label = No Spreads
-pdfjs-spread-odd-button =
- .title = Join page spreads starting with odd-numbered pages
-pdfjs-spread-odd-button-label = Odd Spreads
-pdfjs-spread-even-button =
- .title = Join page spreads starting with even-numbered pages
-pdfjs-spread-even-button-label = Even Spreads
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Document Properties…
-pdfjs-document-properties-button-label = Document Properties…
-pdfjs-document-properties-file-name = File name:
-pdfjs-document-properties-file-size = File size:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Title:
-pdfjs-document-properties-author = Author:
-pdfjs-document-properties-subject = Subject:
-pdfjs-document-properties-keywords = Keywords:
-pdfjs-document-properties-creation-date = Creation Date:
-pdfjs-document-properties-modification-date = Modification Date:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creator:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Page Count:
-pdfjs-document-properties-page-size = Page Size:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = landscape
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Yes
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Close
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancel
-pdfjs-printing-not-supported = Warning: Printing is not fully supported by this browser.
-pdfjs-printing-not-ready = Warning: The PDF is not fully loaded for printing.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggle Sidebar
-pdfjs-toggle-sidebar-notification-button =
- .title = Toggle Sidebar (document contains outline/attachments/layers)
-pdfjs-toggle-sidebar-button-label = Toggle Sidebar
-pdfjs-document-outline-button =
- .title = Show Document Outline (double-click to expand/collapse all items)
-pdfjs-document-outline-button-label = Document Outline
-pdfjs-attachments-button =
- .title = Show Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-layers-button =
- .title = Show Layers (double-click to reset all layers to the default state)
-pdfjs-layers-button-label = Layers
-pdfjs-thumbs-button =
- .title = Show Thumbnails
-pdfjs-thumbs-button-label = Thumbnails
-pdfjs-current-outline-item-button =
- .title = Find Current Outline Item
-pdfjs-current-outline-item-button-label = Current Outline Item
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = Find
-pdfjs-additional-layers = Additional Layers
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail of Page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find in document…
-pdfjs-find-previous-button =
- .title = Find the previous occurrence of the phrase
-pdfjs-find-previous-button-label = Previous
-pdfjs-find-next-button =
- .title = Find the next occurrence of the phrase
-pdfjs-find-next-button-label = Next
-pdfjs-find-highlight-checkbox = Highlight All
-pdfjs-find-match-case-checkbox-label = Match Case
-pdfjs-find-match-diacritics-checkbox-label = Match Diacritics
-pdfjs-find-entire-word-checkbox-label = Whole Words
-pdfjs-find-reached-top = Reached top of document, continued from bottom
-pdfjs-find-reached-bottom = Reached end of document, continued from top
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } of { $total } match
- *[other] { $current } of { $total } matches
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] More than { $limit } match
- *[other] More than { $limit } matches
- }
-pdfjs-find-not-found = Phrase not found
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Page Width
-pdfjs-page-scale-fit = Page Fit
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Actual Size
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Page { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = An error occurred while loading the PDF.
-pdfjs-invalid-file-error = Invalid or corrupted PDF file.
-pdfjs-missing-file-error = Missing PDF file.
-pdfjs-unexpected-response-error = Unexpected server response.
-pdfjs-rendering-error = An error occurred while rendering the page.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Enter the password to open this PDF file.
-pdfjs-password-invalid = Invalid password. Please try again.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancel
-pdfjs-web-fonts-disabled = Web fonts are disabled: unable to use embedded PDF fonts.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Draw
-pdfjs-editor-ink-button-label = Draw
-pdfjs-editor-stamp-button =
- .title = Add or edit images
-pdfjs-editor-stamp-button-label = Add or edit images
-pdfjs-editor-highlight-button =
- .title = Highlight
-pdfjs-editor-highlight-button-label = Highlight
-pdfjs-highlight-floating-button =
- .title = Highlight
-pdfjs-highlight-floating-button1 =
- .title = Highlight
- .aria-label = Highlight
-pdfjs-highlight-floating-button-label = Highlight
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remove drawing
-pdfjs-editor-remove-freetext-button =
- .title = Remove text
-pdfjs-editor-remove-stamp-button =
- .title = Remove image
-pdfjs-editor-remove-highlight-button =
- .title = Remove highlight
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colour
-pdfjs-editor-free-text-size-input = Size
-pdfjs-editor-ink-color-input = Colour
-pdfjs-editor-ink-thickness-input = Thickness
-pdfjs-editor-ink-opacity-input = Opacity
-pdfjs-editor-stamp-add-image-button =
- .title = Add image
-pdfjs-editor-stamp-add-image-button-label = Add image
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Thickness
-pdfjs-editor-free-highlight-thickness-title =
- .title = Change thickness when highlighting items other than text
-pdfjs-free-text =
- .aria-label = Text Editor
-pdfjs-free-text-default-content = Start typing…
-pdfjs-ink =
- .aria-label = Draw Editor
-pdfjs-ink-canvas =
- .aria-label = User-created image
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt text
-pdfjs-editor-alt-text-edit-button-label = Edit alt text
-pdfjs-editor-alt-text-dialog-label = Choose an option
-pdfjs-editor-alt-text-dialog-description = Alt text (alternative text) helps when people can’t see the image or when it doesn’t load.
-pdfjs-editor-alt-text-add-description-label = Add a description
-pdfjs-editor-alt-text-add-description-description = Aim for 1-2 sentences that describe the subject, setting, or actions.
-pdfjs-editor-alt-text-mark-decorative-label = Mark as decorative
-pdfjs-editor-alt-text-mark-decorative-description = This is used for ornamental images, like borders or watermarks.
-pdfjs-editor-alt-text-cancel-button = Cancel
-pdfjs-editor-alt-text-save-button = Save
-pdfjs-editor-alt-text-decorative-tooltip = Marked as decorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = For example, “A young man sits down at a table to eat a meal”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Top left corner — resize
-pdfjs-editor-resizer-label-top-middle = Top middle — resize
-pdfjs-editor-resizer-label-top-right = Top right corner — resize
-pdfjs-editor-resizer-label-middle-right = Middle right — resize
-pdfjs-editor-resizer-label-bottom-right = Bottom right corner — resize
-pdfjs-editor-resizer-label-bottom-middle = Bottom middle — resize
-pdfjs-editor-resizer-label-bottom-left = Bottom left corner — resize
-pdfjs-editor-resizer-label-middle-left = Middle left — resize
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Highlight colour
-pdfjs-editor-colorpicker-button =
- .title = Change colour
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Colour choices
-pdfjs-editor-colorpicker-yellow =
- .title = Yellow
-pdfjs-editor-colorpicker-green =
- .title = Green
-pdfjs-editor-colorpicker-blue =
- .title = Blue
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Red
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Show all
-pdfjs-editor-highlight-show-all-button =
- .title = Show all
diff --git a/static/pdf.js/locale/en-GB/viewer.ftl b/static/pdf.js/locale/en-GB/viewer.ftl
deleted file mode 100644
index 3b141aee..00000000
--- a/static/pdf.js/locale/en-GB/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Previous Page
-pdfjs-previous-button-label = Previous
-pdfjs-next-button =
- .title = Next Page
-pdfjs-next-button-label = Next
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Page
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = of { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom Out
-pdfjs-zoom-out-button-label = Zoom Out
-pdfjs-zoom-in-button =
- .title = Zoom In
-pdfjs-zoom-in-button-label = Zoom In
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Switch to Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Open File
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Print
-pdfjs-print-button-label = Print
-pdfjs-save-button =
- .title = Save
-pdfjs-save-button-label = Save
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Download
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Download
-pdfjs-bookmark-button =
- .title = Current Page (View URL from Current Page)
-pdfjs-bookmark-button-label = Current Page
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Open in app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Open in app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Go to First Page
-pdfjs-first-page-button-label = Go to First Page
-pdfjs-last-page-button =
- .title = Go to Last Page
-pdfjs-last-page-button-label = Go to Last Page
-pdfjs-page-rotate-cw-button =
- .title = Rotate Clockwise
-pdfjs-page-rotate-cw-button-label = Rotate Clockwise
-pdfjs-page-rotate-ccw-button =
- .title = Rotate Anti-Clockwise
-pdfjs-page-rotate-ccw-button-label = Rotate Anti-Clockwise
-pdfjs-cursor-text-select-tool-button =
- .title = Enable Text Selection Tool
-pdfjs-cursor-text-select-tool-button-label = Text Selection Tool
-pdfjs-cursor-hand-tool-button =
- .title = Enable Hand Tool
-pdfjs-cursor-hand-tool-button-label = Hand Tool
-pdfjs-scroll-page-button =
- .title = Use Page Scrolling
-pdfjs-scroll-page-button-label = Page Scrolling
-pdfjs-scroll-vertical-button =
- .title = Use Vertical Scrolling
-pdfjs-scroll-vertical-button-label = Vertical Scrolling
-pdfjs-scroll-horizontal-button =
- .title = Use Horizontal Scrolling
-pdfjs-scroll-horizontal-button-label = Horizontal Scrolling
-pdfjs-scroll-wrapped-button =
- .title = Use Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = Do not join page spreads
-pdfjs-spread-none-button-label = No Spreads
-pdfjs-spread-odd-button =
- .title = Join page spreads starting with odd-numbered pages
-pdfjs-spread-odd-button-label = Odd Spreads
-pdfjs-spread-even-button =
- .title = Join page spreads starting with even-numbered pages
-pdfjs-spread-even-button-label = Even Spreads
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Document Properties…
-pdfjs-document-properties-button-label = Document Properties…
-pdfjs-document-properties-file-name = File name:
-pdfjs-document-properties-file-size = File size:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Title:
-pdfjs-document-properties-author = Author:
-pdfjs-document-properties-subject = Subject:
-pdfjs-document-properties-keywords = Keywords:
-pdfjs-document-properties-creation-date = Creation Date:
-pdfjs-document-properties-modification-date = Modification Date:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creator:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Page Count:
-pdfjs-document-properties-page-size = Page Size:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = landscape
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Yes
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Close
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancel
-pdfjs-printing-not-supported = Warning: Printing is not fully supported by this browser.
-pdfjs-printing-not-ready = Warning: The PDF is not fully loaded for printing.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggle Sidebar
-pdfjs-toggle-sidebar-notification-button =
- .title = Toggle Sidebar (document contains outline/attachments/layers)
-pdfjs-toggle-sidebar-button-label = Toggle Sidebar
-pdfjs-document-outline-button =
- .title = Show Document Outline (double-click to expand/collapse all items)
-pdfjs-document-outline-button-label = Document Outline
-pdfjs-attachments-button =
- .title = Show Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-layers-button =
- .title = Show Layers (double-click to reset all layers to the default state)
-pdfjs-layers-button-label = Layers
-pdfjs-thumbs-button =
- .title = Show Thumbnails
-pdfjs-thumbs-button-label = Thumbnails
-pdfjs-current-outline-item-button =
- .title = Find Current Outline Item
-pdfjs-current-outline-item-button-label = Current Outline Item
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = Find
-pdfjs-additional-layers = Additional Layers
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail of Page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find in document…
-pdfjs-find-previous-button =
- .title = Find the previous occurrence of the phrase
-pdfjs-find-previous-button-label = Previous
-pdfjs-find-next-button =
- .title = Find the next occurrence of the phrase
-pdfjs-find-next-button-label = Next
-pdfjs-find-highlight-checkbox = Highlight All
-pdfjs-find-match-case-checkbox-label = Match Case
-pdfjs-find-match-diacritics-checkbox-label = Match Diacritics
-pdfjs-find-entire-word-checkbox-label = Whole Words
-pdfjs-find-reached-top = Reached top of document, continued from bottom
-pdfjs-find-reached-bottom = Reached end of document, continued from top
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } of { $total } match
- *[other] { $current } of { $total } matches
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] More than { $limit } match
- *[other] More than { $limit } matches
- }
-pdfjs-find-not-found = Phrase not found
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Page Width
-pdfjs-page-scale-fit = Page Fit
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Actual Size
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Page { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = An error occurred while loading the PDF.
-pdfjs-invalid-file-error = Invalid or corrupted PDF file.
-pdfjs-missing-file-error = Missing PDF file.
-pdfjs-unexpected-response-error = Unexpected server response.
-pdfjs-rendering-error = An error occurred while rendering the page.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Enter the password to open this PDF file.
-pdfjs-password-invalid = Invalid password. Please try again.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancel
-pdfjs-web-fonts-disabled = Web fonts are disabled: unable to use embedded PDF fonts.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Draw
-pdfjs-editor-ink-button-label = Draw
-pdfjs-editor-stamp-button =
- .title = Add or edit images
-pdfjs-editor-stamp-button-label = Add or edit images
-pdfjs-editor-highlight-button =
- .title = Highlight
-pdfjs-editor-highlight-button-label = Highlight
-pdfjs-highlight-floating-button =
- .title = Highlight
-pdfjs-highlight-floating-button1 =
- .title = Highlight
- .aria-label = Highlight
-pdfjs-highlight-floating-button-label = Highlight
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remove drawing
-pdfjs-editor-remove-freetext-button =
- .title = Remove text
-pdfjs-editor-remove-stamp-button =
- .title = Remove image
-pdfjs-editor-remove-highlight-button =
- .title = Remove highlight
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colour
-pdfjs-editor-free-text-size-input = Size
-pdfjs-editor-ink-color-input = Colour
-pdfjs-editor-ink-thickness-input = Thickness
-pdfjs-editor-ink-opacity-input = Opacity
-pdfjs-editor-stamp-add-image-button =
- .title = Add image
-pdfjs-editor-stamp-add-image-button-label = Add image
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Thickness
-pdfjs-editor-free-highlight-thickness-title =
- .title = Change thickness when highlighting items other than text
-pdfjs-free-text =
- .aria-label = Text Editor
-pdfjs-free-text-default-content = Start typing…
-pdfjs-ink =
- .aria-label = Draw Editor
-pdfjs-ink-canvas =
- .aria-label = User-created image
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt text
-pdfjs-editor-alt-text-edit-button-label = Edit alt text
-pdfjs-editor-alt-text-dialog-label = Choose an option
-pdfjs-editor-alt-text-dialog-description = Alt text (alternative text) helps when people can’t see the image or when it doesn’t load.
-pdfjs-editor-alt-text-add-description-label = Add a description
-pdfjs-editor-alt-text-add-description-description = Aim for 1-2 sentences that describe the subject, setting, or actions.
-pdfjs-editor-alt-text-mark-decorative-label = Mark as decorative
-pdfjs-editor-alt-text-mark-decorative-description = This is used for ornamental images, like borders or watermarks.
-pdfjs-editor-alt-text-cancel-button = Cancel
-pdfjs-editor-alt-text-save-button = Save
-pdfjs-editor-alt-text-decorative-tooltip = Marked as decorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = For example, “A young man sits down at a table to eat a meal”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Top left corner — resize
-pdfjs-editor-resizer-label-top-middle = Top middle — resize
-pdfjs-editor-resizer-label-top-right = Top right corner — resize
-pdfjs-editor-resizer-label-middle-right = Middle right — resize
-pdfjs-editor-resizer-label-bottom-right = Bottom right corner — resize
-pdfjs-editor-resizer-label-bottom-middle = Bottom middle — resize
-pdfjs-editor-resizer-label-bottom-left = Bottom left corner — resize
-pdfjs-editor-resizer-label-middle-left = Middle left — resize
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Highlight colour
-pdfjs-editor-colorpicker-button =
- .title = Change colour
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Colour choices
-pdfjs-editor-colorpicker-yellow =
- .title = Yellow
-pdfjs-editor-colorpicker-green =
- .title = Green
-pdfjs-editor-colorpicker-blue =
- .title = Blue
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Red
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Show all
-pdfjs-editor-highlight-show-all-button =
- .title = Show all
diff --git a/static/pdf.js/locale/en-GB/viewer.properties b/static/pdf.js/locale/en-GB/viewer.properties
new file mode 100644
index 00000000..d0d1e647
--- /dev/null
+++ b/static/pdf.js/locale/en-GB/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Previous Page
+previous_label=Previous
+next.title=Next Page
+next_label=Next
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Page:
+page_of=of {{pageCount}}
+
+zoom_out.title=Zoom Out
+zoom_out_label=Zoom Out
+zoom_in.title=Zoom In
+zoom_in_label=Zoom In
+zoom.title=Zoom
+presentation_mode.title=Switch to Presentation Mode
+presentation_mode_label=Presentation Mode
+open_file.title=Open File
+open_file_label=Open
+print.title=Print
+print_label=Print
+download.title=Download
+download_label=Download
+bookmark.title=Current view (copy or open in new window)
+bookmark_label=Current View
+
+# Secondary toolbar and context menu
+tools.title=Tools
+tools_label=Tools
+first_page.title=Go to First Page
+first_page.label=Go to First Page
+first_page_label=Go to First Page
+last_page.title=Go to Last Page
+last_page.label=Go to Last Page
+last_page_label=Go to Last Page
+page_rotate_cw.title=Rotate Clockwise
+page_rotate_cw.label=Rotate Clockwise
+page_rotate_cw_label=Rotate Clockwise
+page_rotate_ccw.title=Rotate Anti-Clockwise
+page_rotate_ccw.label=Rotate Anti-Clockwise
+page_rotate_ccw_label=Rotate Anti-Clockwise
+
+hand_tool_enable.title=Enable hand tool
+hand_tool_enable_label=Enable hand tool
+hand_tool_disable.title=Disable hand tool
+hand_tool_disable_label=Disable hand tool
+
+# Document properties dialog box
+document_properties.title=Document Properties…
+document_properties_label=Document Properties…
+document_properties_file_name=File name:
+document_properties_file_size=File size:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} kB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Title:
+document_properties_author=Author:
+document_properties_subject=Subject:
+document_properties_keywords=Keywords:
+document_properties_creation_date=Creation Date:
+document_properties_modification_date=Modification Date:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creator:
+document_properties_producer=PDF Producer:
+document_properties_version=PDF Version:
+document_properties_page_count=Page Count:
+document_properties_close=Close
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toggle Sidebar
+toggle_sidebar_label=Toggle Sidebar
+outline.title=Show Document Outline
+outline_label=Document Outline
+attachments.title=Show Attachments
+attachments_label=Attachments
+thumbs.title=Show Thumbnails
+thumbs_label=Thumbnails
+findbar.title=Find in Document
+findbar_label=Find
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Page {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail of Page {{page}}
+
+# Find panel button title and messages
+find_label=Find:
+find_previous.title=Find the previous occurrence of the phrase
+find_previous_label=Previous
+find_next.title=Find the next occurrence of the phrase
+find_next_label=Next
+find_highlight=Highlight all
+find_match_case_label=Match case
+find_reached_top=Reached top of document, continued from bottom
+find_reached_bottom=Reached end of document, continued from top
+find_not_found=Phrase not found
+
+# Error panel labels
+error_more_info=More Information
+error_less_info=Less Information
+error_close=Close
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Line: {{line}}
+rendering_error=An error occurred while rendering the page.
+
+# Predefined zoom values
+page_scale_width=Page Width
+page_scale_fit=Page Fit
+page_scale_auto=Automatic Zoom
+page_scale_actual=Actual Size
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=An error occurred while loading the PDF.
+invalid_file_error=Invalid or corrupted PDF file.
+missing_file_error=Missing PDF file.
+unexpected_response_error=Unexpected server response.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=Enter the password to open this PDF file.
+password_invalid=Invalid password. Please try again.
+password_ok=OK
+password_cancel=Cancel
+
+printing_not_supported=Warning: Printing is not fully supported by this browser.
+printing_not_ready=Warning: The PDF is not fully loaded for printing.
+web_fonts_disabled=Web fonts are disabled: unable to use embedded PDF fonts.
+document_colors_not_allowed=PDF documents are not allowed to use their own colours: 'Allow pages to choose their own colours' is deactivated in the browser.
diff --git a/static/pdf.js/locale/en-US/viewer.ftl b/static/pdf.js/locale/en-US/viewer.ftl
deleted file mode 100644
index 8aea4395..00000000
--- a/static/pdf.js/locale/en-US/viewer.ftl
+++ /dev/null
@@ -1,418 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Previous Page
-pdfjs-previous-button-label = Previous
-pdfjs-next-button =
- .title = Next Page
-pdfjs-next-button-label = Next
-
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Page
-
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = of { $pagesCount }
-
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-
-pdfjs-zoom-out-button =
- .title = Zoom Out
-pdfjs-zoom-out-button-label = Zoom Out
-pdfjs-zoom-in-button =
- .title = Zoom In
-pdfjs-zoom-in-button-label = Zoom In
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Switch to Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Open File
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Print
-pdfjs-print-button-label = Print
-pdfjs-save-button =
- .title = Save
-pdfjs-save-button-label = Save
-
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Download
-
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Download
-
-pdfjs-bookmark-button =
- .title = Current Page (View URL from Current Page)
-pdfjs-bookmark-button-label = Current Page
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Go to First Page
-pdfjs-first-page-button-label = Go to First Page
-pdfjs-last-page-button =
- .title = Go to Last Page
-pdfjs-last-page-button-label = Go to Last Page
-pdfjs-page-rotate-cw-button =
- .title = Rotate Clockwise
-pdfjs-page-rotate-cw-button-label = Rotate Clockwise
-pdfjs-page-rotate-ccw-button =
- .title = Rotate Counterclockwise
-pdfjs-page-rotate-ccw-button-label = Rotate Counterclockwise
-pdfjs-cursor-text-select-tool-button =
- .title = Enable Text Selection Tool
-pdfjs-cursor-text-select-tool-button-label = Text Selection Tool
-pdfjs-cursor-hand-tool-button =
- .title = Enable Hand Tool
-pdfjs-cursor-hand-tool-button-label = Hand Tool
-pdfjs-scroll-page-button =
- .title = Use Page Scrolling
-pdfjs-scroll-page-button-label = Page Scrolling
-pdfjs-scroll-vertical-button =
- .title = Use Vertical Scrolling
-pdfjs-scroll-vertical-button-label = Vertical Scrolling
-pdfjs-scroll-horizontal-button =
- .title = Use Horizontal Scrolling
-pdfjs-scroll-horizontal-button-label = Horizontal Scrolling
-pdfjs-scroll-wrapped-button =
- .title = Use Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = Do not join page spreads
-pdfjs-spread-none-button-label = No Spreads
-pdfjs-spread-odd-button =
- .title = Join page spreads starting with odd-numbered pages
-pdfjs-spread-odd-button-label = Odd Spreads
-pdfjs-spread-even-button =
- .title = Join page spreads starting with even-numbered pages
-pdfjs-spread-even-button-label = Even Spreads
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Document Properties…
-pdfjs-document-properties-button-label = Document Properties…
-pdfjs-document-properties-file-name = File name:
-pdfjs-document-properties-file-size = File size:
-
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-
-pdfjs-document-properties-title = Title:
-pdfjs-document-properties-author = Author:
-pdfjs-document-properties-subject = Subject:
-pdfjs-document-properties-keywords = Keywords:
-pdfjs-document-properties-creation-date = Creation Date:
-pdfjs-document-properties-modification-date = Modification Date:
-
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-
-pdfjs-document-properties-creator = Creator:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Page Count:
-pdfjs-document-properties-page-size = Page Size:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = landscape
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Yes
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Close
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-
-pdfjs-print-progress-close-button = Cancel
-pdfjs-printing-not-supported = Warning: Printing is not fully supported by this browser.
-pdfjs-printing-not-ready = Warning: The PDF is not fully loaded for printing.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggle Sidebar
-pdfjs-toggle-sidebar-notification-button =
- .title = Toggle Sidebar (document contains outline/attachments/layers)
-pdfjs-toggle-sidebar-button-label = Toggle Sidebar
-pdfjs-document-outline-button =
- .title = Show Document Outline (double-click to expand/collapse all items)
-pdfjs-document-outline-button-label = Document Outline
-pdfjs-attachments-button =
- .title = Show Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-layers-button =
- .title = Show Layers (double-click to reset all layers to the default state)
-pdfjs-layers-button-label = Layers
-pdfjs-thumbs-button =
- .title = Show Thumbnails
-pdfjs-thumbs-button-label = Thumbnails
-pdfjs-current-outline-item-button =
- .title = Find Current Outline Item
-pdfjs-current-outline-item-button-label = Current Outline Item
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = Find
-pdfjs-additional-layers = Additional Layers
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail of Page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find in document…
-pdfjs-find-previous-button =
- .title = Find the previous occurrence of the phrase
-pdfjs-find-previous-button-label = Previous
-pdfjs-find-next-button =
- .title = Find the next occurrence of the phrase
-pdfjs-find-next-button-label = Next
-pdfjs-find-highlight-checkbox = Highlight All
-pdfjs-find-match-case-checkbox-label = Match Case
-pdfjs-find-match-diacritics-checkbox-label = Match Diacritics
-pdfjs-find-entire-word-checkbox-label = Whole Words
-pdfjs-find-reached-top = Reached top of document, continued from bottom
-pdfjs-find-reached-bottom = Reached end of document, continued from top
-
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } of { $total } match
- *[other] { $current } of { $total } matches
- }
-
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] More than { $limit } match
- *[other] More than { $limit } matches
- }
-
-pdfjs-find-not-found = Phrase not found
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Page Width
-pdfjs-page-scale-fit = Page Fit
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Actual Size
-
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Page { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = An error occurred while loading the PDF.
-pdfjs-invalid-file-error = Invalid or corrupted PDF file.
-pdfjs-missing-file-error = Missing PDF file.
-pdfjs-unexpected-response-error = Unexpected server response.
-pdfjs-rendering-error = An error occurred while rendering the page.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Enter the password to open this PDF file.
-pdfjs-password-invalid = Invalid password. Please try again.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancel
-pdfjs-web-fonts-disabled = Web fonts are disabled: unable to use embedded PDF fonts.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Draw
-pdfjs-editor-ink-button-label = Draw
-pdfjs-editor-stamp-button =
- .title = Add or edit images
-pdfjs-editor-stamp-button-label = Add or edit images
-pdfjs-editor-highlight-button =
- .title = Highlight
-pdfjs-editor-highlight-button-label = Highlight
-pdfjs-highlight-floating-button1 =
- .title = Highlight
- .aria-label = Highlight
-pdfjs-highlight-floating-button-label = Highlight
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remove drawing
-pdfjs-editor-remove-freetext-button =
- .title = Remove text
-pdfjs-editor-remove-stamp-button =
- .title = Remove image
-pdfjs-editor-remove-highlight-button =
- .title = Remove highlight
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Size
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Thickness
-pdfjs-editor-ink-opacity-input = Opacity
-pdfjs-editor-stamp-add-image-button =
- .title = Add image
-pdfjs-editor-stamp-add-image-button-label = Add image
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Thickness
-pdfjs-editor-free-highlight-thickness-title =
- .title = Change thickness when highlighting items other than text
-
-pdfjs-free-text =
- .aria-label = Text Editor
-pdfjs-free-text-default-content = Start typing…
-pdfjs-ink =
- .aria-label = Draw Editor
-pdfjs-ink-canvas =
- .aria-label = User-created image
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt text
-
-pdfjs-editor-alt-text-edit-button-label = Edit alt text
-pdfjs-editor-alt-text-dialog-label = Choose an option
-pdfjs-editor-alt-text-dialog-description = Alt text (alternative text) helps when people can’t see the image or when it doesn’t load.
-pdfjs-editor-alt-text-add-description-label = Add a description
-pdfjs-editor-alt-text-add-description-description = Aim for 1-2 sentences that describe the subject, setting, or actions.
-pdfjs-editor-alt-text-mark-decorative-label = Mark as decorative
-pdfjs-editor-alt-text-mark-decorative-description = This is used for ornamental images, like borders or watermarks.
-pdfjs-editor-alt-text-cancel-button = Cancel
-pdfjs-editor-alt-text-save-button = Save
-pdfjs-editor-alt-text-decorative-tooltip = Marked as decorative
-
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = For example, “A young man sits down at a table to eat a meal”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Top left corner — resize
-pdfjs-editor-resizer-label-top-middle = Top middle — resize
-pdfjs-editor-resizer-label-top-right = Top right corner — resize
-pdfjs-editor-resizer-label-middle-right = Middle right — resize
-pdfjs-editor-resizer-label-bottom-right = Bottom right corner — resize
-pdfjs-editor-resizer-label-bottom-middle = Bottom middle — resize
-pdfjs-editor-resizer-label-bottom-left = Bottom left corner — resize
-pdfjs-editor-resizer-label-middle-left = Middle left — resize
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Highlight color
-
-pdfjs-editor-colorpicker-button =
- .title = Change color
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Color choices
-pdfjs-editor-colorpicker-yellow =
- .title = Yellow
-pdfjs-editor-colorpicker-green =
- .title = Green
-pdfjs-editor-colorpicker-blue =
- .title = Blue
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Red
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Show all
-pdfjs-editor-highlight-show-all-button =
- .title = Show all
diff --git a/static/pdf.js/locale/en-US/viewer.properties b/static/pdf.js/locale/en-US/viewer.properties
new file mode 100644
index 00000000..20c91956
--- /dev/null
+++ b/static/pdf.js/locale/en-US/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Previous Page
+previous_label=Previous
+next.title=Next Page
+next_label=Next
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Page:
+page_of=of {{pageCount}}
+
+zoom_out.title=Zoom Out
+zoom_out_label=Zoom Out
+zoom_in.title=Zoom In
+zoom_in_label=Zoom In
+zoom.title=Zoom
+presentation_mode.title=Switch to Presentation Mode
+presentation_mode_label=Presentation Mode
+open_file.title=Open File
+open_file_label=Open
+print.title=Print
+print_label=Print
+download.title=Download
+download_label=Download
+bookmark.title=Current view (copy or open in new window)
+bookmark_label=Current View
+
+# Secondary toolbar and context menu
+tools.title=Tools
+tools_label=Tools
+first_page.title=Go to First Page
+first_page.label=Go to First Page
+first_page_label=Go to First Page
+last_page.title=Go to Last Page
+last_page.label=Go to Last Page
+last_page_label=Go to Last Page
+page_rotate_cw.title=Rotate Clockwise
+page_rotate_cw.label=Rotate Clockwise
+page_rotate_cw_label=Rotate Clockwise
+page_rotate_ccw.title=Rotate Counterclockwise
+page_rotate_ccw.label=Rotate Counterclockwise
+page_rotate_ccw_label=Rotate Counterclockwise
+
+hand_tool_enable.title=Enable hand tool
+hand_tool_enable_label=Enable hand tool
+hand_tool_disable.title=Disable hand tool
+hand_tool_disable_label=Disable hand tool
+
+# Document properties dialog box
+document_properties.title=Document Properties…
+document_properties_label=Document Properties…
+document_properties_file_name=File name:
+document_properties_file_size=File size:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Title:
+document_properties_author=Author:
+document_properties_subject=Subject:
+document_properties_keywords=Keywords:
+document_properties_creation_date=Creation Date:
+document_properties_modification_date=Modification Date:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creator:
+document_properties_producer=PDF Producer:
+document_properties_version=PDF Version:
+document_properties_page_count=Page Count:
+document_properties_close=Close
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toggle Sidebar
+toggle_sidebar_label=Toggle Sidebar
+outline.title=Show Document Outline
+outline_label=Document Outline
+attachments.title=Show Attachments
+attachments_label=Attachments
+thumbs.title=Show Thumbnails
+thumbs_label=Thumbnails
+findbar.title=Find in Document
+findbar_label=Find
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Page {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail of Page {{page}}
+
+# Find panel button title and messages
+find_label=Find:
+find_previous.title=Find the previous occurrence of the phrase
+find_previous_label=Previous
+find_next.title=Find the next occurrence of the phrase
+find_next_label=Next
+find_highlight=Highlight all
+find_match_case_label=Match case
+find_reached_top=Reached top of document, continued from bottom
+find_reached_bottom=Reached end of document, continued from top
+find_not_found=Phrase not found
+
+# Error panel labels
+error_more_info=More Information
+error_less_info=Less Information
+error_close=Close
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Line: {{line}}
+rendering_error=An error occurred while rendering the page.
+
+# Predefined zoom values
+page_scale_width=Page Width
+page_scale_fit=Page Fit
+page_scale_auto=Automatic Zoom
+page_scale_actual=Actual Size
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=An error occurred while loading the PDF.
+invalid_file_error=Invalid or corrupted PDF file.
+missing_file_error=Missing PDF file.
+unexpected_response_error=Unexpected server response.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=Enter the password to open this PDF file.
+password_invalid=Invalid password. Please try again.
+password_ok=OK
+password_cancel=Cancel
+
+printing_not_supported=Warning: Printing is not fully supported by this browser.
+printing_not_ready=Warning: The PDF is not fully loaded for printing.
+web_fonts_disabled=Web fonts are disabled: unable to use embedded PDF fonts.
+document_colors_not_allowed=PDF documents are not allowed to use their own colors: 'Allow pages to choose their own colors' is deactivated in the browser.
diff --git a/static/pdf.js/locale/en-ZA/viewer.properties b/static/pdf.js/locale/en-ZA/viewer.properties
new file mode 100644
index 00000000..edb9fd0e
--- /dev/null
+++ b/static/pdf.js/locale/en-ZA/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Previous Page
+previous_label=Previous
+next.title=Next Page
+next_label=Next
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Page:
+page_of=of {{pageCount}}
+
+zoom_out.title=Zoom Out
+zoom_out_label=Zoom Out
+zoom_in.title=Zoom In
+zoom_in_label=Zoom In
+zoom.title=Zoom
+presentation_mode.title=Switch to Presentation Mode
+presentation_mode_label=Presentation Mode
+open_file.title=Open File
+open_file_label=Open
+print.title=Print
+print_label=Print
+download.title=Download
+download_label=Download
+bookmark.title=Current view (copy or open in new window)
+bookmark_label=Current View
+
+# Secondary toolbar and context menu
+tools.title=Tools
+tools_label=Tools
+first_page.title=Go to First Page
+first_page.label=Go to First Page
+first_page_label=Go to First Page
+last_page.title=Go to Last Page
+last_page.label=Go to Last Page
+last_page_label=Go to Last Page
+page_rotate_cw.title=Rotate Clockwise
+page_rotate_cw.label=Rotate Clockwise
+page_rotate_cw_label=Rotate Clockwise
+page_rotate_ccw.title=Rotate Counterclockwise
+page_rotate_ccw.label=Rotate Counterclockwise
+page_rotate_ccw_label=Rotate Counterclockwise
+
+hand_tool_enable.title=Enable hand tool
+hand_tool_enable_label=Enable hand tool
+hand_tool_disable.title=Disable hand tool
+hand_tool_disable_label=Disable hand tool
+
+# Document properties dialog box
+document_properties.title=Document Properties…
+document_properties_label=Document Properties…
+document_properties_file_name=File name:
+document_properties_file_size=File size:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Title:
+document_properties_author=Author:
+document_properties_subject=Subject:
+document_properties_keywords=Keywords:
+document_properties_creation_date=Creation Date:
+document_properties_modification_date=Modification Date:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creator:
+document_properties_producer=PDF Producer:
+document_properties_version=PDF Version:
+document_properties_page_count=Page Count:
+document_properties_close=Close
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toggle Sidebar
+toggle_sidebar_label=Toggle Sidebar
+outline.title=Show Document Outline
+outline_label=Document Outline
+attachments.title=Show Attachments
+attachments_label=Attachments
+thumbs.title=Show Thumbnails
+thumbs_label=Thumbnails
+findbar.title=Find in Document
+findbar_label=Find
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Page {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail of Page {{page}}
+
+# Find panel button title and messages
+find_label=Find:
+find_previous.title=Find the previous occurrence of the phrase
+find_previous_label=Previous
+find_next.title=Find the next occurrence of the phrase
+find_next_label=Next
+find_highlight=Highlight all
+find_match_case_label=Match case
+find_reached_top=Reached top of document, continued from bottom
+find_reached_bottom=Reached end of document, continued from top
+find_not_found=Phrase not found
+
+# Error panel labels
+error_more_info=More Information
+error_less_info=Less Information
+error_close=Close
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Line: {{line}}
+rendering_error=An error occurred while rendering the page.
+
+# Predefined zoom values
+page_scale_width=Page Width
+page_scale_fit=Page Fit
+page_scale_auto=Automatic Zoom
+page_scale_actual=Actual Size
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=An error occurred while loading the PDF.
+invalid_file_error=Invalid or corrupted PDF file.
+missing_file_error=Missing PDF file.
+unexpected_response_error=Unexpected server response.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=Enter the password to open this PDF file.
+password_invalid=Invalid password. Please try again.
+password_ok=OK
+password_cancel=Cancel
+
+printing_not_supported=Warning: Printing is not fully supported by this browser.
+printing_not_ready=Warning: The PDF is not fully loaded for printing.
+web_fonts_disabled=Web fonts are disabled: unable to use embedded PDF fonts.
+document_colors_not_allowed=PDF documents are not allowed to use their own colours: 'Allow pages to choose their own colours' is deactivated in the browser.
diff --git a/static/pdf.js/locale/eo/viewer.ftl b/static/pdf.js/locale/eo/viewer.ftl
deleted file mode 100644
index 23c2b24f..00000000
--- a/static/pdf.js/locale/eo/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Antaŭa paĝo
-pdfjs-previous-button-label = Malantaŭen
-pdfjs-next-button =
- .title = Venonta paĝo
-pdfjs-next-button-label = Antaŭen
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Paĝo
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = el { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } el { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Malpligrandigi
-pdfjs-zoom-out-button-label = Malpligrandigi
-pdfjs-zoom-in-button =
- .title = Pligrandigi
-pdfjs-zoom-in-button-label = Pligrandigi
-pdfjs-zoom-select =
- .title = Pligrandigilo
-pdfjs-presentation-mode-button =
- .title = Iri al prezenta reĝimo
-pdfjs-presentation-mode-button-label = Prezenta reĝimo
-pdfjs-open-file-button =
- .title = Malfermi dosieron
-pdfjs-open-file-button-label = Malfermi
-pdfjs-print-button =
- .title = Presi
-pdfjs-print-button-label = Presi
-pdfjs-save-button =
- .title = Konservi
-pdfjs-save-button-label = Konservi
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Elŝuti
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Elŝuti
-pdfjs-bookmark-button =
- .title = Nuna paĝo (Montri adreson de la nuna paĝo)
-pdfjs-bookmark-button-label = Nuna paĝo
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Iloj
-pdfjs-tools-button-label = Iloj
-pdfjs-first-page-button =
- .title = Iri al la unua paĝo
-pdfjs-first-page-button-label = Iri al la unua paĝo
-pdfjs-last-page-button =
- .title = Iri al la lasta paĝo
-pdfjs-last-page-button-label = Iri al la lasta paĝo
-pdfjs-page-rotate-cw-button =
- .title = Rotaciigi dekstrume
-pdfjs-page-rotate-cw-button-label = Rotaciigi dekstrume
-pdfjs-page-rotate-ccw-button =
- .title = Rotaciigi maldekstrume
-pdfjs-page-rotate-ccw-button-label = Rotaciigi maldekstrume
-pdfjs-cursor-text-select-tool-button =
- .title = Aktivigi tekstan elektilon
-pdfjs-cursor-text-select-tool-button-label = Teksta elektilo
-pdfjs-cursor-hand-tool-button =
- .title = Aktivigi ilon de mano
-pdfjs-cursor-hand-tool-button-label = Ilo de mano
-pdfjs-scroll-page-button =
- .title = Uzi rulumon de paĝo
-pdfjs-scroll-page-button-label = Rulumo de paĝo
-pdfjs-scroll-vertical-button =
- .title = Uzi vertikalan rulumon
-pdfjs-scroll-vertical-button-label = Vertikala rulumo
-pdfjs-scroll-horizontal-button =
- .title = Uzi horizontalan rulumon
-pdfjs-scroll-horizontal-button-label = Horizontala rulumo
-pdfjs-scroll-wrapped-button =
- .title = Uzi ambaŭdirektan rulumon
-pdfjs-scroll-wrapped-button-label = Ambaŭdirekta rulumo
-pdfjs-spread-none-button =
- .title = Ne montri paĝojn po du
-pdfjs-spread-none-button-label = Unupaĝa vido
-pdfjs-spread-odd-button =
- .title = Kunigi paĝojn komencante per nepara paĝo
-pdfjs-spread-odd-button-label = Po du paĝoj, neparaj maldekstre
-pdfjs-spread-even-button =
- .title = Kunigi paĝojn komencante per para paĝo
-pdfjs-spread-even-button-label = Po du paĝoj, paraj maldekstre
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Atributoj de dokumento…
-pdfjs-document-properties-button-label = Atributoj de dokumento…
-pdfjs-document-properties-file-name = Nomo de dosiero:
-pdfjs-document-properties-file-size = Grando de dosiero:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KO ({ $size_b } oktetoj)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MO ({ $size_b } oktetoj)
-pdfjs-document-properties-title = Titolo:
-pdfjs-document-properties-author = Aŭtoro:
-pdfjs-document-properties-subject = Temo:
-pdfjs-document-properties-keywords = Ŝlosilvorto:
-pdfjs-document-properties-creation-date = Dato de kreado:
-pdfjs-document-properties-modification-date = Dato de modifo:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Kreinto:
-pdfjs-document-properties-producer = Produktinto de PDF:
-pdfjs-document-properties-version = Versio de PDF:
-pdfjs-document-properties-page-count = Nombro de paĝoj:
-pdfjs-document-properties-page-size = Grando de paĝo:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertikala
-pdfjs-document-properties-page-size-orientation-landscape = horizontala
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letera
-pdfjs-document-properties-page-size-name-legal = Jura
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Rapida tekstaĵa vido:
-pdfjs-document-properties-linearized-yes = Jes
-pdfjs-document-properties-linearized-no = Ne
-pdfjs-document-properties-close-button = Fermi
-
-## Print
-
-pdfjs-print-progress-message = Preparo de dokumento por presi ĝin …
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Nuligi
-pdfjs-printing-not-supported = Averto: tiu ĉi retumilo ne plene subtenas presadon.
-pdfjs-printing-not-ready = Averto: la PDF dosiero ne estas plene ŝargita por presado.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Montri/kaŝi flankan strion
-pdfjs-toggle-sidebar-notification-button =
- .title = Montri/kaŝi flankan strion (la dokumento enhavas konturon/kunsendaĵojn/tavolojn)
-pdfjs-toggle-sidebar-button-label = Montri/kaŝi flankan strion
-pdfjs-document-outline-button =
- .title = Montri la konturon de dokumento (alklaku duoble por faldi/malfaldi ĉiujn elementojn)
-pdfjs-document-outline-button-label = Konturo de dokumento
-pdfjs-attachments-button =
- .title = Montri kunsendaĵojn
-pdfjs-attachments-button-label = Kunsendaĵojn
-pdfjs-layers-button =
- .title = Montri tavolojn (duoble alklaku por remeti ĉiujn tavolojn en la norman staton)
-pdfjs-layers-button-label = Tavoloj
-pdfjs-thumbs-button =
- .title = Montri miniaturojn
-pdfjs-thumbs-button-label = Miniaturoj
-pdfjs-current-outline-item-button =
- .title = Trovi nunan konturan elementon
-pdfjs-current-outline-item-button-label = Nuna kontura elemento
-pdfjs-findbar-button =
- .title = Serĉi en dokumento
-pdfjs-findbar-button-label = Serĉi
-pdfjs-additional-layers = Aldonaj tavoloj
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Paĝo { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniaturo de paĝo { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Serĉi
- .placeholder = Serĉi en dokumento…
-pdfjs-find-previous-button =
- .title = Serĉi la antaŭan aperon de la frazo
-pdfjs-find-previous-button-label = Malantaŭen
-pdfjs-find-next-button =
- .title = Serĉi la venontan aperon de la frazo
-pdfjs-find-next-button-label = Antaŭen
-pdfjs-find-highlight-checkbox = Elstarigi ĉiujn
-pdfjs-find-match-case-checkbox-label = Distingi inter majuskloj kaj minuskloj
-pdfjs-find-match-diacritics-checkbox-label = Respekti supersignojn
-pdfjs-find-entire-word-checkbox-label = Tutaj vortoj
-pdfjs-find-reached-top = Komenco de la dokumento atingita, daŭrigado ekde la fino
-pdfjs-find-reached-bottom = Fino de la dokumento atingita, daŭrigado ekde la komenco
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } el { $total } kongruo
- *[other] { $current } el { $total } kongruoj
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Pli ol { $limit } kongruo
- *[other] Pli ol { $limit } kongruoj
- }
-pdfjs-find-not-found = Frazo ne trovita
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Larĝo de paĝo
-pdfjs-page-scale-fit = Adapti paĝon
-pdfjs-page-scale-auto = Aŭtomata skalo
-pdfjs-page-scale-actual = Reala grando
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Paĝo { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Okazis eraro dum la ŝargado de la PDF dosiero.
-pdfjs-invalid-file-error = Nevalida aŭ difektita PDF dosiero.
-pdfjs-missing-file-error = Mankas dosiero PDF.
-pdfjs-unexpected-response-error = Neatendita respondo de servilo.
-pdfjs-rendering-error = Okazis eraro dum la montro de la paĝo.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Prinoto: { $type }]
-
-## Password
-
-pdfjs-password-label = Tajpu pasvorton por malfermi tiun ĉi dosieron PDF.
-pdfjs-password-invalid = Nevalida pasvorto. Bonvolu provi denove.
-pdfjs-password-ok-button = Akcepti
-pdfjs-password-cancel-button = Nuligi
-pdfjs-web-fonts-disabled = Neaktivaj teksaĵaj tiparoj: ne elbas uzi enmetitajn tiparojn de PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Teksto
-pdfjs-editor-free-text-button-label = Teksto
-pdfjs-editor-ink-button =
- .title = Desegni
-pdfjs-editor-ink-button-label = Desegni
-pdfjs-editor-stamp-button =
- .title = Aldoni aŭ modifi bildojn
-pdfjs-editor-stamp-button-label = Aldoni aŭ modifi bildojn
-pdfjs-editor-highlight-button =
- .title = Elstarigi
-pdfjs-editor-highlight-button-label = Elstarigi
-pdfjs-highlight-floating-button =
- .title = Elstarigi
-pdfjs-highlight-floating-button1 =
- .title = Elstarigi
- .aria-label = Elstarigi
-pdfjs-highlight-floating-button-label = Elstarigi
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Forigi desegnon
-pdfjs-editor-remove-freetext-button =
- .title = Forigi tekston
-pdfjs-editor-remove-stamp-button =
- .title = Forigi bildon
-pdfjs-editor-remove-highlight-button =
- .title = Forigi elstaraĵon
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Koloro
-pdfjs-editor-free-text-size-input = Grando
-pdfjs-editor-ink-color-input = Koloro
-pdfjs-editor-ink-thickness-input = Dikeco
-pdfjs-editor-ink-opacity-input = Maldiafaneco
-pdfjs-editor-stamp-add-image-button =
- .title = Aldoni bildon
-pdfjs-editor-stamp-add-image-button-label = Aldoni bildon
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Dikeco
-pdfjs-editor-free-highlight-thickness-title =
- .title = Ŝanĝi dikecon dum elstarigo de netekstaj elementoj
-pdfjs-free-text =
- .aria-label = Tekstan redaktilon
-pdfjs-free-text-default-content = Ektajpi…
-pdfjs-ink =
- .aria-label = Desegnan redaktilon
-pdfjs-ink-canvas =
- .aria-label = Bildo kreita de uzanto
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternativa teksto
-pdfjs-editor-alt-text-edit-button-label = Redakti alternativan tekston
-pdfjs-editor-alt-text-dialog-label = Elektu eblon
-pdfjs-editor-alt-text-dialog-description = Alternativa teksto helpas personojn, en la okazoj kiam ili ne povas vidi aŭ ŝargi la bildon.
-pdfjs-editor-alt-text-add-description-label = Aldoni priskribon
-pdfjs-editor-alt-text-add-description-description = La celo estas unu aŭ du frazoj, kiuj priskribas la temon, etoson aŭ agojn.
-pdfjs-editor-alt-text-mark-decorative-label = Marki kiel ornaman
-pdfjs-editor-alt-text-mark-decorative-description = Tio ĉi estas uzita por ornamaj bildoj, kiel randoj aŭ fonaj bildoj.
-pdfjs-editor-alt-text-cancel-button = Nuligi
-pdfjs-editor-alt-text-save-button = Konservi
-pdfjs-editor-alt-text-decorative-tooltip = Markita kiel ornama
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Ekzemple: “Juna persono sidiĝas ĉetable por ekmanĝi”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Supra maldekstra angulo — ŝangi grandon
-pdfjs-editor-resizer-label-top-middle = Supra mezo — ŝanĝi grandon
-pdfjs-editor-resizer-label-top-right = Supran dekstran angulon — ŝanĝi grandon
-pdfjs-editor-resizer-label-middle-right = Dekstra mezo — ŝanĝi grandon
-pdfjs-editor-resizer-label-bottom-right = Malsupra deksta angulo — ŝanĝi grandon
-pdfjs-editor-resizer-label-bottom-middle = Malsupra mezo — ŝanĝi grandon
-pdfjs-editor-resizer-label-bottom-left = Malsupra maldekstra angulo — ŝanĝi grandon
-pdfjs-editor-resizer-label-middle-left = Maldekstra mezo — ŝanĝi grandon
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Elstarigi koloron
-pdfjs-editor-colorpicker-button =
- .title = Ŝanĝi koloron
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Elekto de koloroj
-pdfjs-editor-colorpicker-yellow =
- .title = Flava
-pdfjs-editor-colorpicker-green =
- .title = Verda
-pdfjs-editor-colorpicker-blue =
- .title = Blua
-pdfjs-editor-colorpicker-pink =
- .title = Roza
-pdfjs-editor-colorpicker-red =
- .title = Ruĝa
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Montri ĉiujn
-pdfjs-editor-highlight-show-all-button =
- .title = Montri ĉiujn
diff --git a/static/pdf.js/locale/eo/viewer.properties b/static/pdf.js/locale/eo/viewer.properties
new file mode 100644
index 00000000..7cc95c64
--- /dev/null
+++ b/static/pdf.js/locale/eo/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Antaŭa paĝo
+previous_label=Malantaŭen
+next.title=Venonta paĝo
+next_label=Antaŭen
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Paĝo:
+page_of=el {{pageCount}}
+
+zoom_out.title=Malpligrandigi
+zoom_out_label=Malpligrandigi
+zoom_in.title=Pligrandigi
+zoom_in_label=Pligrandigi
+zoom.title=Pligrandigilo
+presentation_mode.title=Iri al prezenta reĝimo
+presentation_mode_label=Prezenta reĝimo
+open_file.title=Malfermi dosieron
+open_file_label=Malfermi
+print.title=Presi
+print_label=Presi
+download.title=Elŝuti
+download_label=Elŝuti
+bookmark.title=Nuna vido (kopii aŭ malfermi en nova fenestro)
+bookmark_label=Nuna vido
+
+# Secondary toolbar and context menu
+tools.title=Iloj
+tools_label=Iloj
+first_page.title=Iri al la unua paĝo
+first_page.label=Iri al la unua paĝo
+first_page_label=Iri al la unua paĝo
+last_page.title=Iri al la lasta paĝo
+last_page.label=Iri al la lasta paĝo
+last_page_label=Iri al la lasta paĝo
+page_rotate_cw.title=Rotaciigi dekstrume
+page_rotate_cw.label=Rotaciigi dekstrume
+page_rotate_cw_label=Rotaciigi dekstrume
+page_rotate_ccw.title=Rotaciigi maldekstrume
+page_rotate_ccw.label=Rotaciigi maldekstrume
+page_rotate_ccw_label=Rotaciigi maldekstrume
+
+hand_tool_enable.title=Aktivigi manan ilon
+hand_tool_enable_label=Aktivigi manan ilon
+hand_tool_disable.title=Malaktivigi manan ilon
+hand_tool_disable_label=Malaktivigi manan ilon
+
+# Document properties dialog box
+document_properties.title=Atributoj de dokumento…
+document_properties_label=Atributoj de dokumento…
+document_properties_file_name=Nomo de dosiero:
+document_properties_file_size=Grado de dosiero:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KO ({{size_b}} oktetoj)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MO ({{size_b}} oktetoj)
+document_properties_title=Titolo:
+document_properties_author=Aŭtoro:
+document_properties_subject=Temo:
+document_properties_keywords=Ŝlosilvorto:
+document_properties_creation_date=Dato de kreado:
+document_properties_modification_date=Dato de modifo:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Kreinto:
+document_properties_producer=Produktinto de PDF:
+document_properties_version=Versio de PDF:
+document_properties_page_count=Nombro de paĝoj:
+document_properties_close=Fermi
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Montri/kaŝi flankan strion
+toggle_sidebar_label=Montri/kaŝi flankan strion
+outline.title=Montri skemon de dokumento
+outline_label=Skemo de dokumento
+attachments.title=Montri kunsendaĵojn
+attachments_label=Kunsendaĵojn
+thumbs.title=Montri miniaturojn
+thumbs_label=Miniaturoj
+findbar.title=Serĉi en dokumento
+findbar_label=Serĉi
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Paĝo {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniaturo de paĝo {{page}}
+
+# Find panel button title and messages
+find_label=Serĉi:
+find_previous.title=Serĉi la antaŭan aperon de la frazo
+find_previous_label=Malantaŭen
+find_next.title=Serĉi la venontan aperon de la frazo
+find_next_label=Antaŭen
+find_highlight=Elstarigi ĉiujn
+find_match_case_label=Distingi inter majuskloj kaj minuskloj
+find_reached_top=Komenco de la dokumento atingita, daŭrigado ekde la fino
+find_reached_bottom=Fino de la dokumento atingita, daŭrigado ekde la komenco
+find_not_found=Frazo ne trovita
+
+# Error panel labels
+error_more_info=Pli da informo
+error_less_info=Mapli da informo
+error_close=Fermi
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mesaĝo: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stako: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Dosiero: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linio: {{line}}
+rendering_error=Okazis eraro dum la montrado de la paĝo.
+
+# Predefined zoom values
+page_scale_width=Larĝo de paĝo
+page_scale_fit=Adapti paĝon
+page_scale_auto=Aŭtomata skalo
+page_scale_actual=Reala gandeco
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Eraro
+loading_error=Okazis eraro dum la ŝargado de la PDF dosiero.
+invalid_file_error=Nevalida aŭ difektita PDF dosiero.
+missing_file_error=Mankas dosiero PDF.
+unexpected_response_error=Neatendita respondo de servilo.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Prinoto: {{type}}]
+password_label=Tajpu pasvorton por malfermi tiun ĉi dosieron PDF.
+password_invalid=Nevalida pasvorto. Bonvolu provi denove.
+password_ok=Akcepti
+password_cancel=Nuligi
+
+printing_not_supported=Averto: tiu ĉi retumilo ne plene subtenas presadon.
+printing_not_ready=Averto: La PDF dosiero ne estas plene ŝargita por presado.
+web_fonts_disabled=Neaktivaj teksaĵaj tiparoj: ne elbas uzi enmetitajn tiparojn de PDF.
+document_colors_disabled=Dokumentoj PDF ne rajtas havi siajn proprajn kolorojn: \'Permesi al paĝoj elekti siajn proprajn kolorojn\' estas malaktiva en la retumilo.
diff --git a/static/pdf.js/locale/es-AR/viewer.ftl b/static/pdf.js/locale/es-AR/viewer.ftl
deleted file mode 100644
index 40610b24..00000000
--- a/static/pdf.js/locale/es-AR/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Página siguiente
-pdfjs-next-button-label = Siguiente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ( { $pageNumber } de { $pagesCount } )
-pdfjs-zoom-out-button =
- .title = Alejar
-pdfjs-zoom-out-button-label = Alejar
-pdfjs-zoom-in-button =
- .title = Acercar
-pdfjs-zoom-in-button-label = Acercar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Cambiar a modo presentación
-pdfjs-presentation-mode-button-label = Modo presentación
-pdfjs-open-file-button =
- .title = Abrir archivo
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Guardar
-pdfjs-save-button-label = Guardar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Descargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Descargar
-pdfjs-bookmark-button =
- .title = Página actual (Ver URL de la página actual)
-pdfjs-bookmark-button-label = Página actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir en la aplicación
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir en la aplicación
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Herramientas
-pdfjs-tools-button-label = Herramientas
-pdfjs-first-page-button =
- .title = Ir a primera página
-pdfjs-first-page-button-label = Ir a primera página
-pdfjs-last-page-button =
- .title = Ir a última página
-pdfjs-last-page-button-label = Ir a última página
-pdfjs-page-rotate-cw-button =
- .title = Rotar horario
-pdfjs-page-rotate-cw-button-label = Rotar horario
-pdfjs-page-rotate-ccw-button =
- .title = Rotar antihorario
-pdfjs-page-rotate-ccw-button-label = Rotar antihorario
-pdfjs-cursor-text-select-tool-button =
- .title = Habilitar herramienta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Herramienta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Habilitar herramienta mano
-pdfjs-cursor-hand-tool-button-label = Herramienta mano
-pdfjs-scroll-page-button =
- .title = Usar desplazamiento de página
-pdfjs-scroll-page-button-label = Desplazamiento de página
-pdfjs-scroll-vertical-button =
- .title = Usar desplazamiento vertical
-pdfjs-scroll-vertical-button-label = Desplazamiento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar desplazamiento vertical
-pdfjs-scroll-horizontal-button-label = Desplazamiento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar desplazamiento encapsulado
-pdfjs-scroll-wrapped-button-label = Desplazamiento encapsulado
-pdfjs-spread-none-button =
- .title = No unir páginas dobles
-pdfjs-spread-none-button-label = Sin dobles
-pdfjs-spread-odd-button =
- .title = Unir páginas dobles comenzando con las impares
-pdfjs-spread-odd-button-label = Dobles impares
-pdfjs-spread-even-button =
- .title = Unir páginas dobles comenzando con las pares
-pdfjs-spread-even-button-label = Dobles pares
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades del documento…
-pdfjs-document-properties-button-label = Propiedades del documento…
-pdfjs-document-properties-file-name = Nombre de archivo:
-pdfjs-document-properties-file-size = Tamaño de archovo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Asunto:
-pdfjs-document-properties-keywords = Palabras clave:
-pdfjs-document-properties-creation-date = Fecha de creación:
-pdfjs-document-properties-modification-date = Fecha de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creador:
-pdfjs-document-properties-producer = PDF Productor:
-pdfjs-document-properties-version = Versión de PDF:
-pdfjs-document-properties-page-count = Cantidad de páginas:
-pdfjs-document-properties-page-size = Tamaño de página:
-pdfjs-document-properties-page-size-unit-inches = en
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = normal
-pdfjs-document-properties-page-size-orientation-landscape = apaisado
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista rápida de la Web:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Cerrar
-
-## Print
-
-pdfjs-print-progress-message = Preparando documento para imprimir…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Advertencia: La impresión no está totalmente soportada por este navegador.
-pdfjs-printing-not-ready = Advertencia: El PDF no está completamente cargado para impresión.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Alternar barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Alternar barra lateral (el documento contiene esquemas/adjuntos/capas)
-pdfjs-toggle-sidebar-button-label = Alternar barra lateral
-pdfjs-document-outline-button =
- .title = Mostrar esquema del documento (doble clic para expandir/colapsar todos los ítems)
-pdfjs-document-outline-button-label = Esquema del documento
-pdfjs-attachments-button =
- .title = Mostrar adjuntos
-pdfjs-attachments-button-label = Adjuntos
-pdfjs-layers-button =
- .title = Mostrar capas (doble clic para restablecer todas las capas al estado predeterminado)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Buscar elemento de esquema actual
-pdfjs-current-outline-item-button-label = Elemento de esquema actual
-pdfjs-findbar-button =
- .title = Buscar en documento
-pdfjs-findbar-button-label = Buscar
-pdfjs-additional-layers = Capas adicionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Buscar
- .placeholder = Buscar en documento…
-pdfjs-find-previous-button =
- .title = Buscar la aparición anterior de la frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Buscar la siguiente aparición de la frase
-pdfjs-find-next-button-label = Siguiente
-pdfjs-find-highlight-checkbox = Resaltar todo
-pdfjs-find-match-case-checkbox-label = Coincidir mayúsculas
-pdfjs-find-match-diacritics-checkbox-label = Coincidir diacríticos
-pdfjs-find-entire-word-checkbox-label = Palabras completas
-pdfjs-find-reached-top = Inicio de documento alcanzado, continuando desde abajo
-pdfjs-find-reached-bottom = Fin de documento alcanzando, continuando desde arriba
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } de { $total } coincidencia
- *[other] { $current } de { $total } coincidencias
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Más de { $limit } coincidencia
- *[other] Más de { $limit } coincidencias
- }
-pdfjs-find-not-found = Frase no encontrada
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ancho de página
-pdfjs-page-scale-fit = Ajustar página
-pdfjs-page-scale-auto = Zoom automático
-pdfjs-page-scale-actual = Tamaño real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ocurrió un error al cargar el PDF.
-pdfjs-invalid-file-error = Archivo PDF no válido o cocrrupto.
-pdfjs-missing-file-error = Archivo PDF faltante.
-pdfjs-unexpected-response-error = Respuesta del servidor inesperada.
-pdfjs-rendering-error = Ocurrió un error al dibujar la página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Anotación]
-
-## Password
-
-pdfjs-password-label = Ingrese la contraseña para abrir este archivo PDF
-pdfjs-password-invalid = Contraseña inválida. Intente nuevamente.
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Tipografía web deshabilitada: no se pueden usar tipos incrustados en PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Dibujar
-pdfjs-editor-ink-button-label = Dibujar
-pdfjs-editor-stamp-button =
- .title = Agregar o editar imágenes
-pdfjs-editor-stamp-button-label = Agregar o editar imágenes
-pdfjs-editor-highlight-button =
- .title = Resaltar
-pdfjs-editor-highlight-button-label = Resaltar
-pdfjs-highlight-floating-button =
- .title = Resaltar
-pdfjs-highlight-floating-button1 =
- .title = Resaltar
- .aria-label = Resaltar
-pdfjs-highlight-floating-button-label = Resaltar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Eliminar dibujo
-pdfjs-editor-remove-freetext-button =
- .title = Eliminar texto
-pdfjs-editor-remove-stamp-button =
- .title = Eliminar imagen
-pdfjs-editor-remove-highlight-button =
- .title = Eliminar resaltado
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Tamaño
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Espesor
-pdfjs-editor-ink-opacity-input = Opacidad
-pdfjs-editor-stamp-add-image-button =
- .title = Agregar una imagen
-pdfjs-editor-stamp-add-image-button-label = Agregar una imagen
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grosor
-pdfjs-editor-free-highlight-thickness-title =
- .title = Cambiar el grosor al resaltar elementos que no sean texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Empezar a tipear…
-pdfjs-ink =
- .aria-label = Editor de dibujos
-pdfjs-ink-canvas =
- .aria-label = Imagen creada por el usuario
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar el texto alternativo
-pdfjs-editor-alt-text-dialog-label = Eligir una opción
-pdfjs-editor-alt-text-dialog-description = El texto alternativo (texto alternativo) ayuda cuando las personas no pueden ver la imagen o cuando no se carga.
-pdfjs-editor-alt-text-add-description-label = Agregar una descripción
-pdfjs-editor-alt-text-add-description-description = Intente escribir 1 o 2 oraciones que describan el tema, el entorno o las acciones.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativo
-pdfjs-editor-alt-text-mark-decorative-description = Esto se usa para imágenes ornamentales, como bordes o marcas de agua.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Guardar
-pdfjs-editor-alt-text-decorative-tooltip = Marcado como decorativo
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por ejemplo: “Un joven se sienta a la mesa a comer”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Esquina superior izquierda — cambiar el tamaño
-pdfjs-editor-resizer-label-top-middle = Arriba en el medio — cambiar el tamaño
-pdfjs-editor-resizer-label-top-right = Esquina superior derecha — cambiar el tamaño
-pdfjs-editor-resizer-label-middle-right = Al centro a la derecha — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-right = Esquina inferior derecha — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-middle = Abajo en el medio — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-left = Esquina inferior izquierda — cambiar el tamaño
-pdfjs-editor-resizer-label-middle-left = Al centro a la izquierda — cambiar el tamaño
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Color de resaltado
-pdfjs-editor-colorpicker-button =
- .title = Cambiar el color
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Opciones de color
-pdfjs-editor-colorpicker-yellow =
- .title = Amarillo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Azul
-pdfjs-editor-colorpicker-pink =
- .title = Rosado
-pdfjs-editor-colorpicker-red =
- .title = Rojo
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostrar todo
-pdfjs-editor-highlight-show-all-button =
- .title = Mostrar todo
diff --git a/static/pdf.js/locale/es-AR/viewer.properties b/static/pdf.js/locale/es-AR/viewer.properties
new file mode 100644
index 00000000..cbef0669
--- /dev/null
+++ b/static/pdf.js/locale/es-AR/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Página anterior
+previous_label=Anterior
+next.title=Página siguiente
+next_label=Siguiente
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Página:
+page_of=de {{pageCount}}
+
+zoom_out.title=Alejar
+zoom_out_label=Alejar
+zoom_in.title=Acercar
+zoom_in_label=Acercar
+zoom.title=Zoom
+print.title=Imprimir
+print_label=Imprimir
+presentation_mode.title=Cambiar a modo presentación
+presentation_mode_label=Modo presentación
+open_file.title=Abrir archivo
+open_file_label=Abrir
+download.title=Descargar
+download_label=Descargar
+bookmark.title=Vista actual (copiar o abrir en nueva ventana)
+bookmark_label=Vista actual
+
+# Secondary toolbar and context menu
+tools.title=Herramientas
+tools_label=Herramientas
+first_page.title=Ir a primera página
+first_page.label=Ir a primera página
+first_page_label=Ir a primera página
+last_page.title=Ir a última página
+last_page.label=Ir a última página
+last_page_label=Ir a última página
+page_rotate_cw.title=Rotar horario
+page_rotate_cw.label=Rotar horario
+page_rotate_cw_label=Rotar horario
+page_rotate_ccw.title=Rotar antihorario
+page_rotate_ccw.label=Rotar antihorario
+page_rotate_ccw_label=Rotar antihorario
+
+hand_tool_enable.title=Habilitar herramienta mano
+hand_tool_enable_label=Habilitar herramienta mano
+hand_tool_disable.title=Deshabilitar herramienta mano
+hand_tool_disable_label=Deshabilitar herramienta mano
+
+# Document properties dialog box
+document_properties.title=Propiedades del documento…
+document_properties_label=Propiedades del documento…
+document_properties_file_name=Nombre de archivo:
+document_properties_file_size=Tamaño de archovo:
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Asunto:
+document_properties_keywords=Palabras clave:
+document_properties_creation_date=Fecha de creación:
+document_properties_modification_date=Fecha de modificación:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creador:
+document_properties_producer=PDF Productor:
+document_properties_version=Versión de PDF:
+document_properties_page_count=Cantidad de páginas:
+document_properties_close=Cerrar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Alternar barra lateral
+toggle_sidebar_label=Alternar barra lateral
+outline.title=Mostrar esquema del documento
+outline_label=Esquema del documento
+attachments.title=Mostrar adjuntos
+attachments_label=Adjuntos
+thumbs.title=Mostrar miniaturas
+thumbs_label=Miniaturas
+findbar.title=Buscar en documento
+findbar_label=Buscar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Página {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura de página {{page}}
+
+# Find panel button title and messages
+find_label=Buscar:
+find_previous.title=Buscar la aparición anterior de la frase
+find_previous_label=Anterior
+find_next.title=Buscar la siguiente aparición de la frase
+find_next_label=Siguiente
+find_highlight=Resaltar todo
+find_match_case_label=Coincidir mayúsculas
+find_reached_top=Inicio de documento alcanzado, continuando desde abajo
+find_reached_bottom=Fin de documento alcanzando, continuando desde arriba
+find_not_found=Frase no encontrada
+
+# Error panel labels
+error_more_info=Más información
+error_less_info=Menos información
+error_close=Cerrar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensaje: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Archivo: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Línea: {{line}}
+rendering_error=Ocurrió un error al dibujar la página.
+
+# Predefined zoom values
+page_scale_width=Ancho de página
+page_scale_fit=Ajustar página
+page_scale_auto=Zoom automático
+page_scale_actual=Tamaño real
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=Ocurrió un error al cargar el PDF.
+invalid_file_error=Archivo PDF no válido o cocrrupto.
+missing_file_error=Archivo PDF faltante.
+unexpected_response_error=Respuesta del servidor inesperada.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Anotación]
+password_label=Ingrese la contraseña para abrir este archivo PDF
+password_invalid=Contraseña inválida. Intente nuevamente.
+password_ok=Aceptar
+password_cancel=Cancelar
+
+printing_not_supported=Advertencia: La impresión no está totalmente soportada por este navegador.
+printing_not_ready=Advertencia: El PDF no está completamente cargado para impresión.
+web_fonts_disabled=Tipografía web deshabilitada: no se pueden usar tipos incrustados en PDF.
+document_colors_not_allowed=Los documentos PDF no tienen permitido usar sus propios colores: 'Permitir a las páginas elegir sus propios colores' está desactivado en el navegador.
diff --git a/static/pdf.js/locale/es-CL/viewer.ftl b/static/pdf.js/locale/es-CL/viewer.ftl
deleted file mode 100644
index c4507a3f..00000000
--- a/static/pdf.js/locale/es-CL/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Página siguiente
-pdfjs-next-button-label = Siguiente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Alejar
-pdfjs-zoom-out-button-label = Alejar
-pdfjs-zoom-in-button =
- .title = Acercar
-pdfjs-zoom-in-button-label = Acercar
-pdfjs-zoom-select =
- .title = Ampliación
-pdfjs-presentation-mode-button =
- .title = Cambiar al modo de presentación
-pdfjs-presentation-mode-button-label = Modo de presentación
-pdfjs-open-file-button =
- .title = Abrir archivo
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Guardar
-pdfjs-save-button-label = Guardar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Descargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Descargar
-pdfjs-bookmark-button =
- .title = Página actual (Ver URL de la página actual)
-pdfjs-bookmark-button-label = Página actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir en una aplicación
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir en una aplicación
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Herramientas
-pdfjs-tools-button-label = Herramientas
-pdfjs-first-page-button =
- .title = Ir a la primera página
-pdfjs-first-page-button-label = Ir a la primera página
-pdfjs-last-page-button =
- .title = Ir a la última página
-pdfjs-last-page-button-label = Ir a la última página
-pdfjs-page-rotate-cw-button =
- .title = Girar a la derecha
-pdfjs-page-rotate-cw-button-label = Girar a la derecha
-pdfjs-page-rotate-ccw-button =
- .title = Girar a la izquierda
-pdfjs-page-rotate-ccw-button-label = Girar a la izquierda
-pdfjs-cursor-text-select-tool-button =
- .title = Activar la herramienta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Herramienta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar la herramienta de mano
-pdfjs-cursor-hand-tool-button-label = Herramienta de mano
-pdfjs-scroll-page-button =
- .title = Usar desplazamiento de página
-pdfjs-scroll-page-button-label = Desplazamiento de página
-pdfjs-scroll-vertical-button =
- .title = Usar desplazamiento vertical
-pdfjs-scroll-vertical-button-label = Desplazamiento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar desplazamiento horizontal
-pdfjs-scroll-horizontal-button-label = Desplazamiento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar desplazamiento en bloque
-pdfjs-scroll-wrapped-button-label = Desplazamiento en bloque
-pdfjs-spread-none-button =
- .title = No juntar páginas a modo de libro
-pdfjs-spread-none-button-label = Vista de una página
-pdfjs-spread-odd-button =
- .title = Junta las páginas partiendo con una de número impar
-pdfjs-spread-odd-button-label = Vista de libro impar
-pdfjs-spread-even-button =
- .title = Junta las páginas partiendo con una de número par
-pdfjs-spread-even-button-label = Vista de libro par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades del documento…
-pdfjs-document-properties-button-label = Propiedades del documento…
-pdfjs-document-properties-file-name = Nombre de archivo:
-pdfjs-document-properties-file-size = Tamaño del archivo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Asunto:
-pdfjs-document-properties-keywords = Palabras clave:
-pdfjs-document-properties-creation-date = Fecha de creación:
-pdfjs-document-properties-modification-date = Fecha de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creador:
-pdfjs-document-properties-producer = Productor del PDF:
-pdfjs-document-properties-version = Versión de PDF:
-pdfjs-document-properties-page-count = Cantidad de páginas:
-pdfjs-document-properties-page-size = Tamaño de la página:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Oficio
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista rápida en Web:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Cerrar
-
-## Print
-
-pdfjs-print-progress-message = Preparando documento para impresión…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Advertencia: Imprimir no está soportado completamente por este navegador.
-pdfjs-printing-not-ready = Advertencia: El PDF no está completamente cargado para ser impreso.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Cambiar barra lateral (índice de contenidos del documento/adjuntos/capas)
-pdfjs-toggle-sidebar-button-label = Mostrar u ocultar la barra lateral
-pdfjs-document-outline-button =
- .title = Mostrar esquema del documento (doble clic para expandir/contraer todos los elementos)
-pdfjs-document-outline-button-label = Esquema del documento
-pdfjs-attachments-button =
- .title = Mostrar adjuntos
-pdfjs-attachments-button-label = Adjuntos
-pdfjs-layers-button =
- .title = Mostrar capas (doble clic para restablecer todas las capas al estado predeterminado)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Buscar elemento de esquema actual
-pdfjs-current-outline-item-button-label = Elemento de esquema actual
-pdfjs-findbar-button =
- .title = Buscar en el documento
-pdfjs-findbar-button-label = Buscar
-pdfjs-additional-layers = Capas adicionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de la página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Encontrar
- .placeholder = Encontrar en el documento…
-pdfjs-find-previous-button =
- .title = Buscar la aparición anterior de la frase
-pdfjs-find-previous-button-label = Previo
-pdfjs-find-next-button =
- .title = Buscar la siguiente aparición de la frase
-pdfjs-find-next-button-label = Siguiente
-pdfjs-find-highlight-checkbox = Destacar todos
-pdfjs-find-match-case-checkbox-label = Coincidir mayús./minús.
-pdfjs-find-match-diacritics-checkbox-label = Coincidir diacríticos
-pdfjs-find-entire-word-checkbox-label = Palabras completas
-pdfjs-find-reached-top = Se alcanzó el inicio del documento, continuando desde el final
-pdfjs-find-reached-bottom = Se alcanzó el final del documento, continuando desde el inicio
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] Coincidencia { $current } de { $total }
- *[other] Coincidencia { $current } de { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Más de { $limit } coincidencia
- *[other] Más de { $limit } coincidencias
- }
-pdfjs-find-not-found = Frase no encontrada
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ancho de página
-pdfjs-page-scale-fit = Ajuste de página
-pdfjs-page-scale-auto = Aumento automático
-pdfjs-page-scale-actual = Tamaño actual
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ocurrió un error al cargar el PDF.
-pdfjs-invalid-file-error = Archivo PDF inválido o corrupto.
-pdfjs-missing-file-error = Falta el archivo PDF.
-pdfjs-unexpected-response-error = Respuesta del servidor inesperada.
-pdfjs-rendering-error = Ocurrió un error al renderizar la página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Anotación]
-
-## Password
-
-pdfjs-password-label = Ingrese la contraseña para abrir este archivo PDF.
-pdfjs-password-invalid = Contraseña inválida. Por favor, vuelve a intentarlo.
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Las tipografías web están desactivadas: imposible usar las fuentes PDF embebidas.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Dibujar
-pdfjs-editor-ink-button-label = Dibujar
-pdfjs-editor-stamp-button =
- .title = Añadir o editar imágenes
-pdfjs-editor-stamp-button-label = Añadir o editar imágenes
-pdfjs-editor-highlight-button =
- .title = Destacar
-pdfjs-editor-highlight-button-label = Destacar
-pdfjs-highlight-floating-button =
- .title = Destacar
-pdfjs-highlight-floating-button1 =
- .title = Destacar
- .aria-label = Destacar
-pdfjs-highlight-floating-button-label = Destacar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Eliminar dibujo
-pdfjs-editor-remove-freetext-button =
- .title = Eliminar texto
-pdfjs-editor-remove-stamp-button =
- .title = Eliminar imagen
-pdfjs-editor-remove-highlight-button =
- .title = Quitar resaltado
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Tamaño
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Grosor
-pdfjs-editor-ink-opacity-input = Opacidad
-pdfjs-editor-stamp-add-image-button =
- .title = Añadir imagen
-pdfjs-editor-stamp-add-image-button-label = Añadir imagen
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grosor
-pdfjs-editor-free-highlight-thickness-title =
- .title = Cambia el grosor al resaltar elementos que no sean texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Empieza a escribir…
-pdfjs-ink =
- .aria-label = Editor de dibujos
-pdfjs-ink-canvas =
- .aria-label = Imagen creada por el usuario
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar texto alternativo
-pdfjs-editor-alt-text-dialog-label = Elige una opción
-pdfjs-editor-alt-text-dialog-description = El texto alternativo (alt text) ayuda cuando las personas no pueden ver la imagen o cuando no se carga.
-pdfjs-editor-alt-text-add-description-label = Añade una descripción
-pdfjs-editor-alt-text-add-description-description = Intenta escribir 1 o 2 oraciones que describan el tema, el ambiente o las acciones.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativa
-pdfjs-editor-alt-text-mark-decorative-description = Se utiliza para imágenes ornamentales, como bordes o marcas de agua.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Guardar
-pdfjs-editor-alt-text-decorative-tooltip = Marcada como decorativa
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por ejemplo: “Un joven se sienta a la mesa a comer”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Esquina superior izquierda — cambiar el tamaño
-pdfjs-editor-resizer-label-top-middle = Borde superior en el medio — cambiar el tamaño
-pdfjs-editor-resizer-label-top-right = Esquina superior derecha — cambiar el tamaño
-pdfjs-editor-resizer-label-middle-right = Borde derecho en el medio — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-right = Esquina inferior derecha — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-middle = Borde inferior en el medio — cambiar el tamaño
-pdfjs-editor-resizer-label-bottom-left = Esquina inferior izquierda — cambiar el tamaño
-pdfjs-editor-resizer-label-middle-left = Borde izquierdo en el medio — cambiar el tamaño
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Color de resaltado
-pdfjs-editor-colorpicker-button =
- .title = Cambiar color
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Opciones de color
-pdfjs-editor-colorpicker-yellow =
- .title = Amarillo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Azul
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Rojo
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostrar todo
-pdfjs-editor-highlight-show-all-button =
- .title = Mostrar todo
diff --git a/static/pdf.js/locale/es-CL/viewer.properties b/static/pdf.js/locale/es-CL/viewer.properties
new file mode 100644
index 00000000..0c610e6d
--- /dev/null
+++ b/static/pdf.js/locale/es-CL/viewer.properties
@@ -0,0 +1,130 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+previous.title = Página anterior
+previous_label = Anterior
+next.title = Página siguiente
+next_label = Siguiente
+page_label = Página:
+page_of = de {{pageCount}}
+zoom_out.title = Alejar
+zoom_out_label = Alejar
+zoom_in.title = Acercar
+zoom_in_label = Acercar
+zoom.title = Ampliación
+print.title = Imprimir
+print_label = Imprimir
+presentation_mode.title = Cambiar al modo de presentación
+presentation_mode_label = Modo de presentación
+open_file.title = Abrir archivo
+open_file_label = Abrir
+download.title = Descargar
+download_label = Descargar
+bookmark.title = Vista actual (copiar o abrir en nueva ventana)
+bookmark_label = Vista actual
+tools.title=Herramientas
+tools_label=Herramientas
+first_page.title=Ir a la primera página
+first_page.label=Ir a la primera página
+first_page_label=Ir a la primera página
+last_page.title=Ir a la última página
+last_page.label=Ir a la última página
+last_page_label=Ir a la última página
+page_rotate_cw.title=Girar a la derecha
+page_rotate_cw.label=Girar a la derecha
+page_rotate_cw_label=Girar a la derecha
+page_rotate_ccw.title=Girar a la izquierda
+page_rotate_ccw.label=Girar a la izquierda
+page_rotate_ccw_label=Girar a la izquierda
+
+hand_tool_enable.title=Activar herramienta de mano
+hand_tool_enable_label=Activar herramienta de mano
+hand_tool_disable.title=Desactivar herramienta de mano
+hand_tool_disable_label=Desactivar herramienta de mano
+
+document_properties.title=Propiedades del documento…
+document_properties_label=Propiedades del documento…
+document_properties_file_name=Nombre del archivo:
+document_properties_file_size=Tamaño del archivo:
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Asunto:
+document_properties_keywords=Palabras clave:
+document_properties_creation_date=Fecha de creación:
+document_properties_modification_date=Fecha de modificación:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creador:
+document_properties_producer=Productor del PDF:
+document_properties_version=Versión de PDF:
+document_properties_page_count=Cantidad de páginas:
+document_properties_close=Cerrar
+
+toggle_sidebar.title=Barra lateral
+toggle_sidebar_label=Mostrar u ocultar la barra lateral
+outline.title = Mostrar esquema del documento
+outline_label = Esquema del documento
+attachments.title=Mostrar adjuntos
+attachments_label=Adjuntos
+thumbs.title = Mostrar miniaturas
+thumbs_label = Miniaturas
+findbar.title = Buscar en el documento
+findbar_label = Buscar
+thumb_page_title = Página {{page}}
+thumb_page_canvas = Miniatura de la página {{page}}
+first_page.label = Ir a la primera página
+last_page.label = Ir a la última página
+page_rotate_cw.label = Rotar en sentido de los punteros del reloj
+page_rotate_ccw.label = Rotar en sentido contrario a los punteros del reloj
+find_label = Buscar:
+find_previous.title = Encontrar la aparición anterior de la frase
+find_previous_label = Previo
+find_next.title = Encontrar la siguiente aparición de la frase
+find_next_label = Siguiente
+find_highlight = Destacar todos
+find_match_case_label = Coincidir mayús./minús.
+find_reached_top=Se alcanzó el inicio del documento, continuando desde el final
+find_reached_bottom=Se alcanzó el final del documento, continuando desde el inicio
+find_not_found = Frase no encontrada
+error_more_info = Más información
+error_less_info = Menos información
+error_close = Cerrar
+error_version_info=PDF.js v{{version}} (compilación: {{build}})
+error_message = Mensaje: {{message}}
+error_stack = Pila: {{stack}}
+error_file = Archivo: {{file}}
+error_line = Línea: {{line}}
+rendering_error = Ha ocurrido un error al renderizar la página.
+page_scale_width = Ancho de página
+page_scale_fit = Ajuste de página
+page_scale_auto = Aumento automático
+page_scale_actual = Tamaño actual
+page_scale_percent={{scale}}%
+loading_error_indicator = Error
+loading_error = Ha ocurrido un error al cargar el PDF.
+invalid_file_error = Archivo PDF inválido o corrupto.
+missing_file_error=Falta el archivo PDF.
+unexpected_response_error=Respuesta del servidor inesperada.
+
+text_annotation_type.alt=[{{type}} Anotación]
+password_label=Ingrese la contraseña para abrir este archivo PDF.
+password_invalid=Contraseña inválida. Por favor, vuelva a intentarlo.
+password_ok=Aceptar
+password_cancel=Cancelar
+
+printing_not_supported = Advertencia: Imprimir no está soportado completamente por este navegador.
+printing_not_ready=Advertencia: El PDF no está completamente cargado para ser impreso.
+web_fonts_disabled=Las fuentes web están desactivadas: imposible usar las fuentes PDF embebidas.
+document_colors_not_allowed=Los documentos PDF no tienen permitido usar sus propios colores: 'Permitir a las páginas elegir sus propios colores' está desactivado en el navegador.
diff --git a/static/pdf.js/locale/es-ES/viewer.ftl b/static/pdf.js/locale/es-ES/viewer.ftl
deleted file mode 100644
index e3f87b47..00000000
--- a/static/pdf.js/locale/es-ES/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Página siguiente
-pdfjs-next-button-label = Siguiente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Reducir
-pdfjs-zoom-out-button-label = Reducir
-pdfjs-zoom-in-button =
- .title = Aumentar
-pdfjs-zoom-in-button-label = Aumentar
-pdfjs-zoom-select =
- .title = Tamaño
-pdfjs-presentation-mode-button =
- .title = Cambiar al modo presentación
-pdfjs-presentation-mode-button-label = Modo presentación
-pdfjs-open-file-button =
- .title = Abrir archivo
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Guardar
-pdfjs-save-button-label = Guardar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Descargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Descargar
-pdfjs-bookmark-button =
- .title = Página actual (Ver URL de la página actual)
-pdfjs-bookmark-button-label = Página actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir en aplicación
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir en aplicación
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Herramientas
-pdfjs-tools-button-label = Herramientas
-pdfjs-first-page-button =
- .title = Ir a la primera página
-pdfjs-first-page-button-label = Ir a la primera página
-pdfjs-last-page-button =
- .title = Ir a la última página
-pdfjs-last-page-button-label = Ir a la última página
-pdfjs-page-rotate-cw-button =
- .title = Rotar en sentido horario
-pdfjs-page-rotate-cw-button-label = Rotar en sentido horario
-pdfjs-page-rotate-ccw-button =
- .title = Rotar en sentido antihorario
-pdfjs-page-rotate-ccw-button-label = Rotar en sentido antihorario
-pdfjs-cursor-text-select-tool-button =
- .title = Activar herramienta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Herramienta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar herramienta de mano
-pdfjs-cursor-hand-tool-button-label = Herramienta de mano
-pdfjs-scroll-page-button =
- .title = Usar desplazamiento de página
-pdfjs-scroll-page-button-label = Desplazamiento de página
-pdfjs-scroll-vertical-button =
- .title = Usar desplazamiento vertical
-pdfjs-scroll-vertical-button-label = Desplazamiento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar desplazamiento horizontal
-pdfjs-scroll-horizontal-button-label = Desplazamiento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar desplazamiento en bloque
-pdfjs-scroll-wrapped-button-label = Desplazamiento en bloque
-pdfjs-spread-none-button =
- .title = No juntar páginas en vista de libro
-pdfjs-spread-none-button-label = Vista de libro
-pdfjs-spread-odd-button =
- .title = Juntar las páginas partiendo de una con número impar
-pdfjs-spread-odd-button-label = Vista de libro impar
-pdfjs-spread-even-button =
- .title = Juntar las páginas partiendo de una con número par
-pdfjs-spread-even-button-label = Vista de libro par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades del documento…
-pdfjs-document-properties-button-label = Propiedades del documento…
-pdfjs-document-properties-file-name = Nombre de archivo:
-pdfjs-document-properties-file-size = Tamaño de archivo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Asunto:
-pdfjs-document-properties-keywords = Palabras clave:
-pdfjs-document-properties-creation-date = Fecha de creación:
-pdfjs-document-properties-modification-date = Fecha de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creador:
-pdfjs-document-properties-producer = Productor PDF:
-pdfjs-document-properties-version = Versión PDF:
-pdfjs-document-properties-page-count = Número de páginas:
-pdfjs-document-properties-page-size = Tamaño de la página:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista rápida de la web:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Cerrar
-
-## Print
-
-pdfjs-print-progress-message = Preparando documento para impresión…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Advertencia: Imprimir no está totalmente soportado por este navegador.
-pdfjs-printing-not-ready = Advertencia: Este PDF no se ha cargado completamente para poder imprimirse.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Cambiar barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Alternar barra lateral (el documento contiene esquemas/adjuntos/capas)
-pdfjs-toggle-sidebar-button-label = Cambiar barra lateral
-pdfjs-document-outline-button =
- .title = Mostrar resumen del documento (doble clic para expandir/contraer todos los elementos)
-pdfjs-document-outline-button-label = Resumen de documento
-pdfjs-attachments-button =
- .title = Mostrar adjuntos
-pdfjs-attachments-button-label = Adjuntos
-pdfjs-layers-button =
- .title = Mostrar capas (doble clic para restablecer todas las capas al estado predeterminado)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Encontrar elemento de esquema actual
-pdfjs-current-outline-item-button-label = Elemento de esquema actual
-pdfjs-findbar-button =
- .title = Buscar en el documento
-pdfjs-findbar-button-label = Buscar
-pdfjs-additional-layers = Capas adicionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de la página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Buscar
- .placeholder = Buscar en el documento…
-pdfjs-find-previous-button =
- .title = Encontrar la anterior aparición de la frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Encontrar la siguiente aparición de esta frase
-pdfjs-find-next-button-label = Siguiente
-pdfjs-find-highlight-checkbox = Resaltar todos
-pdfjs-find-match-case-checkbox-label = Coincidencia de mayús./minús.
-pdfjs-find-match-diacritics-checkbox-label = Coincidir diacríticos
-pdfjs-find-entire-word-checkbox-label = Palabras completas
-pdfjs-find-reached-top = Se alcanzó el inicio del documento, se continúa desde el final
-pdfjs-find-reached-bottom = Se alcanzó el final del documento, se continúa desde el inicio
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } de { $total } coincidencia
- *[other] { $current } de { $total } coincidencias
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Más de { $limit } coincidencia
- *[other] Más de { $limit } coincidencias
- }
-pdfjs-find-not-found = Frase no encontrada
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Anchura de la página
-pdfjs-page-scale-fit = Ajuste de la página
-pdfjs-page-scale-auto = Tamaño automático
-pdfjs-page-scale-actual = Tamaño real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ocurrió un error al cargar el PDF.
-pdfjs-invalid-file-error = Fichero PDF no válido o corrupto.
-pdfjs-missing-file-error = No hay fichero PDF.
-pdfjs-unexpected-response-error = Respuesta inesperada del servidor.
-pdfjs-rendering-error = Ocurrió un error al renderizar la página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotación { $type }]
-
-## Password
-
-pdfjs-password-label = Introduzca la contraseña para abrir este archivo PDF.
-pdfjs-password-invalid = Contraseña no válida. Vuelva a intentarlo.
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Las tipografías web están desactivadas: es imposible usar las tipografías PDF embebidas.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Dibujar
-pdfjs-editor-ink-button-label = Dibujar
-pdfjs-editor-stamp-button =
- .title = Añadir o editar imágenes
-pdfjs-editor-stamp-button-label = Añadir o editar imágenes
-pdfjs-editor-highlight-button =
- .title = Resaltar
-pdfjs-editor-highlight-button-label = Resaltar
-pdfjs-highlight-floating-button =
- .title = Resaltar
-pdfjs-highlight-floating-button1 =
- .title = Resaltar
- .aria-label = Resaltar
-pdfjs-highlight-floating-button-label = Resaltar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Eliminar dibujo
-pdfjs-editor-remove-freetext-button =
- .title = Eliminar texto
-pdfjs-editor-remove-stamp-button =
- .title = Eliminar imagen
-pdfjs-editor-remove-highlight-button =
- .title = Quitar resaltado
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Tamaño
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Grosor
-pdfjs-editor-ink-opacity-input = Opacidad
-pdfjs-editor-stamp-add-image-button =
- .title = Añadir imagen
-pdfjs-editor-stamp-add-image-button-label = Añadir imagen
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grosor
-pdfjs-editor-free-highlight-thickness-title =
- .title = Cambiar el grosor al resaltar elementos que no sean texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Empezar a escribir…
-pdfjs-ink =
- .aria-label = Editor de dibujos
-pdfjs-ink-canvas =
- .aria-label = Imagen creada por el usuario
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar el texto alternativo
-pdfjs-editor-alt-text-dialog-label = Eligir una opción
-pdfjs-editor-alt-text-dialog-description = El texto alternativo (texto alternativo) ayuda cuando las personas no pueden ver la imagen o cuando no se carga.
-pdfjs-editor-alt-text-add-description-label = Añadir una descripción
-pdfjs-editor-alt-text-add-description-description = Intente escribir 1 o 2 frases que describan el tema, el entorno o las acciones.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativa
-pdfjs-editor-alt-text-mark-decorative-description = Se utiliza para imágenes ornamentales, como bordes o marcas de agua.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Guardar
-pdfjs-editor-alt-text-decorative-tooltip = Marcada como decorativa
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por ejemplo: “Un joven se sienta a la mesa a comer”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Esquina superior izquierda — redimensionar
-pdfjs-editor-resizer-label-top-middle = Borde superior en el medio — redimensionar
-pdfjs-editor-resizer-label-top-right = Esquina superior derecha — redimensionar
-pdfjs-editor-resizer-label-middle-right = Borde derecho en el medio — redimensionar
-pdfjs-editor-resizer-label-bottom-right = Esquina inferior derecha — redimensionar
-pdfjs-editor-resizer-label-bottom-middle = Borde inferior en el medio — redimensionar
-pdfjs-editor-resizer-label-bottom-left = Esquina inferior izquierda — redimensionar
-pdfjs-editor-resizer-label-middle-left = Borde izquierdo en el medio — redimensionar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Color de resaltado
-pdfjs-editor-colorpicker-button =
- .title = Cambiar color
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Opciones de color
-pdfjs-editor-colorpicker-yellow =
- .title = Amarillo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Azul
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Rojo
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostrar todo
-pdfjs-editor-highlight-show-all-button =
- .title = Mostrar todo
diff --git a/static/pdf.js/locale/es-ES/viewer.properties b/static/pdf.js/locale/es-ES/viewer.properties
new file mode 100644
index 00000000..54e17d21
--- /dev/null
+++ b/static/pdf.js/locale/es-ES/viewer.properties
@@ -0,0 +1,111 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title = Página anterior
+previous_label = Anterior
+next.title = Página siguiente
+next_label = Siguiente
+page_label = Página:
+page_of = de {{pageCount}}
+zoom_out.title = Reducir
+zoom_out_label = Reducir
+zoom_in.title = Aumentar
+zoom_in_label = Aumentar
+zoom.title = Tamaño
+presentation_mode.title = Cambiar al modo presentación
+presentation_mode_label = Modo presentación
+open_file.title = Abrir archivo
+open_file_label = Abrir
+print.title = Imprimir
+print_label = Imprimir
+download.title = Descargar
+download_label = Descargar
+bookmark.title = Vista actual (copiar o abrir en una nueva ventana)
+bookmark_label = Vista actual
+tools.title = Herramientas
+tools_label = Herramientas
+first_page.title = Ir a la primera página
+first_page.label = Ir a la primera página
+first_page_label = Ir a la primera página
+last_page.title = Ir a la última página
+last_page.label = Ir a la última página
+last_page_label = Ir a la última página
+page_rotate_cw.title = Rotar en sentido horario
+page_rotate_cw.label = Rotar en sentido horario
+page_rotate_cw_label = Rotar en sentido horario
+page_rotate_ccw.title = Rotar en sentido antihorario
+page_rotate_ccw.label = Rotar en sentido antihorario
+page_rotate_ccw_label = Rotar en sentido antihorario
+hand_tool_enable.title = Activar herramienta mano
+hand_tool_enable_label = Activar herramienta mano
+hand_tool_disable.title = Desactivar herramienta mano
+hand_tool_disable_label = Desactivar herramienta mano
+document_properties.title = Propiedades del documento…
+document_properties_label = Propiedades del documento…
+document_properties_file_name = Nombre de archivo:
+document_properties_file_size = Tamaño de archivo:
+document_properties_kb = {{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb = {{size_mb}} MB ({{size_b}} bytes)
+document_properties_title = Título:
+document_properties_author = Autor:
+document_properties_subject = Asunto:
+document_properties_keywords = Palabras clave:
+document_properties_creation_date = Fecha de creación:
+document_properties_modification_date = Fecha de modificación:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Creador:
+document_properties_producer = Productor PDF:
+document_properties_version = Versión PDF:
+document_properties_page_count = Número de páginas:
+document_properties_close = Cerrar
+toggle_sidebar.title = Cambiar barra lateral
+toggle_sidebar_label = Cambiar barra lateral
+outline.title = Mostrar el esquema del documento
+outline_label = Esquema del documento
+attachments.title = Mostrar adjuntos
+attachments_label = Adjuntos
+thumbs.title = Mostrar miniaturas
+thumbs_label = Miniaturas
+findbar.title = Buscar en el documento
+findbar_label = Buscar
+thumb_page_title = Página {{page}}
+thumb_page_canvas = Miniatura de la página {{page}}
+find_label = Buscar:
+find_previous.title = Encontrar la anterior aparición de la frase
+find_previous_label = Anterior
+find_next.title = Encontrar la siguiente aparición de esta frase
+find_next_label = Siguiente
+find_highlight = Resaltar todos
+find_match_case_label = Coincidencia de mayús./minús.
+find_reached_top = Se alcanzó el inicio del documento, se continúa desde el final
+find_reached_bottom = Se alcanzó el final del documento, se continúa desde el inicio
+find_not_found = Frase no encontrada
+error_more_info = Más información
+error_less_info = Menos información
+error_close = Cerrar
+error_version_info = PDF.js v{{version}} (build: {{build}})
+error_message = Mensaje: {{message}}
+error_stack = Pila: {{stack}}
+error_file = Archivo: {{file}}
+error_line = Línea: {{line}}
+rendering_error = Ocurrió un error al renderizar la página.
+page_scale_width = Anchura de la página
+page_scale_fit = Ajuste de la página
+page_scale_auto = Tamaño automático
+page_scale_actual = Tamaño real
+page_scale_percent = {{scale}}%
+loading_error_indicator = Error
+loading_error = Ocurrió un error al cargar el PDF.
+invalid_file_error = Fichero PDF no válido o corrupto.
+missing_file_error = No hay fichero PDF.
+unexpected_response_error = Respuesta inesperada del servidor.
+text_annotation_type.alt = [Anotación {{type}}]
+password_label = Introduzca la contraseña para abrir este archivo PDF.
+password_invalid = Contraseña no válida. Vuelva a intentarlo.
+password_ok = Aceptar
+password_cancel = Cancelar
+printing_not_supported = Advertencia: Imprimir no está totalmente soportado por este navegador.
+printing_not_ready = Advertencia: Este PDF no se ha cargado completamente para poder imprimirse.
+web_fonts_disabled = Las tipografías web están desactivadas: es imposible usar las tipografías PDF embebidas.
+document_colors_not_allowed = Los documentos PDF no tienen permitido usar sus propios colores: 'Permitir a las páginas elegir sus propios colores' está desactivado en el navegador.
diff --git a/static/pdf.js/locale/es-MX/viewer.ftl b/static/pdf.js/locale/es-MX/viewer.ftl
deleted file mode 100644
index 0069c6eb..00000000
--- a/static/pdf.js/locale/es-MX/viewer.ftl
+++ /dev/null
@@ -1,299 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Página siguiente
-pdfjs-next-button-label = Siguiente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Reducir
-pdfjs-zoom-out-button-label = Reducir
-pdfjs-zoom-in-button =
- .title = Aumentar
-pdfjs-zoom-in-button-label = Aumentar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Cambiar al modo presentación
-pdfjs-presentation-mode-button-label = Modo presentación
-pdfjs-open-file-button =
- .title = Abrir archivo
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Guardar
-pdfjs-save-button-label = Guardar
-pdfjs-bookmark-button =
- .title = Página actual (Ver URL de la página actual)
-pdfjs-bookmark-button-label = Página actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir en la aplicación
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir en la aplicación
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Herramientas
-pdfjs-tools-button-label = Herramientas
-pdfjs-first-page-button =
- .title = Ir a la primera página
-pdfjs-first-page-button-label = Ir a la primera página
-pdfjs-last-page-button =
- .title = Ir a la última página
-pdfjs-last-page-button-label = Ir a la última página
-pdfjs-page-rotate-cw-button =
- .title = Girar a la derecha
-pdfjs-page-rotate-cw-button-label = Girar a la derecha
-pdfjs-page-rotate-ccw-button =
- .title = Girar a la izquierda
-pdfjs-page-rotate-ccw-button-label = Girar a la izquierda
-pdfjs-cursor-text-select-tool-button =
- .title = Activar la herramienta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Herramienta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar la herramienta de mano
-pdfjs-cursor-hand-tool-button-label = Herramienta de mano
-pdfjs-scroll-page-button =
- .title = Usar desplazamiento de página
-pdfjs-scroll-page-button-label = Desplazamiento de página
-pdfjs-scroll-vertical-button =
- .title = Usar desplazamiento vertical
-pdfjs-scroll-vertical-button-label = Desplazamiento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar desplazamiento horizontal
-pdfjs-scroll-horizontal-button-label = Desplazamiento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar desplazamiento encapsulado
-pdfjs-scroll-wrapped-button-label = Desplazamiento encapsulado
-pdfjs-spread-none-button =
- .title = No unir páginas separadas
-pdfjs-spread-none-button-label = Vista de una página
-pdfjs-spread-odd-button =
- .title = Unir las páginas partiendo con una de número impar
-pdfjs-spread-odd-button-label = Vista de libro impar
-pdfjs-spread-even-button =
- .title = Juntar las páginas partiendo con una de número par
-pdfjs-spread-even-button-label = Vista de libro par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades del documento…
-pdfjs-document-properties-button-label = Propiedades del documento…
-pdfjs-document-properties-file-name = Nombre del archivo:
-pdfjs-document-properties-file-size = Tamaño del archivo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Asunto:
-pdfjs-document-properties-keywords = Palabras claves:
-pdfjs-document-properties-creation-date = Fecha de creación:
-pdfjs-document-properties-modification-date = Fecha de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creador:
-pdfjs-document-properties-producer = Productor PDF:
-pdfjs-document-properties-version = Versión PDF:
-pdfjs-document-properties-page-count = Número de páginas:
-pdfjs-document-properties-page-size = Tamaño de la página:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Oficio
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista rápida de la web:
-pdfjs-document-properties-linearized-yes = Sí
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Cerrar
-
-## Print
-
-pdfjs-print-progress-message = Preparando documento para impresión…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Advertencia: La impresión no esta completamente soportada por este navegador.
-pdfjs-printing-not-ready = Advertencia: El PDF no cargo completamente para impresión.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Cambiar barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Alternar barra lateral (el documento contiene esquemas/adjuntos/capas)
-pdfjs-toggle-sidebar-button-label = Cambiar barra lateral
-pdfjs-document-outline-button =
- .title = Mostrar esquema del documento (doble clic para expandir/contraer todos los elementos)
-pdfjs-document-outline-button-label = Esquema del documento
-pdfjs-attachments-button =
- .title = Mostrar adjuntos
-pdfjs-attachments-button-label = Adjuntos
-pdfjs-layers-button =
- .title = Mostrar capas (doble clic para restablecer todas las capas al estado predeterminado)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Buscar elemento de esquema actual
-pdfjs-current-outline-item-button-label = Elemento de esquema actual
-pdfjs-findbar-button =
- .title = Buscar en el documento
-pdfjs-findbar-button-label = Buscar
-pdfjs-additional-layers = Capas adicionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de la página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Buscar
- .placeholder = Buscar en el documento…
-pdfjs-find-previous-button =
- .title = Ir a la anterior frase encontrada
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Ir a la siguiente frase encontrada
-pdfjs-find-next-button-label = Siguiente
-pdfjs-find-highlight-checkbox = Resaltar todo
-pdfjs-find-match-case-checkbox-label = Coincidir con mayúsculas y minúsculas
-pdfjs-find-match-diacritics-checkbox-label = Coincidir diacríticos
-pdfjs-find-entire-word-checkbox-label = Palabras completas
-pdfjs-find-reached-top = Se alcanzó el inicio del documento, se buscará al final
-pdfjs-find-reached-bottom = Se alcanzó el final del documento, se buscará al inicio
-pdfjs-find-not-found = No se encontró la frase
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ancho de página
-pdfjs-page-scale-fit = Ajustar página
-pdfjs-page-scale-auto = Zoom automático
-pdfjs-page-scale-actual = Tamaño real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Un error ocurrió al cargar el PDF.
-pdfjs-invalid-file-error = Archivo PDF invalido o dañado.
-pdfjs-missing-file-error = Archivo PDF no encontrado.
-pdfjs-unexpected-response-error = Respuesta inesperada del servidor.
-pdfjs-rendering-error = Un error ocurrió al renderizar la página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } anotación]
-
-## Password
-
-pdfjs-password-label = Ingresa la contraseña para abrir este archivo PDF.
-pdfjs-password-invalid = Contraseña inválida. Por favor intenta de nuevo.
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Las fuentes web están desactivadas: es imposible usar las fuentes PDF embebidas.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Dibujar
-pdfjs-editor-ink-button-label = Dibujar
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Tamaño
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Grossor
-pdfjs-editor-ink-opacity-input = Opacidad
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Empieza a escribir…
-pdfjs-ink =
- .aria-label = Editor de dibujo
-pdfjs-ink-canvas =
- .aria-label = Imagen creada por el usuario
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/es-MX/viewer.properties b/static/pdf.js/locale/es-MX/viewer.properties
new file mode 100644
index 00000000..4b85e8ff
--- /dev/null
+++ b/static/pdf.js/locale/es-MX/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Página anterior
+previous_label=Anterior
+next.title=Página siguiente
+next_label=Siguiente
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Página:
+page_of=de {{pageCount}}
+
+zoom_out.title=Reducir
+zoom_out_label=Reducir
+zoom_in.title=Aumentar
+zoom_in_label=Aumentar
+zoom.title=Zoom
+presentation_mode.title=Cambiar al modo presentación
+presentation_mode_label=Modo presentación
+open_file.title=Abrir archivo
+open_file_label=Abrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Descargar
+download_label=Descargar
+bookmark.title=Vista actual (copiar o abrir en una nueva ventana)
+bookmark_label=Vista actual
+
+# Secondary toolbar and context menu
+tools.title=Herramientas
+tools_label=Herramientas
+first_page.title=Ir a la primera página
+first_page.label=Ir a la primera página
+first_page_label=Ir a la primera página
+last_page.title=Ir a la última página
+last_page.label=Ir a la última página
+last_page_label=Ir a la última página
+page_rotate_cw.title=Girar a la derecha
+page_rotate_cw.label=Girar a la derecha
+page_rotate_cw_label=Girar a la derecha
+page_rotate_ccw.title=Girar a la izquierda
+page_rotate_ccw.label=Girar a la izquierda
+page_rotate_ccw_label=Girar a la izquierda
+
+hand_tool_enable.title=Activar herramienta mano
+hand_tool_enable_label=Activar herramienta mano
+hand_tool_disable.title=Desactivar herramienta mano
+hand_tool_disable_label=Desactivar herramienta mano
+
+# Document properties dialog box
+document_properties.title=Propiedades del documento…
+document_properties_label=Propiedades del documento…
+document_properties_file_name=Nombre del archivo:
+document_properties_file_size=Tamaño del archivo:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Asunto:
+document_properties_keywords=Palabras claves:
+document_properties_creation_date=Fecha de creación:
+document_properties_modification_date=Fecha de modificación:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creador:
+document_properties_producer=Productor PDF:
+document_properties_version=Versión PDF:
+document_properties_page_count=Número de páginas:
+document_properties_close=Cerrar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Cambiar barra lateral
+toggle_sidebar_label=Cambiar barra lateral
+outline.title=Mostrar esquema del documento
+outline_label=Esquema del documento
+attachments.title=Mostrar adjuntos
+attachments_label=Adjuntos
+thumbs.title=Mostrar miniaturas
+thumbs_label=Miniaturas
+findbar.title=Buscar en el documento
+findbar_label=Buscar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Página {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura de la página {{page}}
+
+# Find panel button title and messages
+find_label=Encontrar:
+find_previous.title=Ir a la anterior frase encontrada
+find_previous_label=Anterior
+find_next.title=Ir a la siguiente frase encontrada
+find_next_label=Siguiente
+find_highlight=Resaltar todo
+find_match_case_label=Coincidir con mayúsculas y minúsculas
+find_reached_top=Se alcanzó el inicio del documento, se buscará al final
+find_reached_bottom=Se alcanzó el final del documento, se buscará al inicio
+find_not_found=No se encontró la frase
+
+# Error panel labels
+error_more_info=Más información
+error_less_info=Menos información
+error_close=Cerrar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensaje: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Archivo: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Línea: {{line}}
+rendering_error=Un error ocurrió al renderizar la página.
+
+# Predefined zoom values
+page_scale_width=Ancho de página
+page_scale_fit=Ajustar página
+page_scale_auto=Zoom automático
+page_scale_actual=Tamaño real
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=Un error ocurrió al cargar el PDF.
+invalid_file_error=Archivo PDF invalido o dañado.
+missing_file_error=Archivo PDF no encontrado.
+unexpected_response_error=Respuesta inesperada del servidor.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} anotación]
+password_label=Ingresa la contraseña para abrir este archivo PDF.
+password_invalid=Contraseña inválida. Por favor intenta de nuevo.
+password_ok=Aceptar
+password_cancel=Cancelar
+
+printing_not_supported=Advertencia: La impresión no esta completamente soportada por este navegador.
+printing_not_ready=Advertencia: El PDF no cargo completamente para impresión.
+web_fonts_disabled=Las fuentes web están desactivadas: es imposible usar las fuentes PDF embebidas.
+document_colors_not_allowed=Los documentos PDF no tienen permiso de usar sus propios colores: 'Permitir que las páginas elijan sus propios colores' esta desactivada en el navegador.
diff --git a/static/pdf.js/locale/es/viewer.properties b/static/pdf.js/locale/es/viewer.properties
new file mode 100644
index 00000000..fc8848f8
--- /dev/null
+++ b/static/pdf.js/locale/es/viewer.properties
@@ -0,0 +1,141 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Página anterior
+previous_label=Anterior
+next.title=Página siguiente
+next_label=Siguiente
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Página:
+page_of=de {{pageCount}}
+
+zoom_out.title=Reducir
+zoom_out_label=Reducir
+zoom_in.title=Aumentar
+zoom_in_label=Aumentar
+zoom.title=Ampliación
+presentation_mode.title=Cambiar al modo de presentación
+presentation_mode_label=Modo de presentación
+open_file.title=Abrir un archivo
+open_file_label=Abrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Descargar
+download_label=Descargar
+bookmark.title=Vista actual (para copiar o abrir en otra ventana)
+bookmark_label=Vista actual
+
+# Secondary toolbar and context menu
+tools.title=Herramientas
+tools_label=Herramientas
+first_page.title=Ir a la primera página
+first_page.label=Ir a la primera página
+first_page_label=Ir a la primera página
+last_page.title=Ir a la última página
+last_page.label=Ir a la última página
+last_page_label=Ir a la última página
+page_rotate_cw.title=Girar a la derecha
+page_rotate_cw.label=Girar a la derecha
+page_rotate_cw_label=Girar a la derecha
+page_rotate_ccw.title=Girar a la izquierda
+page_rotate_ccw.label=Girar a la izquierda
+page_rotate_ccw_label=Girar a la izquierda
+
+hand_tool_enable.title=Activar la herramienta Mano
+hand_tool_enable_label=Activar la herramienta Mano
+hand_tool_disable.title=Desactivar la herramienta Mano
+hand_tool_disable_label=Desactivar la herramienta Mano
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Mostrar u ocultar la barra lateral
+toggle_sidebar_label=Conmutar la barra lateral
+outline.title=Mostrar el esquema del documento
+outline_label=Esquema del documento
+thumbs.title=Mostrar las miniaturas
+thumbs_label=Miniaturas
+findbar.title=Buscar en el documento
+findbar_label=Buscar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Página {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura de la página {{page}}
+
+# Find panel button title and messages
+find_label=Buscar:
+find_previous.title=Ir a la frase encontrada anterior
+find_previous_label=Anterior
+find_next.title=Ir a la frase encontrada siguiente
+find_next_label=Siguiente
+find_highlight=Resaltar todo
+find_match_case_label=Coincidir mayúsculas y minúsculas
+find_reached_top=Se alcanzó el inicio del documento, se continúa desde el final
+find_reached_bottom=Se alcanzó el final del documento, se continúa desde el inicio
+find_not_found=No se encontró la frase
+
+# Error panel labels
+error_more_info=Más información
+error_less_info=Menos información
+error_close=Cerrar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (compilación: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensaje: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Archivo: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Línea: {{line}}
+rendering_error=Ocurrió un error al renderizar la página.
+
+# Predefined zoom values
+page_scale_width=Anchura de la página
+page_scale_fit=Ajustar a la página
+page_scale_auto=Ampliación automática
+page_scale_actual=Tamaño real
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=Ocurrió un error al cargar el PDF.
+invalid_file_error=El archivo PDF no es válido o está dañado.
+missing_file_error=Falta el archivo PDF.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotación {{type}}]
+password_label=Escriba la contraseña para abrir este archivo PDF.
+password_invalid=La contraseña no es válida. Inténtelo de nuevo.
+password_ok=Aceptar
+password_cancel=Cancelar
+
+printing_not_supported=Aviso: Este navegador no es compatible completamente con la impresión.
+printing_not_ready=Aviso: El PDF no se ha cargado completamente para su impresión.
+web_fonts_disabled=Se han desactivado los tipos de letra web: no se pueden usar los tipos de letra incrustados en el PDF.
+document_colors_disabled=No se permite que los documentos PDF usen sus propios colores: la opción «Permitir que las páginas elijan sus propios colores» está desactivada en el navegador.
diff --git a/static/pdf.js/locale/et/viewer.ftl b/static/pdf.js/locale/et/viewer.ftl
deleted file mode 100644
index b28c6d50..00000000
--- a/static/pdf.js/locale/et/viewer.ftl
+++ /dev/null
@@ -1,268 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Eelmine lehekülg
-pdfjs-previous-button-label = Eelmine
-pdfjs-next-button =
- .title = Järgmine lehekülg
-pdfjs-next-button-label = Järgmine
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Leht
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber }/{ $pagesCount })
-pdfjs-zoom-out-button =
- .title = Vähenda
-pdfjs-zoom-out-button-label = Vähenda
-pdfjs-zoom-in-button =
- .title = Suurenda
-pdfjs-zoom-in-button-label = Suurenda
-pdfjs-zoom-select =
- .title = Suurendamine
-pdfjs-presentation-mode-button =
- .title = Lülitu esitlusrežiimi
-pdfjs-presentation-mode-button-label = Esitlusrežiim
-pdfjs-open-file-button =
- .title = Ava fail
-pdfjs-open-file-button-label = Ava
-pdfjs-print-button =
- .title = Prindi
-pdfjs-print-button-label = Prindi
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tööriistad
-pdfjs-tools-button-label = Tööriistad
-pdfjs-first-page-button =
- .title = Mine esimesele leheküljele
-pdfjs-first-page-button-label = Mine esimesele leheküljele
-pdfjs-last-page-button =
- .title = Mine viimasele leheküljele
-pdfjs-last-page-button-label = Mine viimasele leheküljele
-pdfjs-page-rotate-cw-button =
- .title = Pööra päripäeva
-pdfjs-page-rotate-cw-button-label = Pööra päripäeva
-pdfjs-page-rotate-ccw-button =
- .title = Pööra vastupäeva
-pdfjs-page-rotate-ccw-button-label = Pööra vastupäeva
-pdfjs-cursor-text-select-tool-button =
- .title = Luba teksti valimise tööriist
-pdfjs-cursor-text-select-tool-button-label = Teksti valimise tööriist
-pdfjs-cursor-hand-tool-button =
- .title = Luba sirvimistööriist
-pdfjs-cursor-hand-tool-button-label = Sirvimistööriist
-pdfjs-scroll-page-button =
- .title = Kasutatakse lehe kaupa kerimist
-pdfjs-scroll-page-button-label = Lehe kaupa kerimine
-pdfjs-scroll-vertical-button =
- .title = Kasuta vertikaalset kerimist
-pdfjs-scroll-vertical-button-label = Vertikaalne kerimine
-pdfjs-scroll-horizontal-button =
- .title = Kasuta horisontaalset kerimist
-pdfjs-scroll-horizontal-button-label = Horisontaalne kerimine
-pdfjs-scroll-wrapped-button =
- .title = Kasuta rohkem mahutavat kerimist
-pdfjs-scroll-wrapped-button-label = Rohkem mahutav kerimine
-pdfjs-spread-none-button =
- .title = Ära kõrvuta lehekülgi
-pdfjs-spread-none-button-label = Lehtede kõrvutamine puudub
-pdfjs-spread-odd-button =
- .title = Kõrvuta leheküljed, alustades paaritute numbritega lehekülgedega
-pdfjs-spread-odd-button-label = Kõrvutamine paaritute numbritega alustades
-pdfjs-spread-even-button =
- .title = Kõrvuta leheküljed, alustades paarisnumbritega lehekülgedega
-pdfjs-spread-even-button-label = Kõrvutamine paarisnumbritega alustades
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumendi omadused…
-pdfjs-document-properties-button-label = Dokumendi omadused…
-pdfjs-document-properties-file-name = Faili nimi:
-pdfjs-document-properties-file-size = Faili suurus:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KiB ({ $size_b } baiti)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MiB ({ $size_b } baiti)
-pdfjs-document-properties-title = Pealkiri:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Teema:
-pdfjs-document-properties-keywords = Märksõnad:
-pdfjs-document-properties-creation-date = Loodud:
-pdfjs-document-properties-modification-date = Muudetud:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } { $time }
-pdfjs-document-properties-creator = Looja:
-pdfjs-document-properties-producer = Generaator:
-pdfjs-document-properties-version = Generaatori versioon:
-pdfjs-document-properties-page-count = Lehekülgi:
-pdfjs-document-properties-page-size = Lehe suurus:
-pdfjs-document-properties-page-size-unit-inches = tolli
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertikaalpaigutus
-pdfjs-document-properties-page-size-orientation-landscape = rõhtpaigutus
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = "Fast Web View" tugi:
-pdfjs-document-properties-linearized-yes = Jah
-pdfjs-document-properties-linearized-no = Ei
-pdfjs-document-properties-close-button = Sulge
-
-## Print
-
-pdfjs-print-progress-message = Dokumendi ettevalmistamine printimiseks…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Loobu
-pdfjs-printing-not-supported = Hoiatus: printimine pole selle brauseri poolt täielikult toetatud.
-pdfjs-printing-not-ready = Hoiatus: PDF pole printimiseks täielikult laaditud.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Näita külgriba
-pdfjs-toggle-sidebar-notification-button =
- .title = Näita külgriba (dokument sisaldab sisukorda/manuseid/kihte)
-pdfjs-toggle-sidebar-button-label = Näita külgriba
-pdfjs-document-outline-button =
- .title = Näita sisukorda (kõigi punktide laiendamiseks/ahendamiseks topeltklõpsa)
-pdfjs-document-outline-button-label = Näita sisukorda
-pdfjs-attachments-button =
- .title = Näita manuseid
-pdfjs-attachments-button-label = Manused
-pdfjs-layers-button =
- .title = Näita kihte (kõikide kihtide vaikeolekusse lähtestamiseks topeltklõpsa)
-pdfjs-layers-button-label = Kihid
-pdfjs-thumbs-button =
- .title = Näita pisipilte
-pdfjs-thumbs-button-label = Pisipildid
-pdfjs-current-outline-item-button =
- .title = Otsi üles praegune kontuuriüksus
-pdfjs-current-outline-item-button-label = Praegune kontuuriüksus
-pdfjs-findbar-button =
- .title = Otsi dokumendist
-pdfjs-findbar-button-label = Otsi
-pdfjs-additional-layers = Täiendavad kihid
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page }. lehekülg
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page }. lehekülje pisipilt
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Otsi
- .placeholder = Otsi dokumendist…
-pdfjs-find-previous-button =
- .title = Otsi fraasi eelmine esinemiskoht
-pdfjs-find-previous-button-label = Eelmine
-pdfjs-find-next-button =
- .title = Otsi fraasi järgmine esinemiskoht
-pdfjs-find-next-button-label = Järgmine
-pdfjs-find-highlight-checkbox = Too kõik esile
-pdfjs-find-match-case-checkbox-label = Tõstutundlik
-pdfjs-find-match-diacritics-checkbox-label = Otsitakse diakriitiliselt
-pdfjs-find-entire-word-checkbox-label = Täissõnad
-pdfjs-find-reached-top = Jõuti dokumendi algusesse, jätkati lõpust
-pdfjs-find-reached-bottom = Jõuti dokumendi lõppu, jätkati algusest
-pdfjs-find-not-found = Fraasi ei leitud
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Mahuta laiusele
-pdfjs-page-scale-fit = Mahuta leheküljele
-pdfjs-page-scale-auto = Automaatne suurendamine
-pdfjs-page-scale-actual = Tegelik suurus
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Lehekülg { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDFi laadimisel esines viga.
-pdfjs-invalid-file-error = Vigane või rikutud PDF-fail.
-pdfjs-missing-file-error = PDF-fail puudub.
-pdfjs-unexpected-response-error = Ootamatu vastus serverilt.
-pdfjs-rendering-error = Lehe renderdamisel esines viga.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = PDF-faili avamiseks sisesta parool.
-pdfjs-password-invalid = Vigane parool. Palun proovi uuesti.
-pdfjs-password-ok-button = Sobib
-pdfjs-password-cancel-button = Loobu
-pdfjs-web-fonts-disabled = Veebifondid on keelatud: PDFiga kaasatud fonte pole võimalik kasutada.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/et/viewer.properties b/static/pdf.js/locale/et/viewer.properties
new file mode 100644
index 00000000..83da357b
--- /dev/null
+++ b/static/pdf.js/locale/et/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Eelmine lehekülg
+previous_label=Eelmine
+next.title=Järgmine lehekülg
+next_label=Järgmine
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Lehekülg:
+page_of=(kokku {{pageCount}})
+
+zoom_out.title=Vähenda
+zoom_out_label=Vähenda
+zoom_in.title=Suurenda
+zoom_in_label=Suurenda
+zoom.title=Suurendamine
+presentation_mode.title=Lülitu esitlusrežiimi
+presentation_mode_label=Esitlusrežiim
+open_file.title=Ava fail
+open_file_label=Ava
+print.title=Prindi
+print_label=Prindi
+download.title=Laadi alla
+download_label=Laadi alla
+bookmark.title=Praegune vaade (kopeeri või ava uues aknas)
+bookmark_label=Praegune vaade
+
+# Secondary toolbar and context menu
+tools.title=Tööriistad
+tools_label=Tööriistad
+first_page.title=Mine esimesele leheküljele
+first_page.label=Mine esimesele leheküljele
+first_page_label=Mine esimesele leheküljele
+last_page.title=Mine viimasele leheküljele
+last_page.label=Mine viimasele leheküljele
+last_page_label=Mine viimasele leheküljele
+page_rotate_cw.title=Pööra päripäeva
+page_rotate_cw.label=Pööra päripäeva
+page_rotate_cw_label=Pööra päripäeva
+page_rotate_ccw.title=Pööra vastupäeva
+page_rotate_ccw.label=Pööra vastupäeva
+page_rotate_ccw_label=Pööra vastupäeva
+
+hand_tool_enable.title=Luba sirvimine
+hand_tool_enable_label=Luba sirvimine
+hand_tool_disable.title=Keela sirvimine
+hand_tool_disable_label=Keela sirvimine
+
+# Document properties dialog box
+document_properties.title=Dokumendi omadused…
+document_properties_label=Dokumendi omadused…
+document_properties_file_name=Faili nimi:
+document_properties_file_size=Faili suurus:
+document_properties_kb={{size_kb}} KiB ({{size_b}} baiti)
+document_properties_mb={{size_mb}} MiB ({{size_b}} baiti)
+document_properties_title=Pealkiri:
+document_properties_author=Autor:
+document_properties_subject=Teema:
+document_properties_keywords=Märksõnad:
+document_properties_creation_date=Loodud:
+document_properties_modification_date=Muudetud:
+document_properties_date_string={{date}} {{time}}
+document_properties_creator=Looja:
+document_properties_producer=Generaator:
+document_properties_version=Generaatori versioon:
+document_properties_page_count=Lehekülgi:
+document_properties_close=Sulge
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Näita külgriba
+toggle_sidebar_label=Näita külgriba
+outline.title=Näita sisukorda
+outline_label=Näita sisukorda
+attachments.title=Näita manuseid
+attachments_label=Manused
+thumbs.title=Näita pisipilte
+thumbs_label=Pisipildid
+findbar.title=Otsi dokumendist
+findbar_label=Otsi
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}}. lehekülg
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}}. lehekülje pisipilt
+
+# Find panel button title and messages
+find_label=Otsi:
+find_previous.title=Otsi fraasi eelmine esinemiskoht
+find_previous_label=Eelmine
+find_next.title=Otsi fraasi järgmine esinemiskoht
+find_next_label=Järgmine
+find_highlight=Too kõik esile
+find_match_case_label=Tõstutundlik
+find_reached_top=Jõuti dokumendi algusesse, jätkati lõpust
+find_reached_bottom=Jõuti dokumendi lõppu, jätkati algusest
+find_not_found=Fraasi ei leitud
+
+# Error panel labels
+error_more_info=Rohkem teavet
+error_less_info=Vähem teavet
+error_close=Sulge
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Teade: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fail: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rida: {{line}}
+rendering_error=Lehe renderdamisel esines viga.
+
+# Predefined zoom values
+page_scale_width=Mahuta laiusele
+page_scale_fit=Mahuta leheküljele
+page_scale_auto=Automaatne suurendamine
+page_scale_actual=Tegelik suurus
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Viga
+loading_error=PDFi laadimisel esines viga.
+invalid_file_error=Vigane või rikutud PDF-fail.
+missing_file_error=PDF-fail puudub.
+unexpected_response_error=Ootamatu vastus serverilt.
+
+# LOCALIZATION NOTE (text_annotation_type): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=PDF-faili avamiseks sisesta parool.
+password_invalid=Vigane parool. Palun proovi uuesti.
+password_ok=Sobib
+password_cancel=Loobu
+
+printing_not_supported=Hoiatus: printimine pole selle brauseri poolt täielikult toetatud.
+printing_not_ready=Hoiatus: PDF pole printimiseks täielikult laaditud.
+web_fonts_disabled=Veebifondid on keelatud: PDFiga kaasatud fonte pole võimalik kasutada.
+document_colors_disabled=PDF-dokumentidel pole oma värvide kasutamine lubatud: \'Veebilehtedel on lubatud kasutada oma värve\' on brauseris deaktiveeritud.
diff --git a/static/pdf.js/locale/eu/viewer.ftl b/static/pdf.js/locale/eu/viewer.ftl
deleted file mode 100644
index 1ed37397..00000000
--- a/static/pdf.js/locale/eu/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Aurreko orria
-pdfjs-previous-button-label = Aurrekoa
-pdfjs-next-button =
- .title = Hurrengo orria
-pdfjs-next-button-label = Hurrengoa
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Orria
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = { $pagesCount }/{ $pageNumber }
-pdfjs-zoom-out-button =
- .title = Urrundu zooma
-pdfjs-zoom-out-button-label = Urrundu zooma
-pdfjs-zoom-in-button =
- .title = Gerturatu zooma
-pdfjs-zoom-in-button-label = Gerturatu zooma
-pdfjs-zoom-select =
- .title = Zooma
-pdfjs-presentation-mode-button =
- .title = Aldatu aurkezpen modura
-pdfjs-presentation-mode-button-label = Arkezpen modua
-pdfjs-open-file-button =
- .title = Ireki fitxategia
-pdfjs-open-file-button-label = Ireki
-pdfjs-print-button =
- .title = Inprimatu
-pdfjs-print-button-label = Inprimatu
-pdfjs-save-button =
- .title = Gorde
-pdfjs-save-button-label = Gorde
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Deskargatu
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Deskargatu
-pdfjs-bookmark-button =
- .title = Uneko orria (ikusi uneko orriaren URLa)
-pdfjs-bookmark-button-label = Uneko orria
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Ireki aplikazioan
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Ireki aplikazioan
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tresnak
-pdfjs-tools-button-label = Tresnak
-pdfjs-first-page-button =
- .title = Joan lehen orrira
-pdfjs-first-page-button-label = Joan lehen orrira
-pdfjs-last-page-button =
- .title = Joan azken orrira
-pdfjs-last-page-button-label = Joan azken orrira
-pdfjs-page-rotate-cw-button =
- .title = Biratu erlojuaren norantzan
-pdfjs-page-rotate-cw-button-label = Biratu erlojuaren norantzan
-pdfjs-page-rotate-ccw-button =
- .title = Biratu erlojuaren aurkako norantzan
-pdfjs-page-rotate-ccw-button-label = Biratu erlojuaren aurkako norantzan
-pdfjs-cursor-text-select-tool-button =
- .title = Gaitu testuaren hautapen tresna
-pdfjs-cursor-text-select-tool-button-label = Testuaren hautapen tresna
-pdfjs-cursor-hand-tool-button =
- .title = Gaitu eskuaren tresna
-pdfjs-cursor-hand-tool-button-label = Eskuaren tresna
-pdfjs-scroll-page-button =
- .title = Erabili orriaren korritzea
-pdfjs-scroll-page-button-label = Orriaren korritzea
-pdfjs-scroll-vertical-button =
- .title = Erabili korritze bertikala
-pdfjs-scroll-vertical-button-label = Korritze bertikala
-pdfjs-scroll-horizontal-button =
- .title = Erabili korritze horizontala
-pdfjs-scroll-horizontal-button-label = Korritze horizontala
-pdfjs-scroll-wrapped-button =
- .title = Erabili korritze egokitua
-pdfjs-scroll-wrapped-button-label = Korritze egokitua
-pdfjs-spread-none-button =
- .title = Ez elkartu barreiatutako orriak
-pdfjs-spread-none-button-label = Barreiatzerik ez
-pdfjs-spread-odd-button =
- .title = Elkartu barreiatutako orriak bakoiti zenbakidunekin hasita
-pdfjs-spread-odd-button-label = Barreiatze bakoitia
-pdfjs-spread-even-button =
- .title = Elkartu barreiatutako orriak bikoiti zenbakidunekin hasita
-pdfjs-spread-even-button-label = Barreiatze bikoitia
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentuaren propietateak…
-pdfjs-document-properties-button-label = Dokumentuaren propietateak…
-pdfjs-document-properties-file-name = Fitxategi-izena:
-pdfjs-document-properties-file-size = Fitxategiaren tamaina:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Izenburua:
-pdfjs-document-properties-author = Egilea:
-pdfjs-document-properties-subject = Gaia:
-pdfjs-document-properties-keywords = Gako-hitzak:
-pdfjs-document-properties-creation-date = Sortze-data:
-pdfjs-document-properties-modification-date = Aldatze-data:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Sortzailea:
-pdfjs-document-properties-producer = PDFaren ekoizlea:
-pdfjs-document-properties-version = PDF bertsioa:
-pdfjs-document-properties-page-count = Orrialde kopurua:
-pdfjs-document-properties-page-size = Orriaren tamaina:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = bertikala
-pdfjs-document-properties-page-size-orientation-landscape = horizontala
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Gutuna
-pdfjs-document-properties-page-size-name-legal = Legala
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Webeko ikuspegi bizkorra:
-pdfjs-document-properties-linearized-yes = Bai
-pdfjs-document-properties-linearized-no = Ez
-pdfjs-document-properties-close-button = Itxi
-
-## Print
-
-pdfjs-print-progress-message = Dokumentua inprimatzeko prestatzen…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = %{ $progress }
-pdfjs-print-progress-close-button = Utzi
-pdfjs-printing-not-supported = Abisua: inprimatzeko euskarria ez da erabatekoa nabigatzaile honetan.
-pdfjs-printing-not-ready = Abisua: PDFa ez dago erabat kargatuta inprimatzeko.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Txandakatu alboko barra
-pdfjs-toggle-sidebar-notification-button =
- .title = Txandakatu alboko barra (dokumentuak eskema/eranskinak/geruzak ditu)
-pdfjs-toggle-sidebar-button-label = Txandakatu alboko barra
-pdfjs-document-outline-button =
- .title = Erakutsi dokumentuaren eskema (klik bikoitza elementu guztiak zabaltzeko/tolesteko)
-pdfjs-document-outline-button-label = Dokumentuaren eskema
-pdfjs-attachments-button =
- .title = Erakutsi eranskinak
-pdfjs-attachments-button-label = Eranskinak
-pdfjs-layers-button =
- .title = Erakutsi geruzak (klik bikoitza geruza guztiak egoera lehenetsira berrezartzeko)
-pdfjs-layers-button-label = Geruzak
-pdfjs-thumbs-button =
- .title = Erakutsi koadro txikiak
-pdfjs-thumbs-button-label = Koadro txikiak
-pdfjs-current-outline-item-button =
- .title = Bilatu uneko eskemaren elementua
-pdfjs-current-outline-item-button-label = Uneko eskemaren elementua
-pdfjs-findbar-button =
- .title = Bilatu dokumentuan
-pdfjs-findbar-button-label = Bilatu
-pdfjs-additional-layers = Geruza gehigarriak
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page }. orria
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page }. orriaren koadro txikia
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Bilatu
- .placeholder = Bilatu dokumentuan…
-pdfjs-find-previous-button =
- .title = Bilatu esaldiaren aurreko parekatzea
-pdfjs-find-previous-button-label = Aurrekoa
-pdfjs-find-next-button =
- .title = Bilatu esaldiaren hurrengo parekatzea
-pdfjs-find-next-button-label = Hurrengoa
-pdfjs-find-highlight-checkbox = Nabarmendu guztia
-pdfjs-find-match-case-checkbox-label = Bat etorri maiuskulekin/minuskulekin
-pdfjs-find-match-diacritics-checkbox-label = Bereizi diakritikoak
-pdfjs-find-entire-word-checkbox-label = Hitz osoak
-pdfjs-find-reached-top = Dokumentuaren hasierara heldu da, bukaeratik jarraitzen
-pdfjs-find-reached-bottom = Dokumentuaren bukaerara heldu da, hasieratik jarraitzen
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $total }/{ $current }. bat-etortzea
- *[other] { $total }/{ $current }. bat-etortzea
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Bat datorren { $limit } baino gehiago
- *[other] Bat datozen { $limit } baino gehiago
- }
-pdfjs-find-not-found = Esaldia ez da aurkitu
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Orriaren zabalera
-pdfjs-page-scale-fit = Doitu orrira
-pdfjs-page-scale-auto = Zoom automatikoa
-pdfjs-page-scale-actual = Benetako tamaina
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = %{ $scale }
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page }. orria
-
-## Loading indicator messages
-
-pdfjs-loading-error = Errorea gertatu da PDFa kargatzean.
-pdfjs-invalid-file-error = PDF fitxategi baliogabe edo hondatua.
-pdfjs-missing-file-error = PDF fitxategia falta da.
-pdfjs-unexpected-response-error = Espero gabeko zerbitzariaren erantzuna.
-pdfjs-rendering-error = Errorea gertatu da orria errendatzean.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ohartarazpena]
-
-## Password
-
-pdfjs-password-label = Idatzi PDF fitxategi hau irekitzeko pasahitza.
-pdfjs-password-invalid = Pasahitz baliogabea. Saiatu berriro mesedez.
-pdfjs-password-ok-button = Ados
-pdfjs-password-cancel-button = Utzi
-pdfjs-web-fonts-disabled = Webeko letra-tipoak desgaituta daude: ezin dira kapsulatutako PDF letra-tipoak erabili.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Testua
-pdfjs-editor-free-text-button-label = Testua
-pdfjs-editor-ink-button =
- .title = Marrazkia
-pdfjs-editor-ink-button-label = Marrazkia
-pdfjs-editor-stamp-button =
- .title = Gehitu edo editatu irudiak
-pdfjs-editor-stamp-button-label = Gehitu edo editatu irudiak
-pdfjs-editor-highlight-button =
- .title = Nabarmendu
-pdfjs-editor-highlight-button-label = Nabarmendu
-pdfjs-highlight-floating-button =
- .title = Nabarmendu
-pdfjs-highlight-floating-button1 =
- .title = Nabarmendu
- .aria-label = Nabarmendu
-pdfjs-highlight-floating-button-label = Nabarmendu
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Kendu marrazkia
-pdfjs-editor-remove-freetext-button =
- .title = Kendu testua
-pdfjs-editor-remove-stamp-button =
- .title = Kendu irudia
-pdfjs-editor-remove-highlight-button =
- .title = Kendu nabarmentzea
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Kolorea
-pdfjs-editor-free-text-size-input = Tamaina
-pdfjs-editor-ink-color-input = Kolorea
-pdfjs-editor-ink-thickness-input = Loditasuna
-pdfjs-editor-ink-opacity-input = Opakutasuna
-pdfjs-editor-stamp-add-image-button =
- .title = Gehitu irudia
-pdfjs-editor-stamp-add-image-button-label = Gehitu irudia
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Loditasuna
-pdfjs-editor-free-highlight-thickness-title =
- .title = Aldatu loditasuna testua ez beste elementuak nabarmentzean
-pdfjs-free-text =
- .aria-label = Testu-editorea
-pdfjs-free-text-default-content = Hasi idazten…
-pdfjs-ink =
- .aria-label = Marrazki-editorea
-pdfjs-ink-canvas =
- .aria-label = Erabiltzaileak sortutako irudia
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Testu alternatiboa
-pdfjs-editor-alt-text-edit-button-label = Editatu testu alternatiboa
-pdfjs-editor-alt-text-dialog-label = Aukeratu aukera
-pdfjs-editor-alt-text-dialog-description = Testu alternatiboak laguntzen du jendeak ezin duenean irudia ikusi edo ez denean kargatzen.
-pdfjs-editor-alt-text-add-description-label = Gehitu azalpena
-pdfjs-editor-alt-text-add-description-description = Saiatu idazten gaia, ezarpena edo ekintzak deskribatzen dituen esaldi 1 edo 2.
-pdfjs-editor-alt-text-mark-decorative-label = Markatu apaingarri gisa
-pdfjs-editor-alt-text-mark-decorative-description = Irudiak apaingarrientzat erabiltzen da, adibidez ertz edo ur-marketarako.
-pdfjs-editor-alt-text-cancel-button = Utzi
-pdfjs-editor-alt-text-save-button = Gorde
-pdfjs-editor-alt-text-decorative-tooltip = Apaingarri gisa markatuta
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Adibidez, "gizon gaztea mahaian eserita dago bazkaltzeko"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Goiko ezkerreko izkina — aldatu tamaina
-pdfjs-editor-resizer-label-top-middle = Goian erdian — aldatu tamaina
-pdfjs-editor-resizer-label-top-right = Goiko eskuineko izkina — aldatu tamaina
-pdfjs-editor-resizer-label-middle-right = Erdian eskuinean — aldatu tamaina
-pdfjs-editor-resizer-label-bottom-right = Beheko eskuineko izkina — aldatu tamaina
-pdfjs-editor-resizer-label-bottom-middle = Behean erdian — aldatu tamaina
-pdfjs-editor-resizer-label-bottom-left = Beheko ezkerreko izkina — aldatu tamaina
-pdfjs-editor-resizer-label-middle-left = Erdian ezkerrean — aldatu tamaina
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Nabarmentze kolorea
-pdfjs-editor-colorpicker-button =
- .title = Aldatu kolorea
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Kolore-aukerak
-pdfjs-editor-colorpicker-yellow =
- .title = Horia
-pdfjs-editor-colorpicker-green =
- .title = Berdea
-pdfjs-editor-colorpicker-blue =
- .title = Urdina
-pdfjs-editor-colorpicker-pink =
- .title = Arrosa
-pdfjs-editor-colorpicker-red =
- .title = Gorria
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Erakutsi denak
-pdfjs-editor-highlight-show-all-button =
- .title = Erakutsi denak
diff --git a/static/pdf.js/locale/eu/viewer.properties b/static/pdf.js/locale/eu/viewer.properties
new file mode 100644
index 00000000..c3029896
--- /dev/null
+++ b/static/pdf.js/locale/eu/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Aurreko orria
+previous_label=Aurrekoa
+next.title=Hurrengo orria
+next_label=Hurrengoa
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Orria:
+page_of=/ {{pageCount}}
+
+zoom_out.title=Urrundu zooma
+zoom_out_label=Urrundu zooma
+zoom_in.title=Gerturatu zooma
+zoom_in_label=Gerturatu zooma
+zoom.title=Zooma
+presentation_mode.title=Aldatu aurkezpen modura
+presentation_mode_label=Arkezpen modua
+open_file.title=Ireki fitxategia
+open_file_label=Ireki
+print.title=Inprimatu
+print_label=Inprimatu
+download.title=Deskargatu
+download_label=Deskargatu
+bookmark.title=Uneko ikuspegia (kopiatu edo ireki leiho berrian)
+bookmark_label=Uneko ikuspegia
+
+# Secondary toolbar and context menu
+tools.title=Tresnak
+tools_label=Tresnak
+first_page.title=Joan lehen orrira
+first_page.label=Joan lehen orrira
+first_page_label=Joan lehen orrira
+last_page.title=Joan azken orrira
+last_page.label=Joan azken orrira
+last_page_label=Joan azken orrira
+page_rotate_cw.title=Biratu erlojuaren norantzan
+page_rotate_cw.label=Biratu erlojuaren norantzan
+page_rotate_cw_label=Biratu erlojuaren norantzan
+page_rotate_ccw.title=Biratu erlojuaren aurkako norantzan
+page_rotate_ccw.label=Biratu erlojuaren aurkako norantzan
+page_rotate_ccw_label=Biratu erlojuaren aurkako norantzan
+
+hand_tool_enable.title=Gaitu eskuaren tresna
+hand_tool_enable_label=Gaitu eskuaren tresna
+hand_tool_disable.title=Desgaitu eskuaren tresna
+hand_tool_disable_label=Desgaitu eskuaren tresna
+
+# Document properties dialog box
+document_properties.title=Dokumentuaren propietateak…
+document_properties_label=Dokumentuaren propietateak…
+document_properties_file_name=Fitxategi-izena:
+document_properties_file_size=Fitxategiaren tamaina:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} byte)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} byte)
+document_properties_title=Izenburua:
+document_properties_author=Egilea:
+document_properties_subject=Gaia:
+document_properties_keywords=Gako-hitzak:
+document_properties_creation_date=Sortze-data:
+document_properties_modification_date=Aldatze-data:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Sortzailea:
+document_properties_producer=PDFaren ekoizlea:
+document_properties_version=PDF bertsioa:
+document_properties_page_count=Orrialde kopurua:
+document_properties_close=Itxi
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Txandakatu alboko barra
+toggle_sidebar_label=Txandakatu alboko barra
+outline.title=Erakutsi dokumentuaren eskema
+outline_label=Dokumentuaren eskema
+attachments.title=Erakutsi eranskinak
+attachments_label=Eranskinak
+thumbs.title=Erakutsi koadro txikiak
+thumbs_label=Koadro txikiak
+findbar.title=Bilatu dokumentuan
+findbar_label=Bilatu
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}}. orria
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}}. orriaren koadro txikia
+
+# Find panel button title and messages
+find_label=Bilatu:
+find_previous.title=Bilatu esaldiaren aurreko parekatzea
+find_previous_label=Aurrekoa
+find_next.title=Bilatu esaldiaren hurrengo parekatzea
+find_next_label=Hurrengoa
+find_highlight=Nabarmendu guztia
+find_match_case_label=Bat etorri maiuskulekin/minuskulekin
+find_reached_top=Dokumentuaren hasierara heldu da, bukaeratik jarraitzen
+find_reached_bottom=Dokumentuaren bukaerara heldu da, hasieratik jarraitzen
+find_not_found=Esaldia ez da aurkitu
+
+# Error panel labels
+error_more_info=Informazio gehiago
+error_less_info=Informazio gutxiago
+error_close=Itxi
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (eraikuntza: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mezua: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fitxategia: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Lerroa: {{line}}
+rendering_error=Errorea gertatu da orria errendatzean.
+
+# Predefined zoom values
+page_scale_width=Orriaren zabalera
+page_scale_fit=Doitu orrira
+page_scale_auto=Zoom automatikoa
+page_scale_actual=Benetako tamaina
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent=%{{scale}}
+
+# Loading indicator messages
+loading_error_indicator=Errorea
+loading_error=Errorea gertatu da PDFa kargatzean.
+invalid_file_error=PDF fitxategi baliogabe edo hondatua.
+missing_file_error=PDF fitxategia falta da.
+unexpected_response_error=Espero gabeko zerbitzariaren erantzuna.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} ohartarazpena]
+password_label=Idatzi PDF fitxategi hau irekitzeko pasahitza.
+password_invalid=Pasahitz baliogabea. Saiatu berriro mesedez.
+password_ok=Ados
+password_cancel=Utzi
+
+printing_not_supported=Abisua: inprimatzeko euskarria ez da erabatekoa nabigatzaile honetan.
+printing_not_ready=Abisua: PDFa ez dago erabat kargatuta inprimatzeko.
+web_fonts_disabled=Webeko letra-tipoak desgaituta daude: ezin dira kapsulatutako PDF letra-tipoak erabili.
+document_colors_not_allowed=PDF dokumentuek ez dute beraien koloreak erabiltzeko baimenik: 'Baimendu orriak beraien letra-tipoak aukeratzea' desaktibatuta dago nabigatzailean.
diff --git a/static/pdf.js/locale/fa/viewer.ftl b/static/pdf.js/locale/fa/viewer.ftl
deleted file mode 100644
index f367e3c6..00000000
--- a/static/pdf.js/locale/fa/viewer.ftl
+++ /dev/null
@@ -1,246 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = صفحهٔ قبلی
-pdfjs-previous-button-label = قبلی
-pdfjs-next-button =
- .title = صفحهٔ بعدی
-pdfjs-next-button-label = بعدی
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = صفحه
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = از { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber }از { $pagesCount })
-pdfjs-zoom-out-button =
- .title = کوچکنمایی
-pdfjs-zoom-out-button-label = کوچکنمایی
-pdfjs-zoom-in-button =
- .title = بزرگنمایی
-pdfjs-zoom-in-button-label = بزرگنمایی
-pdfjs-zoom-select =
- .title = زوم
-pdfjs-presentation-mode-button =
- .title = تغییر به حالت ارائه
-pdfjs-presentation-mode-button-label = حالت ارائه
-pdfjs-open-file-button =
- .title = باز کردن پرونده
-pdfjs-open-file-button-label = باز کردن
-pdfjs-print-button =
- .title = چاپ
-pdfjs-print-button-label = چاپ
-pdfjs-save-button-label = ذخیره
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ابزارها
-pdfjs-tools-button-label = ابزارها
-pdfjs-first-page-button =
- .title = برو به اولین صفحه
-pdfjs-first-page-button-label = برو به اولین صفحه
-pdfjs-last-page-button =
- .title = برو به آخرین صفحه
-pdfjs-last-page-button-label = برو به آخرین صفحه
-pdfjs-page-rotate-cw-button =
- .title = چرخش ساعتگرد
-pdfjs-page-rotate-cw-button-label = چرخش ساعتگرد
-pdfjs-page-rotate-ccw-button =
- .title = چرخش پاد ساعتگرد
-pdfjs-page-rotate-ccw-button-label = چرخش پاد ساعتگرد
-pdfjs-cursor-text-select-tool-button =
- .title = فعال کردن ابزارِ انتخابِ متن
-pdfjs-cursor-text-select-tool-button-label = ابزارِ انتخابِ متن
-pdfjs-cursor-hand-tool-button =
- .title = فعال کردن ابزارِ دست
-pdfjs-cursor-hand-tool-button-label = ابزار دست
-pdfjs-scroll-vertical-button =
- .title = استفاده از پیمایش عمودی
-pdfjs-scroll-vertical-button-label = پیمایش عمودی
-pdfjs-scroll-horizontal-button =
- .title = استفاده از پیمایش افقی
-pdfjs-scroll-horizontal-button-label = پیمایش افقی
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = خصوصیات سند...
-pdfjs-document-properties-button-label = خصوصیات سند...
-pdfjs-document-properties-file-name = نام فایل:
-pdfjs-document-properties-file-size = حجم پرونده:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } کیلوبایت ({ $size_b } بایت)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } مگابایت ({ $size_b } بایت)
-pdfjs-document-properties-title = عنوان:
-pdfjs-document-properties-author = نویسنده:
-pdfjs-document-properties-subject = موضوع:
-pdfjs-document-properties-keywords = کلیدواژهها:
-pdfjs-document-properties-creation-date = تاریخ ایجاد:
-pdfjs-document-properties-modification-date = تاریخ ویرایش:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }، { $time }
-pdfjs-document-properties-creator = ایجاد کننده:
-pdfjs-document-properties-producer = ایجاد کننده PDF:
-pdfjs-document-properties-version = نسخه PDF:
-pdfjs-document-properties-page-count = تعداد صفحات:
-pdfjs-document-properties-page-size = اندازه صفحه:
-pdfjs-document-properties-page-size-unit-inches = اینچ
-pdfjs-document-properties-page-size-unit-millimeters = میلیمتر
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = نامه
-pdfjs-document-properties-page-size-name-legal = حقوقی
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = بله
-pdfjs-document-properties-linearized-no = خیر
-pdfjs-document-properties-close-button = بستن
-
-## Print
-
-pdfjs-print-progress-message = آماده سازی مدارک برای چاپ کردن…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = لغو
-pdfjs-printing-not-supported = هشدار: قابلیت چاپ بهطور کامل در این مرورگر پشتیبانی نمیشود.
-pdfjs-printing-not-ready = اخطار: پرونده PDF بطور کامل بارگیری نشده و امکان چاپ وجود ندارد.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = باز و بسته کردن نوار کناری
-pdfjs-toggle-sidebar-button-label = تغییرحالت نوارکناری
-pdfjs-document-outline-button =
- .title = نمایش رئوس مطالب مدارک(برای بازشدن/جمع شدن همه موارد دوبار کلیک کنید)
-pdfjs-document-outline-button-label = طرح نوشتار
-pdfjs-attachments-button =
- .title = نمایش پیوستها
-pdfjs-attachments-button-label = پیوستها
-pdfjs-layers-button-label = لایهها
-pdfjs-thumbs-button =
- .title = نمایش تصاویر بندانگشتی
-pdfjs-thumbs-button-label = تصاویر بندانگشتی
-pdfjs-findbar-button =
- .title = جستجو در سند
-pdfjs-findbar-button-label = پیدا کردن
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = صفحه { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = تصویر بند انگشتی صفحه { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = پیدا کردن
- .placeholder = پیدا کردن در سند…
-pdfjs-find-previous-button =
- .title = پیدا کردن رخداد قبلی عبارت
-pdfjs-find-previous-button-label = قبلی
-pdfjs-find-next-button =
- .title = پیدا کردن رخداد بعدی عبارت
-pdfjs-find-next-button-label = بعدی
-pdfjs-find-highlight-checkbox = برجسته و هایلایت کردن همه موارد
-pdfjs-find-match-case-checkbox-label = تطبیق کوچکی و بزرگی حروف
-pdfjs-find-entire-word-checkbox-label = تمام کلمهها
-pdfjs-find-reached-top = به بالای صفحه رسیدیم، از پایین ادامه میدهیم
-pdfjs-find-reached-bottom = به آخر صفحه رسیدیم، از بالا ادامه میدهیم
-pdfjs-find-not-found = عبارت پیدا نشد
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = عرض صفحه
-pdfjs-page-scale-fit = اندازه کردن صفحه
-pdfjs-page-scale-auto = بزرگنمایی خودکار
-pdfjs-page-scale-actual = اندازه واقعی
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = صفحهٔ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = هنگام بارگیری پرونده PDF خطایی رخ داد.
-pdfjs-invalid-file-error = پرونده PDF نامعتبر یامعیوب میباشد.
-pdfjs-missing-file-error = پرونده PDF یافت نشد.
-pdfjs-unexpected-response-error = پاسخ پیش بینی نشده سرور
-pdfjs-rendering-error = هنگام بارگیری صفحه خطایی رخ داد.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = جهت باز کردن پرونده PDF گذرواژه را وارد نمائید.
-pdfjs-password-invalid = گذرواژه نامعتبر. لطفا مجددا تلاش کنید.
-pdfjs-password-ok-button = تأیید
-pdfjs-password-cancel-button = لغو
-pdfjs-web-fonts-disabled = فونت های تحت وب غیر فعال شده اند: امکان استفاده از نمایش دهنده داخلی PDF وجود ندارد.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = متن
-pdfjs-editor-free-text-button-label = متن
-pdfjs-editor-ink-button =
- .title = کشیدن
-pdfjs-editor-ink-button-label = کشیدن
-# Editor Parameters
-pdfjs-editor-free-text-color-input = رنگ
-pdfjs-editor-free-text-size-input = اندازه
-pdfjs-editor-ink-color-input = رنگ
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/fa/viewer.properties b/static/pdf.js/locale/fa/viewer.properties
new file mode 100644
index 00000000..28f2cb65
--- /dev/null
+++ b/static/pdf.js/locale/fa/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=صفحهٔ قبلی
+previous_label=قبلی
+next.title=صفحهٔ بعدی
+next_label=بعدی
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=صفحه:
+page_of=از {{pageCount}}
+
+zoom_out.title=کوچکنمایی
+zoom_out_label=کوچکنمایی
+zoom_in.title=بزرگنمایی
+zoom_in_label=بزرگنمایی
+zoom.title=زوم
+presentation_mode.title=تغییر به حالت ارائه
+presentation_mode_label=حالت ارائه
+open_file.title=باز کردن پرونده
+open_file_label=باز کردن
+print.title=چاپ
+print_label=چاپ
+download.title=بارگیری
+download_label=بارگیری
+bookmark.title=نمای فعلی (رونوشت و یا نشان دادن در پنجره جدید)
+bookmark_label=نمای فعلی
+
+# Secondary toolbar and context menu
+tools.title=ابزارها
+tools_label=ابزارها
+first_page.title=برو به اولین صفحه
+first_page.label=برو یه اولین صفحه
+first_page_label=برو به اولین صفحه
+last_page.title=برو به آخرین صفحه
+last_page.label=برو به آخرین صفحه
+last_page_label=برو به آخرین صفحه
+page_rotate_cw.title=چرخش ساعتگرد
+page_rotate_cw.label=چرخش ساعتگرد
+page_rotate_cw_label=چرخش ساعتگرد
+page_rotate_ccw.title=چرخش پاد ساعتگرد
+page_rotate_ccw.label=چرخش پاد ساعتگرد
+page_rotate_ccw_label=چرخش پاد ساعتگرد
+
+hand_tool_enable.title=فعال سازی ابزار دست
+hand_tool_enable_label=فعال سازی ابزار دست
+hand_tool_disable.title=غیرفعال سازی ابزار دست
+hand_tool_disable_label=غیرفعال سازی ابزار دست
+
+# Document properties dialog box
+document_properties.title=خصوصیات سند...
+document_properties_label=خصوصیات سند...
+document_properties_file_name=نام فایل:
+document_properties_file_size=حجم پرونده:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} کیلوبایت ({{size_b}} بایت)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} مگابایت ({{size_b}} بایت)
+document_properties_title=عنوان:
+document_properties_author=نویسنده:
+document_properties_subject=موضوع:
+document_properties_keywords=کلیدواژهها:
+document_properties_creation_date=تاریخ ایجاد:
+document_properties_modification_date=تاریخ ویرایش:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}، {{time}}
+document_properties_creator=ایجاد کننده:
+document_properties_producer=ایجاد کننده PDF:
+document_properties_version=نسخه PDF:
+document_properties_page_count=تعداد صفحات:
+document_properties_close=بستن
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=باز و بسته کردن نوار کناری
+toggle_sidebar_label=تغییرحالت نوارکناری
+outline.title=نمایش طرح نوشتار
+outline_label=طرح نوشتار
+attachments.title=نمایش پیوستها
+attachments_label=پیوستها
+thumbs.title=نمایش تصاویر بندانگشتی
+thumbs_label=تصاویر بندانگشتی
+findbar.title=جستجو در سند
+findbar_label=پیدا کردن
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=صفحه {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=تصویر بند انگشتی صفحه {{page}}
+
+# Find panel button title and messages
+find_label=جستجو:
+find_previous.title=پیدا کردن رخداد قبلی عبارت
+find_previous_label=قبلی
+find_next.title=پیدا کردن رخداد بعدی عبارت
+find_next_label=بعدی
+find_highlight=برجسته و هایلایت کردن همه موارد
+find_match_case_label=تطبیق کوچکی و بزرگی حروف
+find_reached_top=به بالای صفحه رسیدیم، از پایین ادامه میدهیم
+find_reached_bottom=به آخر صفحه رسیدیم، از بالا ادامه میدهیم
+find_not_found=عبارت پیدا نشد
+
+# Error panel labels
+error_more_info=اطلاعات بیشتر
+error_less_info=اطلاعات کمتر
+error_close=بستن
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js ورژن{{version}} (ساخت: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=پیام: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=توده: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=پرونده: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=سطر: {{line}}
+rendering_error=هنگام بارگیری صفحه خطایی رخ داد.
+
+# Predefined zoom values
+page_scale_width=عرض صفحه
+page_scale_fit=اندازه کردن صفحه
+page_scale_auto=بزرگنمایی خودکار
+page_scale_actual=اندازه واقعی
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=خطا
+loading_error=هنگام بارگیری پرونده PDF خطایی رخ داد.
+invalid_file_error=پرونده PDF نامعتبر یامعیوب میباشد.
+missing_file_error=پرونده PDF یافت نشد.
+unexpected_response_error=پاسخ پیش بینی نشده سرور
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=جهت باز کردن پرونده PDF گذرواژه را وارد نمائید.
+password_invalid=گذرواژه نامعتبر. لطفا مجددا تلاش کنید.
+password_ok=تأیید
+password_cancel=انصراف
+
+printing_not_supported=هشدار: قابلیت چاپ بهطور کامل در این مرورگر پشتیبانی نمیشود.
+printing_not_ready=اخطار: پرونده PDF بطور کامل بارگیری نشده و امکان چاپ وجود ندارد.
+web_fonts_disabled=فونت های تحت وب غیر فعال شده اند: امکان استفاده از نمایش دهنده داخلی PDF وجود ندارد.
+document_colors_not_allowed=فایلهای PDF نمیتوانند که رنگ های خود را داشته باشند. لذا گزینه 'اجازه تغییر رنگ" در مرورگر غیر فعال شده است.
diff --git a/static/pdf.js/locale/ff/viewer.ftl b/static/pdf.js/locale/ff/viewer.ftl
deleted file mode 100644
index d1419f54..00000000
--- a/static/pdf.js/locale/ff/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Hello Ɓennungo
-pdfjs-previous-button-label = Ɓennuɗo
-pdfjs-next-button =
- .title = Hello faango
-pdfjs-next-button-label = Yeeso
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Hello
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = e nder { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Lonngo Woɗɗa
-pdfjs-zoom-out-button-label = Lonngo Woɗɗa
-pdfjs-zoom-in-button =
- .title = Lonngo Ara
-pdfjs-zoom-in-button-label = Lonngo Ara
-pdfjs-zoom-select =
- .title = Lonngo
-pdfjs-presentation-mode-button =
- .title = Faytu to Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Uddit Fiilde
-pdfjs-open-file-button-label = Uddit
-pdfjs-print-button =
- .title = Winndito
-pdfjs-print-button-label = Winndito
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Kuutorɗe
-pdfjs-tools-button-label = Kuutorɗe
-pdfjs-first-page-button =
- .title = Yah to hello adanngo
-pdfjs-first-page-button-label = Yah to hello adanngo
-pdfjs-last-page-button =
- .title = Yah to hello wattindiingo
-pdfjs-last-page-button-label = Yah to hello wattindiingo
-pdfjs-page-rotate-cw-button =
- .title = Yiiltu Faya Ñaamo
-pdfjs-page-rotate-cw-button-label = Yiiltu Faya Ñaamo
-pdfjs-page-rotate-ccw-button =
- .title = Yiiltu Faya Nano
-pdfjs-page-rotate-ccw-button-label = Yiiltu Faya Nano
-pdfjs-cursor-text-select-tool-button =
- .title = Gollin kaɓirgel cuɓirgel binndi
-pdfjs-cursor-text-select-tool-button-label = Kaɓirgel cuɓirgel binndi
-pdfjs-cursor-hand-tool-button =
- .title = Hurmin kuutorgal junngo
-pdfjs-cursor-hand-tool-button-label = Kaɓirgel junngo
-pdfjs-scroll-vertical-button =
- .title = Huutoro gorwitol daringol
-pdfjs-scroll-vertical-button-label = Gorwitol daringol
-pdfjs-scroll-horizontal-button =
- .title = Huutoro gorwitol lelingol
-pdfjs-scroll-horizontal-button-label = Gorwitol daringol
-pdfjs-scroll-wrapped-button =
- .title = Huutoro gorwitol coomingol
-pdfjs-scroll-wrapped-button-label = Gorwitol coomingol
-pdfjs-spread-none-button =
- .title = Hoto tawtu kelle kelle
-pdfjs-spread-none-button-label = Alaa Spreads
-pdfjs-spread-odd-button =
- .title = Tawtu kelle puɗɗortooɗe kelle teelɗe
-pdfjs-spread-odd-button-label = Kelle teelɗe
-pdfjs-spread-even-button =
- .title = Tawtu ɗereeji kelle puɗɗoriiɗi kelle teeltuɗe
-pdfjs-spread-even-button-label = Kelle teeltuɗe
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Keeroraaɗi Winndannde…
-pdfjs-document-properties-button-label = Keeroraaɗi Winndannde…
-pdfjs-document-properties-file-name = Innde fiilde:
-pdfjs-document-properties-file-size = Ɓetol fiilde:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bite)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bite)
-pdfjs-document-properties-title = Tiitoonde:
-pdfjs-document-properties-author = Binnduɗo:
-pdfjs-document-properties-subject = Toɓɓere:
-pdfjs-document-properties-keywords = Kelmekele jiytirɗe:
-pdfjs-document-properties-creation-date = Ñalnde Sosaa:
-pdfjs-document-properties-modification-date = Ñalnde Waylaa:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Cosɗo:
-pdfjs-document-properties-producer = Paggiiɗo PDF:
-pdfjs-document-properties-version = Yamre PDF:
-pdfjs-document-properties-page-count = Limoore Kelle:
-pdfjs-document-properties-page-size = Ɓeto Hello:
-pdfjs-document-properties-page-size-unit-inches = nder
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = dariingo
-pdfjs-document-properties-page-size-orientation-landscape = wertiingo
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Ɓataake
-pdfjs-document-properties-page-size-name-legal = Laawol
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Ɗisngo geese yaawngo:
-pdfjs-document-properties-linearized-yes = Eey
-pdfjs-document-properties-linearized-no = Alaa
-pdfjs-document-properties-close-button = Uddu
-
-## Print
-
-pdfjs-print-progress-message = Nana heboo winnditaade fiilannde…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Haaytu
-pdfjs-printing-not-supported = Reentino: Winnditagol tammbitaaka no feewi e ndee wanngorde.
-pdfjs-printing-not-ready = Reentino: PDF oo loowaaki haa timmi ngam winnditagol.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggilo Palal Sawndo
-pdfjs-toggle-sidebar-button-label = Toggilo Palal Sawndo
-pdfjs-document-outline-button =
- .title = Hollu Ƴiyal Fiilannde (dobdobo ngam wertude/taggude teme fof)
-pdfjs-document-outline-button-label = Toɓɓe Fiilannde
-pdfjs-attachments-button =
- .title = Hollu Ɗisanɗe
-pdfjs-attachments-button-label = Ɗisanɗe
-pdfjs-thumbs-button =
- .title = Hollu Dooɓe
-pdfjs-thumbs-button-label = Dooɓe
-pdfjs-findbar-button =
- .title = Yiylo e fiilannde
-pdfjs-findbar-button-label = Yiytu
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Hello { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Dooɓre Hello { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Yiytu
- .placeholder = Yiylo nder dokimaa
-pdfjs-find-previous-button =
- .title = Yiylo cilol ɓennugol konngol ngol
-pdfjs-find-previous-button-label = Ɓennuɗo
-pdfjs-find-next-button =
- .title = Yiylo cilol garowol konngol ngol
-pdfjs-find-next-button-label = Yeeso
-pdfjs-find-highlight-checkbox = Jalbin fof
-pdfjs-find-match-case-checkbox-label = Jaaɓnu darnde
-pdfjs-find-entire-word-checkbox-label = Kelme timmuɗe tan
-pdfjs-find-reached-top = Heɓii fuɗɗorde fiilannde, jokku faya les
-pdfjs-find-reached-bottom = Heɓii hoore fiilannde, jokku faya les
-pdfjs-find-not-found = Konngi njiyataa
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Njaajeendi Hello
-pdfjs-page-scale-fit = Keƴeendi Hello
-pdfjs-page-scale-auto = Loongorde Jaajol
-pdfjs-page-scale-actual = Ɓetol Jaati
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Juumre waɗii tuma nde loowata PDF oo.
-pdfjs-invalid-file-error = Fiilde PDF moƴƴaani walla jiibii.
-pdfjs-missing-file-error = Fiilde PDF ena ŋakki.
-pdfjs-unexpected-response-error = Jaabtol sarworde tijjinooka.
-pdfjs-rendering-error = Juumre waɗii tuma nde yoŋkittoo hello.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Siiftannde]
-
-## Password
-
-pdfjs-password-label = Naatu finnde ngam uddite ndee fiilde PDF.
-pdfjs-password-invalid = Finnde moƴƴaani. Tiiɗno eto kadi.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Haaytu
-pdfjs-web-fonts-disabled = Ponte geese ko daaƴaaɗe: horiima huutoraade ponte PDF coomtoraaɗe.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ff/viewer.properties b/static/pdf.js/locale/ff/viewer.properties
new file mode 100644
index 00000000..026c4bf2
--- /dev/null
+++ b/static/pdf.js/locale/ff/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Hello Ɓennungo
+previous_label=Ɓennuɗo
+next.title=Hello faango
+next_label=Yeeso
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Hello:
+page_of=e nder {{pageCount}}
+
+zoom_out.title=Lonngo Woɗɗa
+zoom_out_label=Lonngo Woɗɗa
+zoom_in.title=Lonngo Ara
+zoom_in_label=Lonngo Ara
+zoom.title=Lonngo
+presentation_mode.title=Faytu to Presentation Mode
+presentation_mode_label=Presentation Mode
+open_file.title=Uddit Fiilde
+open_file_label=Uddit
+print.title=Winndito
+print_label=Winndito
+download.title=Aawto
+download_label=Aawto
+bookmark.title=Jiytol gonangol (natto walla uddit e henorde)
+bookmark_label=Jiytol Gonangol
+
+# Secondary toolbar and context menu
+tools.title=Kuutorɗe
+tools_label=Kuutorɗe
+first_page.title=Yah to hello adanngo
+first_page.label=Yah to hello adanngo
+first_page_label=Yah to hello adanngo
+last_page.title=Yah to hello wattindiingo
+last_page.label=Yah to hello wattindiingo
+last_page_label=Yah to hello wattindiingo
+page_rotate_cw.title=Yiiltu Faya Ñaamo
+page_rotate_cw.label=Yiiltu Faya Ñaamo
+page_rotate_cw_label=Yiiltu Faya Ñaamo
+page_rotate_ccw.title=Yiiltu Faya Nano
+page_rotate_ccw.label=Yiiltu Faya Nano
+page_rotate_ccw_label=Yiiltu Faya Nano
+
+hand_tool_enable.title=Hurmin kuutorgal junngo
+hand_tool_enable_label=Hurmin kuutorgal junngo
+hand_tool_disable.title=Daaƴ kuutorgal junngo
+hand_tool_disable_label=Daaƴ kuutorgal junngo
+
+# Document properties dialog box
+document_properties.title=Keeroraaɗi Winndannde…
+document_properties_label=Keeroraaɗi Winndannde…
+document_properties_file_name=Innde fiilde:
+document_properties_file_size=Ɓetol fiilde:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bite)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bite)
+document_properties_title=Tiitoonde:
+document_properties_author=Binnduɗo:
+document_properties_subject=Toɓɓere:
+document_properties_keywords=Kelmekele jiytirɗe:
+document_properties_creation_date=Ñalnde Sosaa:
+document_properties_modification_date=Ñalnde Waylaa:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Cosɗo:
+document_properties_producer=Paggiiɗo PDF:
+document_properties_version=Yamre PDF:
+document_properties_page_count=Limoore Kelle:
+document_properties_close=Uddu
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toggilo Palal Sawndo
+toggle_sidebar_label=Toggilo Palal Sawndo
+outline.title=Hollu Toɓɓe Fiilannde
+outline_label=Toɓɓe Fiilannde
+attachments.title=Hollu Ɗisanɗe
+attachments_label=Ɗisanɗe
+thumbs.title=Hollu Dooɓe
+thumbs_label=Dooɓe
+findbar.title=Yiylo e fiilannde
+findbar_label=Yiytu
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Hello {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Dooɓre Hello {{page}}
+
+# Find panel button title and messages
+find_label=Yiytu:
+find_previous.title=Yiylo cilol ɓennugol konngol ngol
+find_previous_label=Ɓennuɗo
+find_next.title=Yiylo cilol garowol konngol ngol
+find_next_label=Yeeso
+find_highlight=Jalbin fof
+find_match_case_label=Jaaɓnu darnde
+find_reached_top=Heɓii fuɗɗorde fiilannde, jokku faya les
+find_reached_bottom=Heɓii hoore fiilannde, jokku faya les
+find_not_found=Konngi njiyataa
+
+# Error panel labels
+error_more_info=Ɓeydu Humpito
+error_less_info=Ustu Humpito
+error_close=Uddu
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Ɓatakuure: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fiilde: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Gorol: {{line}}
+rendering_error=Juumre waɗii tuma nde yoŋkittoo hello.
+
+# Predefined zoom values
+page_scale_width=Njaajeendi Hello
+page_scale_fit=Keƴeendi Hello
+page_scale_auto=Loongorde Jaajol
+page_scale_actual=Ɓetol Jaati
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Juumre
+loading_error=Juumre waɗii tuma nde loowata PDF oo.
+invalid_file_error=Fiilde PDF moƴƴaani walla jiibii.
+missing_file_error=Fiilde PDF ena ŋakki.
+unexpected_response_error=Jaabtol sarworde tijjinooka.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Siiftannde]
+password_label=Naatu finnde ngam uddite ndee fiilde PDF.
+password_invalid=Finnde moƴƴaani. Tiiɗno eto kadi.
+password_ok=OK
+password_cancel=Haaytu
+
+printing_not_supported=Reentino: Winnditagol tammbitaaka no feewi e ndee wanngorde.
+printing_not_ready=Reentino: PDF oo loowaaki haa timmi ngam winnditagol.
+web_fonts_disabled=Ponte geese ko daaƴaaɗe: horiima huutoraade ponte PDF coomtoraaɗe.
+document_colors_not_allowed=Piilanɗe PDF njamiraaka yoo kuutoro goobuuji mum'en keeriiɗi: 'Yamir kello yoo kuutoro goobuuki keeriiɗi' koko daaƴaa e wanngorde ndee.
diff --git a/static/pdf.js/locale/fi/viewer.ftl b/static/pdf.js/locale/fi/viewer.ftl
deleted file mode 100644
index 51667837..00000000
--- a/static/pdf.js/locale/fi/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Edellinen sivu
-pdfjs-previous-button-label = Edellinen
-pdfjs-next-button =
- .title = Seuraava sivu
-pdfjs-next-button-label = Seuraava
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Sivu
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Loitonna
-pdfjs-zoom-out-button-label = Loitonna
-pdfjs-zoom-in-button =
- .title = Lähennä
-pdfjs-zoom-in-button-label = Lähennä
-pdfjs-zoom-select =
- .title = Suurennus
-pdfjs-presentation-mode-button =
- .title = Siirry esitystilaan
-pdfjs-presentation-mode-button-label = Esitystila
-pdfjs-open-file-button =
- .title = Avaa tiedosto
-pdfjs-open-file-button-label = Avaa
-pdfjs-print-button =
- .title = Tulosta
-pdfjs-print-button-label = Tulosta
-pdfjs-save-button =
- .title = Tallenna
-pdfjs-save-button-label = Tallenna
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Lataa
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Lataa
-pdfjs-bookmark-button =
- .title = Nykyinen sivu (Näytä URL-osoite nykyiseltä sivulta)
-pdfjs-bookmark-button-label = Nykyinen sivu
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Avaa sovelluksessa
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Avaa sovelluksessa
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Siirry ensimmäiselle sivulle
-pdfjs-first-page-button-label = Siirry ensimmäiselle sivulle
-pdfjs-last-page-button =
- .title = Siirry viimeiselle sivulle
-pdfjs-last-page-button-label = Siirry viimeiselle sivulle
-pdfjs-page-rotate-cw-button =
- .title = Kierrä oikealle
-pdfjs-page-rotate-cw-button-label = Kierrä oikealle
-pdfjs-page-rotate-ccw-button =
- .title = Kierrä vasemmalle
-pdfjs-page-rotate-ccw-button-label = Kierrä vasemmalle
-pdfjs-cursor-text-select-tool-button =
- .title = Käytä tekstinvalintatyökalua
-pdfjs-cursor-text-select-tool-button-label = Tekstinvalintatyökalu
-pdfjs-cursor-hand-tool-button =
- .title = Käytä käsityökalua
-pdfjs-cursor-hand-tool-button-label = Käsityökalu
-pdfjs-scroll-page-button =
- .title = Käytä sivun vieritystä
-pdfjs-scroll-page-button-label = Sivun vieritys
-pdfjs-scroll-vertical-button =
- .title = Käytä pystysuuntaista vieritystä
-pdfjs-scroll-vertical-button-label = Pystysuuntainen vieritys
-pdfjs-scroll-horizontal-button =
- .title = Käytä vaakasuuntaista vieritystä
-pdfjs-scroll-horizontal-button-label = Vaakasuuntainen vieritys
-pdfjs-scroll-wrapped-button =
- .title = Käytä rivittyvää vieritystä
-pdfjs-scroll-wrapped-button-label = Rivittyvä vieritys
-pdfjs-spread-none-button =
- .title = Älä yhdistä sivuja aukeamiksi
-pdfjs-spread-none-button-label = Ei aukeamia
-pdfjs-spread-odd-button =
- .title = Yhdistä sivut aukeamiksi alkaen parittomalta sivulta
-pdfjs-spread-odd-button-label = Parittomalta alkavat aukeamat
-pdfjs-spread-even-button =
- .title = Yhdistä sivut aukeamiksi alkaen parilliselta sivulta
-pdfjs-spread-even-button-label = Parilliselta alkavat aukeamat
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentin ominaisuudet…
-pdfjs-document-properties-button-label = Dokumentin ominaisuudet…
-pdfjs-document-properties-file-name = Tiedoston nimi:
-pdfjs-document-properties-file-size = Tiedoston koko:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kt ({ $size_b } tavua)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } Mt ({ $size_b } tavua)
-pdfjs-document-properties-title = Otsikko:
-pdfjs-document-properties-author = Tekijä:
-pdfjs-document-properties-subject = Aihe:
-pdfjs-document-properties-keywords = Avainsanat:
-pdfjs-document-properties-creation-date = Luomispäivämäärä:
-pdfjs-document-properties-modification-date = Muokkauspäivämäärä:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Luoja:
-pdfjs-document-properties-producer = PDF-tuottaja:
-pdfjs-document-properties-version = PDF-versio:
-pdfjs-document-properties-page-count = Sivujen määrä:
-pdfjs-document-properties-page-size = Sivun koko:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = pysty
-pdfjs-document-properties-page-size-orientation-landscape = vaaka
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Nopea web-katselu:
-pdfjs-document-properties-linearized-yes = Kyllä
-pdfjs-document-properties-linearized-no = Ei
-pdfjs-document-properties-close-button = Sulje
-
-## Print
-
-pdfjs-print-progress-message = Valmistellaan dokumenttia tulostamista varten…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Peruuta
-pdfjs-printing-not-supported = Varoitus: Selain ei tue kaikkia tulostustapoja.
-pdfjs-printing-not-ready = Varoitus: PDF-tiedosto ei ole vielä latautunut kokonaan, eikä sitä voi vielä tulostaa.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Näytä/piilota sivupaneeli
-pdfjs-toggle-sidebar-notification-button =
- .title = Näytä/piilota sivupaneeli (dokumentissa on sisällys/liitteitä/tasoja)
-pdfjs-toggle-sidebar-button-label = Näytä/piilota sivupaneeli
-pdfjs-document-outline-button =
- .title = Näytä dokumentin sisällys (laajenna tai kutista kohdat kaksoisnapsauttamalla)
-pdfjs-document-outline-button-label = Dokumentin sisällys
-pdfjs-attachments-button =
- .title = Näytä liitteet
-pdfjs-attachments-button-label = Liitteet
-pdfjs-layers-button =
- .title = Näytä tasot (kaksoisnapsauta palauttaaksesi kaikki tasot oletustilaan)
-pdfjs-layers-button-label = Tasot
-pdfjs-thumbs-button =
- .title = Näytä pienoiskuvat
-pdfjs-thumbs-button-label = Pienoiskuvat
-pdfjs-current-outline-item-button =
- .title = Etsi nykyinen sisällyksen kohta
-pdfjs-current-outline-item-button-label = Nykyinen sisällyksen kohta
-pdfjs-findbar-button =
- .title = Etsi dokumentista
-pdfjs-findbar-button-label = Etsi
-pdfjs-additional-layers = Lisätasot
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Sivu { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Pienoiskuva sivusta { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Etsi
- .placeholder = Etsi dokumentista…
-pdfjs-find-previous-button =
- .title = Etsi hakusanan edellinen osuma
-pdfjs-find-previous-button-label = Edellinen
-pdfjs-find-next-button =
- .title = Etsi hakusanan seuraava osuma
-pdfjs-find-next-button-label = Seuraava
-pdfjs-find-highlight-checkbox = Korosta kaikki
-pdfjs-find-match-case-checkbox-label = Huomioi kirjainkoko
-pdfjs-find-match-diacritics-checkbox-label = Erota tarkkeet
-pdfjs-find-entire-word-checkbox-label = Kokonaiset sanat
-pdfjs-find-reached-top = Päästiin dokumentin alkuun, jatketaan lopusta
-pdfjs-find-reached-bottom = Päästiin dokumentin loppuun, jatketaan alusta
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } / { $total } osuma
- *[other] { $current } / { $total } osumaa
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Yli { $limit } osuma
- *[other] Yli { $limit } osumaa
- }
-pdfjs-find-not-found = Hakusanaa ei löytynyt
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sivun leveys
-pdfjs-page-scale-fit = Koko sivu
-pdfjs-page-scale-auto = Automaattinen suurennus
-pdfjs-page-scale-actual = Todellinen koko
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Sivu { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Tapahtui virhe ladattaessa PDF-tiedostoa.
-pdfjs-invalid-file-error = Virheellinen tai vioittunut PDF-tiedosto.
-pdfjs-missing-file-error = Puuttuva PDF-tiedosto.
-pdfjs-unexpected-response-error = Odottamaton vastaus palvelimelta.
-pdfjs-rendering-error = Tapahtui virhe piirrettäessä sivua.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-merkintä]
-
-## Password
-
-pdfjs-password-label = Kirjoita PDF-tiedoston salasana.
-pdfjs-password-invalid = Virheellinen salasana. Yritä uudestaan.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Peruuta
-pdfjs-web-fonts-disabled = Verkkosivujen omat kirjasinlajit on estetty: ei voida käyttää upotettuja PDF-kirjasinlajeja.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Teksti
-pdfjs-editor-free-text-button-label = Teksti
-pdfjs-editor-ink-button =
- .title = Piirros
-pdfjs-editor-ink-button-label = Piirros
-pdfjs-editor-stamp-button =
- .title = Lisää tai muokkaa kuvia
-pdfjs-editor-stamp-button-label = Lisää tai muokkaa kuvia
-pdfjs-editor-highlight-button =
- .title = Korostus
-pdfjs-editor-highlight-button-label = Korostus
-pdfjs-highlight-floating-button =
- .title = Korostus
-pdfjs-highlight-floating-button1 =
- .title = Korostus
- .aria-label = Korostus
-pdfjs-highlight-floating-button-label = Korostus
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Poista piirros
-pdfjs-editor-remove-freetext-button =
- .title = Poista teksti
-pdfjs-editor-remove-stamp-button =
- .title = Poista kuva
-pdfjs-editor-remove-highlight-button =
- .title = Poista korostus
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Väri
-pdfjs-editor-free-text-size-input = Koko
-pdfjs-editor-ink-color-input = Väri
-pdfjs-editor-ink-thickness-input = Paksuus
-pdfjs-editor-ink-opacity-input = Peittävyys
-pdfjs-editor-stamp-add-image-button =
- .title = Lisää kuva
-pdfjs-editor-stamp-add-image-button-label = Lisää kuva
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Paksuus
-pdfjs-editor-free-highlight-thickness-title =
- .title = Muuta paksuutta korostaessasi muita kohteita kuin tekstiä
-pdfjs-free-text =
- .aria-label = Tekstimuokkain
-pdfjs-free-text-default-content = Aloita kirjoittaminen…
-pdfjs-ink =
- .aria-label = Piirrustusmuokkain
-pdfjs-ink-canvas =
- .aria-label = Käyttäjän luoma kuva
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Vaihtoehtoinen teksti
-pdfjs-editor-alt-text-edit-button-label = Muokkaa vaihtoehtoista tekstiä
-pdfjs-editor-alt-text-dialog-label = Valitse vaihtoehto
-pdfjs-editor-alt-text-dialog-description = Vaihtoehtoinen teksti ("alt-teksti") auttaa ihmisiä, jotka eivät näe kuvaa tai kun kuva ei lataudu.
-pdfjs-editor-alt-text-add-description-label = Lisää kuvaus
-pdfjs-editor-alt-text-add-description-description = Pyri 1-2 lauseeseen, jotka kuvaavat aihetta, ympäristöä tai toimintaa.
-pdfjs-editor-alt-text-mark-decorative-label = Merkitse koristeelliseksi
-pdfjs-editor-alt-text-mark-decorative-description = Tätä käytetään koristekuville, kuten reunuksille tai vesileimoille.
-pdfjs-editor-alt-text-cancel-button = Peruuta
-pdfjs-editor-alt-text-save-button = Tallenna
-pdfjs-editor-alt-text-decorative-tooltip = Merkitty koristeelliseksi
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Esimerkiksi "Nuori mies istuu pöytään syömään aterian"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Vasen yläkulma - muuta kokoa
-pdfjs-editor-resizer-label-top-middle = Ylhäällä keskellä - muuta kokoa
-pdfjs-editor-resizer-label-top-right = Oikea yläkulma - muuta kokoa
-pdfjs-editor-resizer-label-middle-right = Keskellä oikealla - muuta kokoa
-pdfjs-editor-resizer-label-bottom-right = Oikea alakulma - muuta kokoa
-pdfjs-editor-resizer-label-bottom-middle = Alhaalla keskellä - muuta kokoa
-pdfjs-editor-resizer-label-bottom-left = Vasen alakulma - muuta kokoa
-pdfjs-editor-resizer-label-middle-left = Keskellä vasemmalla - muuta kokoa
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Korostusväri
-pdfjs-editor-colorpicker-button =
- .title = Vaihda väri
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Värivalinnat
-pdfjs-editor-colorpicker-yellow =
- .title = Keltainen
-pdfjs-editor-colorpicker-green =
- .title = Vihreä
-pdfjs-editor-colorpicker-blue =
- .title = Sininen
-pdfjs-editor-colorpicker-pink =
- .title = Pinkki
-pdfjs-editor-colorpicker-red =
- .title = Punainen
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Näytä kaikki
-pdfjs-editor-highlight-show-all-button =
- .title = Näytä kaikki
diff --git a/static/pdf.js/locale/fi/viewer.properties b/static/pdf.js/locale/fi/viewer.properties
new file mode 100644
index 00000000..be543b6a
--- /dev/null
+++ b/static/pdf.js/locale/fi/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Edellinen sivu
+previous_label=Edellinen
+next.title=Seuraava sivu
+next_label=Seuraava
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Sivu:
+page_of=/ {{pageCount}}
+
+zoom_out.title=Loitonna
+zoom_out_label=Loitonna
+zoom_in.title=Lähennä
+zoom_in_label=Lähennä
+zoom.title=Suurennus
+presentation_mode.title=Siirry esitystilaan
+presentation_mode_label=Esitystila
+open_file.title=Avaa tiedosto
+open_file_label=Avaa
+print.title=Tulosta
+print_label=Tulosta
+download.title=Lataa
+download_label=Lataa
+bookmark.title=Avoin ikkuna (kopioi tai avaa uuteen ikkunaan)
+bookmark_label=Avoin ikkuna
+
+# Secondary toolbar and context menu
+tools.title=Tools
+tools_label=Tools
+first_page.title=Siirry ensimmäiselle sivulle
+first_page.label=Siirry ensimmäiselle sivulle
+first_page_label=Siirry ensimmäiselle sivulle
+last_page.title=Siirry viimeiselle sivulle
+last_page.label=Siirry viimeiselle sivulle
+last_page_label=Siirry viimeiselle sivulle
+page_rotate_cw.title=Kierrä oikealle
+page_rotate_cw.label=Kierrä oikealle
+page_rotate_cw_label=Kierrä oikealle
+page_rotate_ccw.title=Kierrä vasemmalle
+page_rotate_ccw.label=Kierrä vasemmalle
+page_rotate_ccw_label=Kierrä vasemmalle
+
+hand_tool_enable.title=Käytä käsityökalua
+hand_tool_enable_label=Käytä käsityökalua
+hand_tool_disable.title=Poista käsityökalu käytöstä
+hand_tool_disable_label=Poista käsityökalu käytöstä
+
+# Document properties dialog box
+document_properties.title=Dokumentin ominaisuudet…
+document_properties_label=Dokumentin ominaisuudet…
+document_properties_file_name=Tiedostonimi:
+document_properties_file_size=Tiedoston koko:
+document_properties_kb={{size_kb}} kt ({{size_b}} tavua)
+document_properties_mb={{size_mb}} Mt ({{size_b}} tavua)
+document_properties_title=Otsikko:
+document_properties_author=Tekijä:
+document_properties_subject=Aihe:
+document_properties_keywords=Avainsanat:
+document_properties_creation_date=Luomispäivämäärä:
+document_properties_modification_date=Muokkauspäivämäärä:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Luoja:
+document_properties_producer=PDF-tuottaja:
+document_properties_version=PDF-versio:
+document_properties_page_count=Sivujen määrä:
+document_properties_close=Sulje
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Näytä/piilota sivupaneeli
+toggle_sidebar_label=Näytä/piilota sivupaneeli
+outline.title=Näytä dokumentin rakenne
+outline_label=Dokumentin rakenne
+attachments.title=Näytä liitteet
+attachments_label=Liitteet
+thumbs.title=Näytä pienoiskuvat
+thumbs_label=Pienoiskuvat
+findbar.title=Etsi dokumentista
+findbar_label=Etsi
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Sivu {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Pienoiskuva sivusta {{page}}
+
+# Find panel button title and messages
+find_label=Etsi:
+find_previous.title=Etsi hakusanan edellinen osuma
+find_previous_label=Edellinen
+find_next.title=Etsi hakusanan seuraava osuma
+find_next_label=Seuraava
+find_highlight=Korosta kaikki
+find_match_case_label=Huomioi kirjainkoko
+find_reached_top=Päästiin dokumentin alkuun, jatketaan lopusta
+find_reached_bottom=Päästiin dokumentin loppuun, continued from top
+find_not_found=Hakusanaa ei löytynyt
+
+# Error panel labels
+error_more_info=Lisätietoja
+error_less_info=Lisätietoja
+error_close=Sulje
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (kooste: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Virheilmoitus: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pino: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Tiedosto: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rivi: {{line}}
+rendering_error=Tapahtui virhe piirrettäessä sivua.
+
+# Predefined zoom values
+page_scale_width=Sivun leveys
+page_scale_fit=Koko sivu
+page_scale_auto=Automaattinen suurennus
+page_scale_actual=Todellinen koko
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}} %
+
+# Loading indicator messages
+loading_error_indicator=Virhe
+loading_error=Tapahtui virhe ladattaessa PDF-tiedostoa.
+invalid_file_error=Virheellinen tai vioittunut PDF-tiedosto.
+missing_file_error=Puuttuva PDF-tiedosto.
+unexpected_response_error=Odottamaton vastaus palvelimelta.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=Kirjoita PDF-tiedoston salasana.
+password_invalid=Virheellinen salasana. Yritä uudestaan.
+password_ok=OK
+password_cancel=Peruuta
+
+printing_not_supported=Varoitus: Selain ei tue kaikkia tulostustapoja.
+printing_not_ready=Varoitus: PDF-tiedosto ei ole vielä latautunut kokonaan, eikä sitä voi vielä tulostaa.
+web_fonts_disabled=Verkkosivujen omat kirjasinlajit on estetty: ei voida käyttää upotettuja PDF-kirjasinlajeja.
+document_colors_not_allowed=PDF-dokumenttien ei ole sallittua käyttää omia värejään: Asetusta "Sivut saavat käyttää omia värejään oletusten sijaan" ei ole valittu selaimen asetuksissa.
diff --git a/static/pdf.js/locale/fr/viewer.ftl b/static/pdf.js/locale/fr/viewer.ftl
deleted file mode 100644
index 54c06c22..00000000
--- a/static/pdf.js/locale/fr/viewer.ftl
+++ /dev/null
@@ -1,398 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Page précédente
-pdfjs-previous-button-label = Précédent
-pdfjs-next-button =
- .title = Page suivante
-pdfjs-next-button-label = Suivant
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Page
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = sur { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } sur { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom arrière
-pdfjs-zoom-out-button-label = Zoom arrière
-pdfjs-zoom-in-button =
- .title = Zoom avant
-pdfjs-zoom-in-button-label = Zoom avant
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Basculer en mode présentation
-pdfjs-presentation-mode-button-label = Mode présentation
-pdfjs-open-file-button =
- .title = Ouvrir le fichier
-pdfjs-open-file-button-label = Ouvrir le fichier
-pdfjs-print-button =
- .title = Imprimer
-pdfjs-print-button-label = Imprimer
-pdfjs-save-button =
- .title = Enregistrer
-pdfjs-save-button-label = Enregistrer
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Télécharger
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Télécharger
-pdfjs-bookmark-button =
- .title = Page courante (montrer l’adresse de la page courante)
-pdfjs-bookmark-button-label = Page courante
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Ouvrir dans une application
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Ouvrir dans une application
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Outils
-pdfjs-tools-button-label = Outils
-pdfjs-first-page-button =
- .title = Aller à la première page
-pdfjs-first-page-button-label = Aller à la première page
-pdfjs-last-page-button =
- .title = Aller à la dernière page
-pdfjs-last-page-button-label = Aller à la dernière page
-pdfjs-page-rotate-cw-button =
- .title = Rotation horaire
-pdfjs-page-rotate-cw-button-label = Rotation horaire
-pdfjs-page-rotate-ccw-button =
- .title = Rotation antihoraire
-pdfjs-page-rotate-ccw-button-label = Rotation antihoraire
-pdfjs-cursor-text-select-tool-button =
- .title = Activer l’outil de sélection de texte
-pdfjs-cursor-text-select-tool-button-label = Outil de sélection de texte
-pdfjs-cursor-hand-tool-button =
- .title = Activer l’outil main
-pdfjs-cursor-hand-tool-button-label = Outil main
-pdfjs-scroll-page-button =
- .title = Utiliser le défilement par page
-pdfjs-scroll-page-button-label = Défilement par page
-pdfjs-scroll-vertical-button =
- .title = Utiliser le défilement vertical
-pdfjs-scroll-vertical-button-label = Défilement vertical
-pdfjs-scroll-horizontal-button =
- .title = Utiliser le défilement horizontal
-pdfjs-scroll-horizontal-button-label = Défilement horizontal
-pdfjs-scroll-wrapped-button =
- .title = Utiliser le défilement par bloc
-pdfjs-scroll-wrapped-button-label = Défilement par bloc
-pdfjs-spread-none-button =
- .title = Ne pas afficher les pages deux à deux
-pdfjs-spread-none-button-label = Pas de double affichage
-pdfjs-spread-odd-button =
- .title = Afficher les pages par deux, impaires à gauche
-pdfjs-spread-odd-button-label = Doubles pages, impaires à gauche
-pdfjs-spread-even-button =
- .title = Afficher les pages par deux, paires à gauche
-pdfjs-spread-even-button-label = Doubles pages, paires à gauche
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propriétés du document…
-pdfjs-document-properties-button-label = Propriétés du document…
-pdfjs-document-properties-file-name = Nom du fichier :
-pdfjs-document-properties-file-size = Taille du fichier :
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } Ko ({ $size_b } octets)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } Mo ({ $size_b } octets)
-pdfjs-document-properties-title = Titre :
-pdfjs-document-properties-author = Auteur :
-pdfjs-document-properties-subject = Sujet :
-pdfjs-document-properties-keywords = Mots-clés :
-pdfjs-document-properties-creation-date = Date de création :
-pdfjs-document-properties-modification-date = Modifié le :
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } à { $time }
-pdfjs-document-properties-creator = Créé par :
-pdfjs-document-properties-producer = Outil de conversion PDF :
-pdfjs-document-properties-version = Version PDF :
-pdfjs-document-properties-page-count = Nombre de pages :
-pdfjs-document-properties-page-size = Taille de la page :
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = paysage
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = lettre
-pdfjs-document-properties-page-size-name-legal = document juridique
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Affichage rapide des pages web :
-pdfjs-document-properties-linearized-yes = Oui
-pdfjs-document-properties-linearized-no = Non
-pdfjs-document-properties-close-button = Fermer
-
-## Print
-
-pdfjs-print-progress-message = Préparation du document pour l’impression…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Annuler
-pdfjs-printing-not-supported = Attention : l’impression n’est pas totalement prise en charge par ce navigateur.
-pdfjs-printing-not-ready = Attention : le PDF n’est pas entièrement chargé pour pouvoir l’imprimer.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Afficher/Masquer le panneau latéral
-pdfjs-toggle-sidebar-notification-button =
- .title = Afficher/Masquer le panneau latéral (le document contient des signets/pièces jointes/calques)
-pdfjs-toggle-sidebar-button-label = Afficher/Masquer le panneau latéral
-pdfjs-document-outline-button =
- .title = Afficher les signets du document (double-cliquer pour développer/réduire tous les éléments)
-pdfjs-document-outline-button-label = Signets du document
-pdfjs-attachments-button =
- .title = Afficher les pièces jointes
-pdfjs-attachments-button-label = Pièces jointes
-pdfjs-layers-button =
- .title = Afficher les calques (double-cliquer pour réinitialiser tous les calques à l’état par défaut)
-pdfjs-layers-button-label = Calques
-pdfjs-thumbs-button =
- .title = Afficher les vignettes
-pdfjs-thumbs-button-label = Vignettes
-pdfjs-current-outline-item-button =
- .title = Trouver l’élément de plan actuel
-pdfjs-current-outline-item-button-label = Élément de plan actuel
-pdfjs-findbar-button =
- .title = Rechercher dans le document
-pdfjs-findbar-button-label = Rechercher
-pdfjs-additional-layers = Calques additionnels
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Vignette de la page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Rechercher
- .placeholder = Rechercher dans le document…
-pdfjs-find-previous-button =
- .title = Trouver l’occurrence précédente de l’expression
-pdfjs-find-previous-button-label = Précédent
-pdfjs-find-next-button =
- .title = Trouver la prochaine occurrence de l’expression
-pdfjs-find-next-button-label = Suivant
-pdfjs-find-highlight-checkbox = Tout surligner
-pdfjs-find-match-case-checkbox-label = Respecter la casse
-pdfjs-find-match-diacritics-checkbox-label = Respecter les accents et diacritiques
-pdfjs-find-entire-word-checkbox-label = Mots entiers
-pdfjs-find-reached-top = Haut de la page atteint, poursuite depuis la fin
-pdfjs-find-reached-bottom = Bas de la page atteint, poursuite au début
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = Occurrence { $current } sur { $total }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Plus d’{ $limit } occurrence
- *[other] Plus de { $limit } occurrences
- }
-pdfjs-find-not-found = Expression non trouvée
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Pleine largeur
-pdfjs-page-scale-fit = Page entière
-pdfjs-page-scale-auto = Zoom automatique
-pdfjs-page-scale-actual = Taille réelle
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Page { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Une erreur s’est produite lors du chargement du fichier PDF.
-pdfjs-invalid-file-error = Fichier PDF invalide ou corrompu.
-pdfjs-missing-file-error = Fichier PDF manquant.
-pdfjs-unexpected-response-error = Réponse inattendue du serveur.
-pdfjs-rendering-error = Une erreur s’est produite lors de l’affichage de la page.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } à { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Annotation { $type }]
-
-## Password
-
-pdfjs-password-label = Veuillez saisir le mot de passe pour ouvrir ce fichier PDF.
-pdfjs-password-invalid = Mot de passe incorrect. Veuillez réessayer.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Annuler
-pdfjs-web-fonts-disabled = Les polices web sont désactivées : impossible d’utiliser les polices intégrées au PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texte
-pdfjs-editor-free-text-button-label = Texte
-pdfjs-editor-ink-button =
- .title = Dessiner
-pdfjs-editor-ink-button-label = Dessiner
-pdfjs-editor-stamp-button =
- .title = Ajouter ou modifier des images
-pdfjs-editor-stamp-button-label = Ajouter ou modifier des images
-pdfjs-editor-highlight-button =
- .title = Surligner
-pdfjs-editor-highlight-button-label = Surligner
-pdfjs-highlight-floating-button =
- .title = Surligner
-pdfjs-highlight-floating-button1 =
- .title = Surligner
- .aria-label = Surligner
-pdfjs-highlight-floating-button-label = Surligner
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Supprimer le dessin
-pdfjs-editor-remove-freetext-button =
- .title = Supprimer le texte
-pdfjs-editor-remove-stamp-button =
- .title = Supprimer l’image
-pdfjs-editor-remove-highlight-button =
- .title = Supprimer le surlignage
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Couleur
-pdfjs-editor-free-text-size-input = Taille
-pdfjs-editor-ink-color-input = Couleur
-pdfjs-editor-ink-thickness-input = Épaisseur
-pdfjs-editor-ink-opacity-input = Opacité
-pdfjs-editor-stamp-add-image-button =
- .title = Ajouter une image
-pdfjs-editor-stamp-add-image-button-label = Ajouter une image
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Épaisseur
-pdfjs-editor-free-highlight-thickness-title =
- .title = Modifier l’épaisseur pour le surlignage d’éléments non textuels
-pdfjs-free-text =
- .aria-label = Éditeur de texte
-pdfjs-free-text-default-content = Commencer à écrire…
-pdfjs-ink =
- .aria-label = Éditeur de dessin
-pdfjs-ink-canvas =
- .aria-label = Image créée par l’utilisateur·trice
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texte alternatif
-pdfjs-editor-alt-text-edit-button-label = Modifier le texte alternatif
-pdfjs-editor-alt-text-dialog-label = Sélectionnez une option
-pdfjs-editor-alt-text-dialog-description = Le texte alternatif est utile lorsque des personnes ne peuvent pas voir l’image ou que l’image ne se charge pas.
-pdfjs-editor-alt-text-add-description-label = Ajouter une description
-pdfjs-editor-alt-text-add-description-description = Il est conseillé de rédiger une ou deux phrases décrivant le sujet, le cadre ou les actions.
-pdfjs-editor-alt-text-mark-decorative-label = Marquer comme décorative
-pdfjs-editor-alt-text-mark-decorative-description = Cette option est utilisée pour les images décoratives, comme les bordures ou les filigranes.
-pdfjs-editor-alt-text-cancel-button = Annuler
-pdfjs-editor-alt-text-save-button = Enregistrer
-pdfjs-editor-alt-text-decorative-tooltip = Marquée comme décorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Par exemple, « Un jeune homme est assis à une table pour prendre un repas »
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Coin supérieur gauche — redimensionner
-pdfjs-editor-resizer-label-top-middle = Milieu haut — redimensionner
-pdfjs-editor-resizer-label-top-right = Coin supérieur droit — redimensionner
-pdfjs-editor-resizer-label-middle-right = Milieu droit — redimensionner
-pdfjs-editor-resizer-label-bottom-right = Coin inférieur droit — redimensionner
-pdfjs-editor-resizer-label-bottom-middle = Centre bas — redimensionner
-pdfjs-editor-resizer-label-bottom-left = Coin inférieur gauche — redimensionner
-pdfjs-editor-resizer-label-middle-left = Milieu gauche — redimensionner
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Couleur de surlignage
-pdfjs-editor-colorpicker-button =
- .title = Changer de couleur
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Choix de couleurs
-pdfjs-editor-colorpicker-yellow =
- .title = Jaune
-pdfjs-editor-colorpicker-green =
- .title = Vert
-pdfjs-editor-colorpicker-blue =
- .title = Bleu
-pdfjs-editor-colorpicker-pink =
- .title = Rose
-pdfjs-editor-colorpicker-red =
- .title = Rouge
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Tout afficher
-pdfjs-editor-highlight-show-all-button =
- .title = Tout afficher
diff --git a/static/pdf.js/locale/fr/viewer.properties b/static/pdf.js/locale/fr/viewer.properties
new file mode 100644
index 00000000..4c1ee28b
--- /dev/null
+++ b/static/pdf.js/locale/fr/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Page précédente
+previous_label=Précédent
+next.title=Page suivante
+next_label=Suivant
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Page :
+page_of=sur {{pageCount}}
+
+zoom_out.title=Zoom arrière
+zoom_out_label=Zoom arrière
+zoom_in.title=Zoom avant
+zoom_in_label=Zoom avant
+zoom.title=Zoom
+presentation_mode.title=Basculer en mode présentation
+presentation_mode_label=Mode présentation
+open_file.title=Ouvrir le fichier
+open_file_label=Ouvrir le fichier
+print.title=Imprimer
+print_label=Imprimer
+download.title=Télécharger
+download_label=Télécharger
+bookmark.title=Affichage courant (copier ou ouvrir dans une nouvelle fenêtre)
+bookmark_label=Affichage actuel
+
+# Secondary toolbar and context menu
+tools.title=Outils
+tools_label=Outils
+first_page.title=Aller à la première page
+first_page.label=Aller à la première page
+first_page_label=Aller à la première page
+last_page.title=Aller à la dernière page
+last_page.label=Aller à la dernière page
+last_page_label=Aller à la dernière page
+page_rotate_cw.title=Rotation horaire
+page_rotate_cw.label=Rotation horaire
+page_rotate_cw_label=Rotation horaire
+page_rotate_ccw.title=Rotation anti-horaire
+page_rotate_ccw.label=Rotation anti-horaire
+page_rotate_ccw_label=Rotation anti-horaire
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Afficher/Masquer le panneau latéral
+toggle_sidebar_label=Afficher/Masquer le panneau latéral
+outline.title=Afficher les signets
+outline_label=Signets du document
+attachments.title=Afficher les pièces jointes
+attachments_label=Pièces jointes
+thumbs.title=Afficher les vignettes
+thumbs_label=Vignettes
+findbar.title=Rechercher dans le document
+findbar_label=Rechercher
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Page {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Vignette de la page {{page}}
+
+hand_tool_enable.title=Activer l’outil main
+hand_tool_enable_label=Activer l’outil main
+hand_tool_disable.title=Désactiver l’outil main
+hand_tool_disable_label=Désactiver l’outil main
+
+# Document properties dialog box
+document_properties.title=Propriétés du document…
+document_properties_label=Propriétés du document…
+document_properties_file_name=Nom du fichier :
+document_properties_file_size=Taille du fichier :
+document_properties_kb={{size_kb}} Ko ({{size_b}} octets)
+document_properties_mb={{size_mb}} Mo ({{size_b}} octets)
+document_properties_title=Titre :
+document_properties_author=Auteur :
+document_properties_subject=Sujet :
+document_properties_keywords=Mots-clés :
+document_properties_creation_date=Date de création :
+document_properties_modification_date=Modifié le :
+document_properties_date_string={{date}} à {{time}}
+document_properties_creator=Créé par :
+document_properties_producer=Outil de conversion PDF :
+document_properties_version=Version PDF :
+document_properties_page_count=Nombre de pages :
+document_properties_close=Fermer
+
+# Find panel button title and messages
+find_label=Rechercher :
+find_previous.title=Trouver l’occurrence précédente de la phrase
+find_previous_label=Précédent
+find_next.title=Trouver la prochaine occurrence de la phrase
+find_next_label=Suivant
+find_highlight=Tout surligner
+find_match_case_label=Respecter la casse
+find_reached_top=Haut de la page atteint, poursuite depuis la fin
+find_reached_bottom=Bas de la page atteint, poursuite au début
+find_not_found=Phrase introuvable
+
+# Error panel labels
+error_more_info=Plus d’informations
+error_less_info=Moins d’informations
+error_close=Fermer
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (identifiant de compilation : {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Message : {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pile : {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fichier : {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Ligne : {{line}}
+rendering_error=Une erreur s’est produite lors de l’affichage de la page.
+
+# Predefined zoom values
+page_scale_width=Pleine largeur
+page_scale_fit=Page entière
+page_scale_auto=Zoom automatique
+page_scale_actual=Taille réelle
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}} %
+
+# Loading indicator messages
+loading_error_indicator=Erreur
+loading_error=Une erreur s’est produite lors du chargement du fichier PDF.
+invalid_file_error=Fichier PDF invalide ou corrompu.
+missing_file_error=Fichier PDF manquant.
+unexpected_response_error=Réponse inattendue du serveur.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Annotation {{type}}]
+password_label=Veuillez saisir le mot de passe pour ouvrir ce fichier PDF.
+password_invalid=Mot de passe incorrect. Veuillez réessayer.
+password_ok=OK
+password_cancel=Annuler
+
+printing_not_supported=Attention : l’impression n’est pas totalement prise en charge par ce navigateur.
+printing_not_ready=Attention : le PDF n’est pas entièrement chargé pour pouvoir l’imprimer.
+web_fonts_disabled=Les polices web sont désactivées : impossible d’utiliser les polices intégrées au PDF.
+document_colors_not_allowed=Les documents PDF ne peuvent pas utiliser leurs propres couleurs : « Autoriser les pages web à utiliser leurs propres couleurs » est désactivé dans le navigateur.
diff --git a/static/pdf.js/locale/fur/viewer.ftl b/static/pdf.js/locale/fur/viewer.ftl
deleted file mode 100644
index 8e8c8a01..00000000
--- a/static/pdf.js/locale/fur/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagjine precedente
-pdfjs-previous-button-label = Indaûr
-pdfjs-next-button =
- .title = Prossime pagjine
-pdfjs-next-button-label = Indevant
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagjine
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = di { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } di { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Impiçulìs
-pdfjs-zoom-out-button-label = Impiçulìs
-pdfjs-zoom-in-button =
- .title = Ingrandìs
-pdfjs-zoom-in-button-label = Ingrandìs
-pdfjs-zoom-select =
- .title = Ingrandiment
-pdfjs-presentation-mode-button =
- .title = Passe ae modalitât presentazion
-pdfjs-presentation-mode-button-label = Modalitât presentazion
-pdfjs-open-file-button =
- .title = Vierç un file
-pdfjs-open-file-button-label = Vierç
-pdfjs-print-button =
- .title = Stampe
-pdfjs-print-button-label = Stampe
-pdfjs-save-button =
- .title = Salve
-pdfjs-save-button-label = Salve
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Discjame
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Discjame
-pdfjs-bookmark-button =
- .title = Pagjine corinte (mostre URL de pagjine atuâl)
-pdfjs-bookmark-button-label = Pagjine corinte
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Vierç te aplicazion
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Vierç te aplicazion
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Struments
-pdfjs-tools-button-label = Struments
-pdfjs-first-page-button =
- .title = Va ae prime pagjine
-pdfjs-first-page-button-label = Va ae prime pagjine
-pdfjs-last-page-button =
- .title = Va ae ultime pagjine
-pdfjs-last-page-button-label = Va ae ultime pagjine
-pdfjs-page-rotate-cw-button =
- .title = Zire in sens orari
-pdfjs-page-rotate-cw-button-label = Zire in sens orari
-pdfjs-page-rotate-ccw-button =
- .title = Zire in sens antiorari
-pdfjs-page-rotate-ccw-button-label = Zire in sens antiorari
-pdfjs-cursor-text-select-tool-button =
- .title = Ative il strument di selezion dal test
-pdfjs-cursor-text-select-tool-button-label = Strument di selezion dal test
-pdfjs-cursor-hand-tool-button =
- .title = Ative il strument manute
-pdfjs-cursor-hand-tool-button-label = Strument manute
-pdfjs-scroll-page-button =
- .title = Dopre il scoriment des pagjinis
-pdfjs-scroll-page-button-label = Scoriment pagjinis
-pdfjs-scroll-vertical-button =
- .title = Dopre scoriment verticâl
-pdfjs-scroll-vertical-button-label = Scoriment verticâl
-pdfjs-scroll-horizontal-button =
- .title = Dopre scoriment orizontâl
-pdfjs-scroll-horizontal-button-label = Scoriment orizontâl
-pdfjs-scroll-wrapped-button =
- .title = Dopre scoriment par blocs
-pdfjs-scroll-wrapped-button-label = Scoriment par blocs
-pdfjs-spread-none-button =
- .title = No sta meti dongje pagjinis in cubie
-pdfjs-spread-none-button-label = No cubiis di pagjinis
-pdfjs-spread-odd-button =
- .title = Met dongje cubiis di pagjinis scomençant des pagjinis dispar
-pdfjs-spread-odd-button-label = Cubiis di pagjinis, dispar a çampe
-pdfjs-spread-even-button =
- .title = Met dongje cubiis di pagjinis scomençant des pagjinis pâr
-pdfjs-spread-even-button-label = Cubiis di pagjinis, pâr a çampe
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Proprietâts dal document…
-pdfjs-document-properties-button-label = Proprietâts dal document…
-pdfjs-document-properties-file-name = Non dal file:
-pdfjs-document-properties-file-size = Dimension dal file:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titul:
-pdfjs-document-properties-author = Autôr:
-pdfjs-document-properties-subject = Ogjet:
-pdfjs-document-properties-keywords = Peraulis clâf:
-pdfjs-document-properties-creation-date = Date di creazion:
-pdfjs-document-properties-modification-date = Date di modifiche:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creatôr
-pdfjs-document-properties-producer = Gjeneradôr PDF:
-pdfjs-document-properties-version = Version PDF:
-pdfjs-document-properties-page-count = Numar di pagjinis:
-pdfjs-document-properties-page-size = Dimension de pagjine:
-pdfjs-document-properties-page-size-unit-inches = oncis
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = verticâl
-pdfjs-document-properties-page-size-orientation-landscape = orizontâl
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letare
-pdfjs-document-properties-page-size-name-legal = Legâl
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Visualizazion web svelte:
-pdfjs-document-properties-linearized-yes = Sì
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Siere
-
-## Print
-
-pdfjs-print-progress-message = Daûr a prontâ il document pe stampe…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Anule
-pdfjs-printing-not-supported = Atenzion: la stampe no je supuartade ad implen di chest navigadôr.
-pdfjs-printing-not-ready = Atenzion: il PDF nol è stât cjamât dal dut pe stampe.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Ative/Disative sbare laterâl
-pdfjs-toggle-sidebar-notification-button =
- .title = Ative/Disative sbare laterâl (il document al conten struture/zontis/strâts)
-pdfjs-toggle-sidebar-button-label = Ative/Disative sbare laterâl
-pdfjs-document-outline-button =
- .title = Mostre la struture dal document (dopli clic par slargjâ/strenzi ducj i elements)
-pdfjs-document-outline-button-label = Struture dal document
-pdfjs-attachments-button =
- .title = Mostre lis zontis
-pdfjs-attachments-button-label = Zontis
-pdfjs-layers-button =
- .title = Mostre i strâts (dopli clic par ristabilî ducj i strâts al stât predefinît)
-pdfjs-layers-button-label = Strâts
-pdfjs-thumbs-button =
- .title = Mostre miniaturis
-pdfjs-thumbs-button-label = Miniaturis
-pdfjs-current-outline-item-button =
- .title = Cjate l'element de struture atuâl
-pdfjs-current-outline-item-button-label = Element de struture atuâl
-pdfjs-findbar-button =
- .title = Cjate tal document
-pdfjs-findbar-button-label = Cjate
-pdfjs-additional-layers = Strâts adizionâi
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagjine { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniature de pagjine { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Cjate
- .placeholder = Cjate tal document…
-pdfjs-find-previous-button =
- .title = Cjate il câs precedent dal test
-pdfjs-find-previous-button-label = Precedent
-pdfjs-find-next-button =
- .title = Cjate il câs sucessîf dal test
-pdfjs-find-next-button-label = Sucessîf
-pdfjs-find-highlight-checkbox = Evidenzie dut
-pdfjs-find-match-case-checkbox-label = Fâs distinzion tra maiusculis e minusculis
-pdfjs-find-match-diacritics-checkbox-label = Corispondence diacritiche
-pdfjs-find-entire-word-checkbox-label = Peraulis interiis
-pdfjs-find-reached-top = Si è rivâts al inizi dal document e si à continuât de fin
-pdfjs-find-reached-bottom = Si è rivât ae fin dal document e si à continuât dal inizi
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } di { $total } corispondence
- *[other] { $current } di { $total } corispondencis
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Plui di { $limit } corispondence
- *[other] Plui di { $limit } corispondencis
- }
-pdfjs-find-not-found = Test no cjatât
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Largjece de pagjine
-pdfjs-page-scale-fit = Pagjine interie
-pdfjs-page-scale-auto = Ingrandiment automatic
-pdfjs-page-scale-actual = Dimension reâl
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagjine { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Al è vignût fûr un erôr intant che si cjariave il PDF.
-pdfjs-invalid-file-error = File PDF no valit o ruvinât.
-pdfjs-missing-file-error = Al mancje il file PDF.
-pdfjs-unexpected-response-error = Rispueste dal servidôr inspietade.
-pdfjs-rendering-error = Al è vignût fûr un erôr tal realizâ la visualizazion de pagjine.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotazion { $type }]
-
-## Password
-
-pdfjs-password-label = Inserìs la password par vierzi chest file PDF.
-pdfjs-password-invalid = Password no valide. Par plasê torne prove.
-pdfjs-password-ok-button = Va ben
-pdfjs-password-cancel-button = Anule
-pdfjs-web-fonts-disabled = I caratars dal Web a son disativâts: Impussibil doprâ i caratars PDF incorporâts.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Test
-pdfjs-editor-free-text-button-label = Test
-pdfjs-editor-ink-button =
- .title = Dissen
-pdfjs-editor-ink-button-label = Dissen
-pdfjs-editor-stamp-button =
- .title = Zonte o modifiche imagjins
-pdfjs-editor-stamp-button-label = Zonte o modifiche imagjins
-pdfjs-editor-highlight-button =
- .title = Evidenzie
-pdfjs-editor-highlight-button-label = Evidenzie
-pdfjs-highlight-floating-button =
- .title = Evidenzie
-pdfjs-highlight-floating-button1 =
- .title = Evidenzie
- .aria-label = Evidenzie
-pdfjs-highlight-floating-button-label = Evidenzie
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Gjave dissen
-pdfjs-editor-remove-freetext-button =
- .title = Gjave test
-pdfjs-editor-remove-stamp-button =
- .title = Gjave imagjin
-pdfjs-editor-remove-highlight-button =
- .title = Gjave evidenziazion
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colôr
-pdfjs-editor-free-text-size-input = Dimension
-pdfjs-editor-ink-color-input = Colôr
-pdfjs-editor-ink-thickness-input = Spessôr
-pdfjs-editor-ink-opacity-input = Opacitât
-pdfjs-editor-stamp-add-image-button =
- .title = Zonte imagjin
-pdfjs-editor-stamp-add-image-button-label = Zonte imagjin
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Spessôr
-pdfjs-editor-free-highlight-thickness-title =
- .title = Modifiche il spessôr de selezion pai elements che no son testuâi
-pdfjs-free-text =
- .aria-label = Editôr di test
-pdfjs-free-text-default-content = Scomence a scrivi…
-pdfjs-ink =
- .aria-label = Editôr dissens
-pdfjs-ink-canvas =
- .aria-label = Imagjin creade dal utent
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Test alternatîf
-pdfjs-editor-alt-text-edit-button-label = Modifiche test alternatîf
-pdfjs-editor-alt-text-dialog-label = Sielç une opzion
-pdfjs-editor-alt-text-dialog-description = Il test alternatîf (“alt text”) al jude cuant che lis personis no puedin viodi la imagjin o cuant che la imagjine no ven cjariade.
-pdfjs-editor-alt-text-add-description-label = Zonte une descrizion
-pdfjs-editor-alt-text-add-description-description = Ponte a une o dôs frasis che a descrivin l’argoment, la ambientazion o lis azions.
-pdfjs-editor-alt-text-mark-decorative-label = Segne come decorative
-pdfjs-editor-alt-text-mark-decorative-description = Chest al ven doprât pes imagjins ornamentâls, come i ôrs o lis filigranis.
-pdfjs-editor-alt-text-cancel-button = Anule
-pdfjs-editor-alt-text-save-button = Salve
-pdfjs-editor-alt-text-decorative-tooltip = Segnade come decorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Par esempli, “Un zovin si sente a taule par mangjâ”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Cjanton in alt a çampe — ridimensione
-pdfjs-editor-resizer-label-top-middle = Bande superiôr tal mieç — ridimensione
-pdfjs-editor-resizer-label-top-right = Cjanton in alt a diestre — ridimensione
-pdfjs-editor-resizer-label-middle-right = Bande diestre tal mieç — ridimensione
-pdfjs-editor-resizer-label-bottom-right = Cjanton in bas a diestre — ridimensione
-pdfjs-editor-resizer-label-bottom-middle = Bande inferiôr tal mieç — ridimensione
-pdfjs-editor-resizer-label-bottom-left = Cjanton in bas a çampe — ridimensione
-pdfjs-editor-resizer-label-middle-left = Bande di çampe tal mieç — ridimensione
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Colôr par evidenziâ
-pdfjs-editor-colorpicker-button =
- .title = Cambie colôr
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Sieltis di colôr
-pdfjs-editor-colorpicker-yellow =
- .title = Zâl
-pdfjs-editor-colorpicker-green =
- .title = Vert
-pdfjs-editor-colorpicker-blue =
- .title = Blu
-pdfjs-editor-colorpicker-pink =
- .title = Rose
-pdfjs-editor-colorpicker-red =
- .title = Ros
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostre dut
-pdfjs-editor-highlight-show-all-button =
- .title = Mostre dut
diff --git a/static/pdf.js/locale/fy-NL/viewer.ftl b/static/pdf.js/locale/fy-NL/viewer.ftl
deleted file mode 100644
index a67f9b9d..00000000
--- a/static/pdf.js/locale/fy-NL/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Foarige side
-pdfjs-previous-button-label = Foarige
-pdfjs-next-button =
- .title = Folgjende side
-pdfjs-next-button-label = Folgjende
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Side
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = fan { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } fan { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Utzoome
-pdfjs-zoom-out-button-label = Utzoome
-pdfjs-zoom-in-button =
- .title = Ynzoome
-pdfjs-zoom-in-button-label = Ynzoome
-pdfjs-zoom-select =
- .title = Zoome
-pdfjs-presentation-mode-button =
- .title = Wikselje nei presintaasjemodus
-pdfjs-presentation-mode-button-label = Presintaasjemodus
-pdfjs-open-file-button =
- .title = Bestân iepenje
-pdfjs-open-file-button-label = Iepenje
-pdfjs-print-button =
- .title = Ofdrukke
-pdfjs-print-button-label = Ofdrukke
-pdfjs-save-button =
- .title = Bewarje
-pdfjs-save-button-label = Bewarje
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Downloade
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Downloade
-pdfjs-bookmark-button =
- .title = Aktuele side (URL fan aktuele side besjen)
-pdfjs-bookmark-button-label = Aktuele side
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Iepenje yn app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Iepenje yn app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ark
-pdfjs-tools-button-label = Ark
-pdfjs-first-page-button =
- .title = Gean nei earste side
-pdfjs-first-page-button-label = Gean nei earste side
-pdfjs-last-page-button =
- .title = Gean nei lêste side
-pdfjs-last-page-button-label = Gean nei lêste side
-pdfjs-page-rotate-cw-button =
- .title = Rjochtsom draaie
-pdfjs-page-rotate-cw-button-label = Rjochtsom draaie
-pdfjs-page-rotate-ccw-button =
- .title = Linksom draaie
-pdfjs-page-rotate-ccw-button-label = Linksom draaie
-pdfjs-cursor-text-select-tool-button =
- .title = Tekstseleksjehelpmiddel ynskeakelje
-pdfjs-cursor-text-select-tool-button-label = Tekstseleksjehelpmiddel
-pdfjs-cursor-hand-tool-button =
- .title = Hânhelpmiddel ynskeakelje
-pdfjs-cursor-hand-tool-button-label = Hânhelpmiddel
-pdfjs-scroll-page-button =
- .title = Sideskowen brûke
-pdfjs-scroll-page-button-label = Sideskowen
-pdfjs-scroll-vertical-button =
- .title = Fertikaal skowe brûke
-pdfjs-scroll-vertical-button-label = Fertikaal skowe
-pdfjs-scroll-horizontal-button =
- .title = Horizontaal skowe brûke
-pdfjs-scroll-horizontal-button-label = Horizontaal skowe
-pdfjs-scroll-wrapped-button =
- .title = Skowe mei oersjoch brûke
-pdfjs-scroll-wrapped-button-label = Skowe mei oersjoch
-pdfjs-spread-none-button =
- .title = Sidesprieding net gearfetsje
-pdfjs-spread-none-button-label = Gjin sprieding
-pdfjs-spread-odd-button =
- .title = Sidesprieding gearfetsje te starten mei ûneven nûmers
-pdfjs-spread-odd-button-label = Uneven sprieding
-pdfjs-spread-even-button =
- .title = Sidesprieding gearfetsje te starten mei even nûmers
-pdfjs-spread-even-button-label = Even sprieding
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokuminteigenskippen…
-pdfjs-document-properties-button-label = Dokuminteigenskippen…
-pdfjs-document-properties-file-name = Bestânsnamme:
-pdfjs-document-properties-file-size = Bestânsgrutte:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Auteur:
-pdfjs-document-properties-subject = Underwerp:
-pdfjs-document-properties-keywords = Kaaiwurden:
-pdfjs-document-properties-creation-date = Oanmaakdatum:
-pdfjs-document-properties-modification-date = Bewurkingsdatum:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Makker:
-pdfjs-document-properties-producer = PDF-makker:
-pdfjs-document-properties-version = PDF-ferzje:
-pdfjs-document-properties-page-count = Siden:
-pdfjs-document-properties-page-size = Sideformaat:
-pdfjs-document-properties-page-size-unit-inches = yn
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = steand
-pdfjs-document-properties-page-size-orientation-landscape = lizzend
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Juridysk
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Flugge webwerjefte:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nee
-pdfjs-document-properties-close-button = Slute
-
-## Print
-
-pdfjs-print-progress-message = Dokumint tariede oar ôfdrukken…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Annulearje
-pdfjs-printing-not-supported = Warning: Printen is net folslein stipe troch dizze browser.
-pdfjs-printing-not-ready = Warning: PDF is net folslein laden om ôf te drukken.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Sidebalke yn-/útskeakelje
-pdfjs-toggle-sidebar-notification-button =
- .title = Sidebalke yn-/útskeakelje (dokumint befettet oersjoch/bylagen/lagen)
-pdfjs-toggle-sidebar-button-label = Sidebalke yn-/útskeakelje
-pdfjs-document-outline-button =
- .title = Dokumintoersjoch toane (dûbelklik om alle items út/yn te klappen)
-pdfjs-document-outline-button-label = Dokumintoersjoch
-pdfjs-attachments-button =
- .title = Bylagen toane
-pdfjs-attachments-button-label = Bylagen
-pdfjs-layers-button =
- .title = Lagen toane (dûbelklik om alle lagen nei de standertsteat werom te setten)
-pdfjs-layers-button-label = Lagen
-pdfjs-thumbs-button =
- .title = Foarbylden toane
-pdfjs-thumbs-button-label = Foarbylden
-pdfjs-current-outline-item-button =
- .title = Aktueel item yn ynhâldsopjefte sykje
-pdfjs-current-outline-item-button-label = Aktueel item yn ynhâldsopjefte
-pdfjs-findbar-button =
- .title = Sykje yn dokumint
-pdfjs-findbar-button-label = Sykje
-pdfjs-additional-layers = Oanfoljende lagen
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Side { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Foarbyld fan side { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Sykje
- .placeholder = Sykje yn dokumint…
-pdfjs-find-previous-button =
- .title = It foarige foarkommen fan de tekst sykje
-pdfjs-find-previous-button-label = Foarige
-pdfjs-find-next-button =
- .title = It folgjende foarkommen fan de tekst sykje
-pdfjs-find-next-button-label = Folgjende
-pdfjs-find-highlight-checkbox = Alles markearje
-pdfjs-find-match-case-checkbox-label = Haadlettergefoelich
-pdfjs-find-match-diacritics-checkbox-label = Diakrityske tekens brûke
-pdfjs-find-entire-word-checkbox-label = Hiele wurden
-pdfjs-find-reached-top = Boppekant fan dokumint berikt, trochgien fan ûnder ôf
-pdfjs-find-reached-bottom = Ein fan dokumint berikt, trochgien fan boppe ôf
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } fan { $total } oerienkomst
- *[other] { $current } fan { $total } oerienkomsten
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mear as { $limit } oerienkomst
- *[other] Mear as { $limit } oerienkomsten
- }
-pdfjs-find-not-found = Tekst net fûn
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sidebreedte
-pdfjs-page-scale-fit = Hiele side
-pdfjs-page-scale-auto = Automatysk zoome
-pdfjs-page-scale-actual = Werklike grutte
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Side { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Der is in flater bard by it laden fan de PDF.
-pdfjs-invalid-file-error = Ynfalide of korruptearre PDF-bestân.
-pdfjs-missing-file-error = PDF-bestân ûntbrekt.
-pdfjs-unexpected-response-error = Unferwacht serverantwurd.
-pdfjs-rendering-error = Der is in flater bard by it renderjen fan de side.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-annotaasje]
-
-## Password
-
-pdfjs-password-label = Jou it wachtwurd om dit PDF-bestân te iepenjen.
-pdfjs-password-invalid = Ferkeard wachtwurd. Probearje opnij.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Annulearje
-pdfjs-web-fonts-disabled = Weblettertypen binne útskeakele: gebrûk fan ynsluten PDF-lettertypen is net mooglik.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Tekenje
-pdfjs-editor-ink-button-label = Tekenje
-pdfjs-editor-stamp-button =
- .title = Ofbyldingen tafoegje of bewurkje
-pdfjs-editor-stamp-button-label = Ofbyldingen tafoegje of bewurkje
-pdfjs-editor-highlight-button =
- .title = Markearje
-pdfjs-editor-highlight-button-label = Markearje
-pdfjs-highlight-floating-button =
- .title = Markearje
-pdfjs-highlight-floating-button1 =
- .title = Markearje
- .aria-label = Markearje
-pdfjs-highlight-floating-button-label = Markearje
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Tekening fuortsmite
-pdfjs-editor-remove-freetext-button =
- .title = Tekst fuortsmite
-pdfjs-editor-remove-stamp-button =
- .title = Ofbylding fuortsmite
-pdfjs-editor-remove-highlight-button =
- .title = Markearring fuortsmite
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Kleur
-pdfjs-editor-free-text-size-input = Grutte
-pdfjs-editor-ink-color-input = Kleur
-pdfjs-editor-ink-thickness-input = Tsjokte
-pdfjs-editor-ink-opacity-input = Transparânsje
-pdfjs-editor-stamp-add-image-button =
- .title = Ofbylding tafoegje
-pdfjs-editor-stamp-add-image-button-label = Ofbylding tafoegje
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tsjokte
-pdfjs-editor-free-highlight-thickness-title =
- .title = Tsjokte wizigje by aksintuearring fan oare items as tekst
-pdfjs-free-text =
- .aria-label = Tekstbewurker
-pdfjs-free-text-default-content = Begjin mei typen…
-pdfjs-ink =
- .aria-label = Tekeningbewurker
-pdfjs-ink-canvas =
- .aria-label = Troch brûker makke ôfbylding
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternative tekst
-pdfjs-editor-alt-text-edit-button-label = Alternative tekst bewurkje
-pdfjs-editor-alt-text-dialog-label = Kies in opsje
-pdfjs-editor-alt-text-dialog-description = Alternative tekst helpt wannear’t minsken de ôfbylding net sjen kinne of wannear’t dizze net laden wurdt.
-pdfjs-editor-alt-text-add-description-label = Foegje in beskriuwing ta
-pdfjs-editor-alt-text-add-description-description = Stribje nei 1-2 sinnen dy’t it ûnderwerp, de omjouwing of de aksjes beskriuwe.
-pdfjs-editor-alt-text-mark-decorative-label = As dekoratyf markearje
-pdfjs-editor-alt-text-mark-decorative-description = Dit wurdt brûkt foar sierlike ôfbyldingen, lykas rânen of wettermerken.
-pdfjs-editor-alt-text-cancel-button = Annulearje
-pdfjs-editor-alt-text-save-button = Bewarje
-pdfjs-editor-alt-text-decorative-tooltip = As dekoratyf markearre
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Bygelyks, ‘In jonge man sit oan in tafel om te iten’
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Linkerboppehoek – formaat wizigje
-pdfjs-editor-resizer-label-top-middle = Midden boppe – formaat wizigje
-pdfjs-editor-resizer-label-top-right = Rjochterboppehoek – formaat wizigje
-pdfjs-editor-resizer-label-middle-right = Midden rjochts – formaat wizigje
-pdfjs-editor-resizer-label-bottom-right = Rjochterûnderhoek – formaat wizigje
-pdfjs-editor-resizer-label-bottom-middle = Midden ûnder – formaat wizigje
-pdfjs-editor-resizer-label-bottom-left = Linkerûnderhoek – formaat wizigje
-pdfjs-editor-resizer-label-middle-left = Links midden – formaat wizigje
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Markearringskleur
-pdfjs-editor-colorpicker-button =
- .title = Kleur wizigje
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Kleurkarren
-pdfjs-editor-colorpicker-yellow =
- .title = Giel
-pdfjs-editor-colorpicker-green =
- .title = Grien
-pdfjs-editor-colorpicker-blue =
- .title = Blau
-pdfjs-editor-colorpicker-pink =
- .title = Roze
-pdfjs-editor-colorpicker-red =
- .title = Read
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Alles toane
-pdfjs-editor-highlight-show-all-button =
- .title = Alles toane
diff --git a/static/pdf.js/locale/fy-NL/viewer.properties b/static/pdf.js/locale/fy-NL/viewer.properties
new file mode 100644
index 00000000..d195428c
--- /dev/null
+++ b/static/pdf.js/locale/fy-NL/viewer.properties
@@ -0,0 +1,180 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Foarige side
+previous_label=Foarige
+next.title=Folgjende side
+next_label=Folgjende
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=side:
+page_of=fan {{pageCount}}
+
+zoom_out.title=Utzoome
+zoom_out_label=Utzoome
+zoom_in.title=Ynzoome
+zoom_in_label=Ynzoome
+zoom.title=Zoome
+print.title=Ofdrukke
+print_label=Ofdrukke
+presentation_mode.title=Wikselje nei presintaasjemoadus
+presentation_mode_label=Presintaasjemoadus
+open_file.title=Bestân iepenje
+open_file_label=Iepenje
+download.title=Ynlade
+download_label=Ynlade
+bookmark.title=Aktuele finster (kopiearje of iepenje yn nij finster)
+bookmark_label=Aktuele finster
+
+# Secondary toolbar and context menu
+tools.title=Ark
+tools_label=Ark
+first_page.title=Gean nei earste side
+first_page.label=Gean nei earste side
+first_page_label=Gean nei earste side
+last_page.title=Gean nei lêste side
+last_page.label=Gean nei lêste side
+last_page_label=Gean nei lêste side
+page_rotate_cw.title=Rjochtsom draaie
+page_rotate_cw.label=Rjochtsom draaie
+page_rotate_cw_label=Rjochtsom draaie
+page_rotate_ccw.title=Linksom draaie
+page_rotate_ccw.label=Linksom draaie
+page_rotate_ccw_label=Linksom draaie
+
+hand_tool_enable.title=Hânark ynskeakelje
+hand_tool_enable_label=Hânark ynskeakelje
+hand_tool_disable.title=Hânark úyskeakelje
+hand_tool_disable_label=Hânark úyskeakelje
+
+# Document properties dialog box
+document_properties.title=Dokuminteigenskippen…
+document_properties_label=Dokuminteigenskippen…
+document_properties_file_name=Bestânsnamme:
+document_properties_file_size=Bestânsgrutte:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titel:
+document_properties_author=Auteur:
+document_properties_subject=Underwerp:
+document_properties_keywords=Kaaiwurden:
+document_properties_creation_date=Oanmaakdatum:
+document_properties_modification_date=Bewurkingsdatum:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Makker:
+document_properties_producer=PDF-makker:
+document_properties_version=PDF-ferzje:
+document_properties_page_count=Siden:
+document_properties_close=Slute
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Sidebalke yn-/útskeakelje
+toggle_sidebar_label=Sidebalke yn-/útskeakelje
+outline.title=Dokumint ynhâldsopjefte toane
+outline_label=Dokumint ynhâldsopjefte
+attachments.title=Bylagen toane
+attachments_label=Bylagen
+thumbs.title=Foarbylden toane
+thumbs_label=Foarbylden
+findbar.title=Sykje yn dokumint
+findbar_label=Sykje
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Side {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Foarbyld fan side {{page}}
+
+# Context menu
+first_page.label=Nei earste side gean
+last_page.label=Nei lêste side gean
+page_rotate_cw.label=Rjochtsom draaie
+page_rotate_ccw.label=Linksom draaie
+
+# Find panel button title and messages
+find_label=Sykje:
+find_previous.title=It foarige foarkommen fan de tekst sykje
+find_previous_label=Foarige
+find_next.title=It folgjende foarkommen fan de tekst sykje
+find_next_label=Folgjende
+find_highlight=Alles markearje
+find_match_case_label=Haadlettergefoelich
+find_reached_top=Boppekant fan dokumint berikt, trochgien fanôf ûnder
+find_reached_bottom=Ein fan dokumint berikt, trochgien fanôf boppe
+find_not_found=Tekst net fûn
+
+# Error panel labels
+error_more_info=Mear ynformaasje
+error_less_info=Minder ynformaasje
+error_close=Slute
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js f{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Berjocht: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Bestân: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rigel: {{line}}
+rendering_error=Der is in flater bard by it renderjen fan de side.
+
+# Predefined zoom values
+page_scale_width=Sidebreedte
+page_scale_fit=Hiele side
+page_scale_auto=Automatysk zoome
+page_scale_actual=Wurklike grutte
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Flater
+loading_error=Der is in flater bard by it laden fan de PDF.
+invalid_file_error=Ynfalide of korruptearre PDF-bestân.
+missing_file_error=PDF-bestân ûntbrekt.
+unexpected_response_error=Unferwacht tsjinnerantwurd.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-annotaasje]
+password_label=Jou it wachtwurd om dit PDF-bestân te iepenjen.
+password_invalid=Ferkeard wachtwurd. Probearje opnij.
+password_ok=OK
+password_cancel=Annulearje
+
+printing_not_supported=Warning: Printen is net folslein stipe troch dizze browser.
+printing_not_ready=Warning: PDF is net folslein laden om ôf te drukken.
+web_fonts_disabled=Weblettertypen binne útskeakele: gebrûk fan ynsluten PDF-lettertypen is net mooglik.
+document_colors_not_allowed=PDF-dokuminten meie harren eigen kleuren net brûike: ‘Siden tastean om harren eigen kleuren te kiezen’ is útskeakele yn de browser.
+
diff --git a/static/pdf.js/locale/ga-IE/viewer.ftl b/static/pdf.js/locale/ga-IE/viewer.ftl
deleted file mode 100644
index cb593089..00000000
--- a/static/pdf.js/locale/ga-IE/viewer.ftl
+++ /dev/null
@@ -1,213 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = An Leathanach Roimhe Seo
-pdfjs-previous-button-label = Roimhe Seo
-pdfjs-next-button =
- .title = An Chéad Leathanach Eile
-pdfjs-next-button-label = Ar Aghaidh
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Leathanach
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = as { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } as { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Súmáil Amach
-pdfjs-zoom-out-button-label = Súmáil Amach
-pdfjs-zoom-in-button =
- .title = Súmáil Isteach
-pdfjs-zoom-in-button-label = Súmáil Isteach
-pdfjs-zoom-select =
- .title = Súmáil
-pdfjs-presentation-mode-button =
- .title = Úsáid an Mód Láithreoireachta
-pdfjs-presentation-mode-button-label = Mód Láithreoireachta
-pdfjs-open-file-button =
- .title = Oscail Comhad
-pdfjs-open-file-button-label = Oscail
-pdfjs-print-button =
- .title = Priontáil
-pdfjs-print-button-label = Priontáil
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Uirlisí
-pdfjs-tools-button-label = Uirlisí
-pdfjs-first-page-button =
- .title = Go dtí an chéad leathanach
-pdfjs-first-page-button-label = Go dtí an chéad leathanach
-pdfjs-last-page-button =
- .title = Go dtí an leathanach deiridh
-pdfjs-last-page-button-label = Go dtí an leathanach deiridh
-pdfjs-page-rotate-cw-button =
- .title = Rothlaigh ar deiseal
-pdfjs-page-rotate-cw-button-label = Rothlaigh ar deiseal
-pdfjs-page-rotate-ccw-button =
- .title = Rothlaigh ar tuathal
-pdfjs-page-rotate-ccw-button-label = Rothlaigh ar tuathal
-pdfjs-cursor-text-select-tool-button =
- .title = Cumasaigh an Uirlis Roghnaithe Téacs
-pdfjs-cursor-text-select-tool-button-label = Uirlis Roghnaithe Téacs
-pdfjs-cursor-hand-tool-button =
- .title = Cumasaigh an Uirlis Láimhe
-pdfjs-cursor-hand-tool-button-label = Uirlis Láimhe
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Airíonna na Cáipéise…
-pdfjs-document-properties-button-label = Airíonna na Cáipéise…
-pdfjs-document-properties-file-name = Ainm an chomhaid:
-pdfjs-document-properties-file-size = Méid an chomhaid:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } beart)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } beart)
-pdfjs-document-properties-title = Teideal:
-pdfjs-document-properties-author = Údar:
-pdfjs-document-properties-subject = Ábhar:
-pdfjs-document-properties-keywords = Eochairfhocail:
-pdfjs-document-properties-creation-date = Dáta Cruthaithe:
-pdfjs-document-properties-modification-date = Dáta Athraithe:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Cruthaitheoir:
-pdfjs-document-properties-producer = Cruthaitheoir an PDF:
-pdfjs-document-properties-version = Leagan PDF:
-pdfjs-document-properties-page-count = Líon Leathanach:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = Dún
-
-## Print
-
-pdfjs-print-progress-message = Cáipéis á hullmhú le priontáil…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cealaigh
-pdfjs-printing-not-supported = Rabhadh: Ní thacaíonn an brabhsálaí le priontáil go hiomlán.
-pdfjs-printing-not-ready = Rabhadh: Ní féidir an PDF a phriontáil go dtí go mbeidh an cháipéis iomlán lódáilte.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Scoránaigh an Barra Taoibh
-pdfjs-toggle-sidebar-button-label = Scoránaigh an Barra Taoibh
-pdfjs-document-outline-button =
- .title = Taispeáin Imlíne na Cáipéise (déchliceáil chun chuile rud a leathnú nó a laghdú)
-pdfjs-document-outline-button-label = Creatlach na Cáipéise
-pdfjs-attachments-button =
- .title = Taispeáin Iatáin
-pdfjs-attachments-button-label = Iatáin
-pdfjs-thumbs-button =
- .title = Taispeáin Mionsamhlacha
-pdfjs-thumbs-button-label = Mionsamhlacha
-pdfjs-findbar-button =
- .title = Aimsigh sa Cháipéis
-pdfjs-findbar-button-label = Aimsigh
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Leathanach { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Mionsamhail Leathanaigh { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Aimsigh
- .placeholder = Aimsigh sa cháipéis…
-pdfjs-find-previous-button =
- .title = Aimsigh an sampla roimhe seo den nath seo
-pdfjs-find-previous-button-label = Roimhe seo
-pdfjs-find-next-button =
- .title = Aimsigh an chéad sampla eile den nath sin
-pdfjs-find-next-button-label = Ar aghaidh
-pdfjs-find-highlight-checkbox = Aibhsigh uile
-pdfjs-find-match-case-checkbox-label = Cásíogair
-pdfjs-find-entire-word-checkbox-label = Focail iomlána
-pdfjs-find-reached-top = Ag barr na cáipéise, ag leanúint ón mbun
-pdfjs-find-reached-bottom = Ag bun na cáipéise, ag leanúint ón mbarr
-pdfjs-find-not-found = Frása gan aimsiú
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Leithead Leathanaigh
-pdfjs-page-scale-fit = Laghdaigh go dtí an Leathanach
-pdfjs-page-scale-auto = Súmáil Uathoibríoch
-pdfjs-page-scale-actual = Fíormhéid
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Tharla earráid agus an cháipéis PDF á lódáil.
-pdfjs-invalid-file-error = Comhad neamhbhailí nó truaillithe PDF.
-pdfjs-missing-file-error = Comhad PDF ar iarraidh.
-pdfjs-unexpected-response-error = Freagra ón bhfreastalaí nach rabhthas ag súil leis.
-pdfjs-rendering-error = Tharla earráid agus an leathanach á leagan amach.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anótáil { $type }]
-
-## Password
-
-pdfjs-password-label = Cuir an focal faire isteach chun an comhad PDF seo a oscailt.
-pdfjs-password-invalid = Focal faire mícheart. Déan iarracht eile.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cealaigh
-pdfjs-web-fonts-disabled = Tá clófhoirne Gréasáin díchumasaithe: ní féidir clófhoirne leabaithe PDF a úsáid.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ga-IE/viewer.properties b/static/pdf.js/locale/ga-IE/viewer.properties
new file mode 100644
index 00000000..7fa5076f
--- /dev/null
+++ b/static/pdf.js/locale/ga-IE/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=An Leathanach Roimhe Seo
+previous_label=Roimhe Seo
+next.title=An Chéad Leathanach Eile
+next_label=Ar Aghaidh
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Leathanach:
+page_of=as {{pageCount}}
+
+zoom_out.title=Súmáil Amach
+zoom_out_label=Súmáil Amach
+zoom_in.title=Súmáil Isteach
+zoom_in_label=Súmáil Isteach
+zoom.title=Súmáil
+presentation_mode.title=Úsáid an Mód Láithreoireachta
+presentation_mode_label=Mód Láithreoireachta
+open_file.title=Oscail Comhad
+open_file_label=Oscail
+print.title=Priontáil
+print_label=Priontáil
+download.title=Íosluchtaigh
+download_label=Íosluchtaigh
+bookmark.title=An t-amharc reatha (cóipeáil nó oscail i bhfuinneog nua)
+bookmark_label=An tAmharc Reatha
+
+# Secondary toolbar and context menu
+tools.title=Uirlisí
+tools_label=Uirlisí
+first_page.title=Go dtí an chéad leathanach
+first_page.label=Go dtí an chéad leathanach
+first_page_label=Go dtí an chéad leathanach
+last_page.title=Go dtí an leathanach deiridh
+last_page.label=Go dtí an leathanach deiridh
+last_page_label=Go dtí an leathanach deiridh
+page_rotate_cw.title=Rothlaigh ar deiseal
+page_rotate_cw.label=Rothlaigh ar deiseal
+page_rotate_cw_label=Rothlaigh ar deiseal
+page_rotate_ccw.title=Rothlaigh ar tuathal
+page_rotate_ccw.label=Rothlaigh ar tuathal
+page_rotate_ccw_label=Rothlaigh ar tuathal
+
+hand_tool_enable.title=Cumasaigh uirlis láimhe
+hand_tool_enable_label=Cumasaigh uirlis láimhe
+hand_tool_disable.title=Díchumasaigh uirlis láimhe
+hand_tool_disable_label=Díchumasaigh uirlis láimhe
+
+# Document properties dialog box
+document_properties.title=Airíonna na Cáipéise…
+document_properties_label=Airíonna na Cáipéise…
+document_properties_file_name=Ainm an chomhaid:
+document_properties_file_size=Méid an chomhaid:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} kB ({{size_b}} beart)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} beart)
+document_properties_title=Teideal:
+document_properties_author=Údar:
+document_properties_subject=Ábhar:
+document_properties_keywords=Eochairfhocail:
+document_properties_creation_date=Dáta Cruthaithe:
+document_properties_modification_date=Dáta Athraithe:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Cruthaitheoir:
+document_properties_producer=Cruthaitheoir an PDF:
+document_properties_version=Leagan PDF:
+document_properties_page_count=Líon Leathanach:
+document_properties_close=Dún
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Scoránaigh an Barra Taoibh
+toggle_sidebar_label=Scoránaigh an Barra Taoibh
+outline.title=Taispeáin Creatlach na Cáipéise
+outline_label=Creatlach na Cáipéise
+attachments.title=Taispeáin Iatáin
+attachments_label=Iatáin
+thumbs.title=Taispeáin Mionsamhlacha
+thumbs_label=Mionsamhlacha
+findbar.title=Aimsigh sa Cháipéis
+findbar_label=Aimsigh
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Leathanach {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Mionsamhail Leathanaigh {{page}}
+
+# Find panel button title and messages
+find_label=Aimsigh:
+find_previous.title=Aimsigh an sampla roimhe seo den nath seo
+find_previous_label=Roimhe seo
+find_next.title=Aimsigh an chéad sampla eile den nath sin
+find_next_label=Ar aghaidh
+find_highlight=Aibhsigh uile
+find_match_case_label=Cásíogair
+find_reached_top=Ag barr na cáipéise, ag leanúint ón mbun
+find_reached_bottom=Ag bun na cáipéise, ag leanúint ón mbarr
+find_not_found=Abairtín gan aimsiú
+
+# Error panel labels
+error_more_info=Tuilleadh Eolais
+error_less_info=Níos Lú Eolais
+error_close=Dún
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Teachtaireacht: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Cruach: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Comhad: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Líne: {{line}}
+rendering_error=Tharla earráid agus an leathanach á leagan amach.
+
+# Predefined zoom values
+page_scale_width=Leithead Leathanaigh
+page_scale_fit=Laghdaigh go dtí an Leathanach
+page_scale_auto=Súmáil Uathoibríoch
+page_scale_actual=Fíormhéid
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Earráid
+loading_error=Tharla earráid agus an cháipéis PDF á luchtú.
+invalid_file_error=Comhad neamhbhailí nó truaillithe PDF.
+missing_file_error=Comhad PDF ar iarraidh.
+unexpected_response_error=Freagra ón bhfreastalaí gan súil leis.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anótáil {{type}}]
+password_label=Cuir an focal faire isteach chun an comhad PDF seo a oscailt.
+password_invalid=Focal faire mícheart. Déan iarracht eile.
+password_ok=OK
+password_cancel=Cealaigh
+
+printing_not_supported=Rabhadh: Ní thacaíonn an brabhsálaí le priontáil go hiomlán.
+printing_not_ready=Rabhadh: Ní féidir an PDF a phriontáil go dtí go mbeidh an cháipéis iomlán luchtaithe.
+web_fonts_disabled=Tá clófhoirne Gréasáin díchumasaithe: ní féidir clófhoirne leabaithe PDF a úsáid.
+document_colors_not_allowed=Níl cead ag cáipéisí PDF a ndathanna féin a roghnú; tá 'Tabhair cead do leathanaigh a ndathanna féin a roghnú' díchumasaithe sa mbrabhsálaí.
diff --git a/static/pdf.js/locale/gd/viewer.ftl b/static/pdf.js/locale/gd/viewer.ftl
deleted file mode 100644
index cc67391a..00000000
--- a/static/pdf.js/locale/gd/viewer.ftl
+++ /dev/null
@@ -1,299 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = An duilleag roimhe
-pdfjs-previous-button-label = Air ais
-pdfjs-next-button =
- .title = An ath-dhuilleag
-pdfjs-next-button-label = Air adhart
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Duilleag
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = à { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } à { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Sùm a-mach
-pdfjs-zoom-out-button-label = Sùm a-mach
-pdfjs-zoom-in-button =
- .title = Sùm a-steach
-pdfjs-zoom-in-button-label = Sùm a-steach
-pdfjs-zoom-select =
- .title = Sùm
-pdfjs-presentation-mode-button =
- .title = Gearr leum dhan mhodh taisbeanaidh
-pdfjs-presentation-mode-button-label = Am modh taisbeanaidh
-pdfjs-open-file-button =
- .title = Fosgail faidhle
-pdfjs-open-file-button-label = Fosgail
-pdfjs-print-button =
- .title = Clò-bhuail
-pdfjs-print-button-label = Clò-bhuail
-pdfjs-save-button =
- .title = Sàbhail
-pdfjs-save-button-label = Sàbhail
-pdfjs-bookmark-button =
- .title = An duilleag làithreach (Seall an URL on duilleag làithreach)
-pdfjs-bookmark-button-label = An duilleag làithreach
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Fosgail san aplacaid
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Fosgail san aplacaid
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Innealan
-pdfjs-tools-button-label = Innealan
-pdfjs-first-page-button =
- .title = Rach gun chiad duilleag
-pdfjs-first-page-button-label = Rach gun chiad duilleag
-pdfjs-last-page-button =
- .title = Rach gun duilleag mu dheireadh
-pdfjs-last-page-button-label = Rach gun duilleag mu dheireadh
-pdfjs-page-rotate-cw-button =
- .title = Cuairtich gu deiseil
-pdfjs-page-rotate-cw-button-label = Cuairtich gu deiseil
-pdfjs-page-rotate-ccw-button =
- .title = Cuairtich gu tuathail
-pdfjs-page-rotate-ccw-button-label = Cuairtich gu tuathail
-pdfjs-cursor-text-select-tool-button =
- .title = Cuir an comas inneal taghadh an teacsa
-pdfjs-cursor-text-select-tool-button-label = Inneal taghadh an teacsa
-pdfjs-cursor-hand-tool-button =
- .title = Cuir inneal na làimhe an comas
-pdfjs-cursor-hand-tool-button-label = Inneal na làimhe
-pdfjs-scroll-page-button =
- .title = Cleachd sgroladh duilleige
-pdfjs-scroll-page-button-label = Sgroladh duilleige
-pdfjs-scroll-vertical-button =
- .title = Cleachd sgroladh inghearach
-pdfjs-scroll-vertical-button-label = Sgroladh inghearach
-pdfjs-scroll-horizontal-button =
- .title = Cleachd sgroladh còmhnard
-pdfjs-scroll-horizontal-button-label = Sgroladh còmhnard
-pdfjs-scroll-wrapped-button =
- .title = Cleachd sgroladh paisgte
-pdfjs-scroll-wrapped-button-label = Sgroladh paisgte
-pdfjs-spread-none-button =
- .title = Na cuir còmhla sgoileadh dhuilleagan
-pdfjs-spread-none-button-label = Gun sgaoileadh dhuilleagan
-pdfjs-spread-odd-button =
- .title = Cuir còmhla duilleagan sgaoilte a thòisicheas le duilleagan aig a bheil àireamh chorr
-pdfjs-spread-odd-button-label = Sgaoileadh dhuilleagan corra
-pdfjs-spread-even-button =
- .title = Cuir còmhla duilleagan sgaoilte a thòisicheas le duilleagan aig a bheil àireamh chothrom
-pdfjs-spread-even-button-label = Sgaoileadh dhuilleagan cothrom
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Roghainnean na sgrìobhainne…
-pdfjs-document-properties-button-label = Roghainnean na sgrìobhainne…
-pdfjs-document-properties-file-name = Ainm an fhaidhle:
-pdfjs-document-properties-file-size = Meud an fhaidhle:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Tiotal:
-pdfjs-document-properties-author = Ùghdar:
-pdfjs-document-properties-subject = Cuspair:
-pdfjs-document-properties-keywords = Faclan-luirg:
-pdfjs-document-properties-creation-date = Latha a chruthachaidh:
-pdfjs-document-properties-modification-date = Latha atharrachaidh:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Cruthadair:
-pdfjs-document-properties-producer = Saothraiche a' PDF:
-pdfjs-document-properties-version = Tionndadh a' PDF:
-pdfjs-document-properties-page-count = Àireamh de dhuilleagan:
-pdfjs-document-properties-page-size = Meud na duilleige:
-pdfjs-document-properties-page-size-unit-inches = ann an
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portraid
-pdfjs-document-properties-page-size-orientation-landscape = dreach-tìre
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Litir
-pdfjs-document-properties-page-size-name-legal = Laghail
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Grad shealladh-lìn:
-pdfjs-document-properties-linearized-yes = Tha
-pdfjs-document-properties-linearized-no = Chan eil
-pdfjs-document-properties-close-button = Dùin
-
-## Print
-
-pdfjs-print-progress-message = Ag ullachadh na sgrìobhainn airson clò-bhualadh…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Sguir dheth
-pdfjs-printing-not-supported = Rabhadh: Chan eil am brabhsair seo a' cur làn-taic ri clò-bhualadh.
-pdfjs-printing-not-ready = Rabhadh: Cha deach am PDF a luchdadh gu tur airson clò-bhualadh.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toglaich am bàr-taoibh
-pdfjs-toggle-sidebar-notification-button =
- .title = Toglaich am bàr-taoibh (tha oir-loidhne/ceanglachain/breathan aig an sgrìobhainn)
-pdfjs-toggle-sidebar-button-label = Toglaich am bàr-taoibh
-pdfjs-document-outline-button =
- .title = Seall oir-loidhne na sgrìobhainn (dèan briogadh dùbailte airson a h-uile nì a leudachadh/a cho-theannadh)
-pdfjs-document-outline-button-label = Oir-loidhne na sgrìobhainne
-pdfjs-attachments-button =
- .title = Seall na ceanglachain
-pdfjs-attachments-button-label = Ceanglachain
-pdfjs-layers-button =
- .title = Seall na breathan (dèan briogadh dùbailte airson a h-uile breath ath-shuidheachadh dhan staid bhunaiteach)
-pdfjs-layers-button-label = Breathan
-pdfjs-thumbs-button =
- .title = Seall na dealbhagan
-pdfjs-thumbs-button-label = Dealbhagan
-pdfjs-current-outline-item-button =
- .title = Lorg nì làithreach na h-oir-loidhne
-pdfjs-current-outline-item-button-label = Nì làithreach na h-oir-loidhne
-pdfjs-findbar-button =
- .title = Lorg san sgrìobhainn
-pdfjs-findbar-button-label = Lorg
-pdfjs-additional-layers = Barrachd breathan
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Duilleag a { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Dealbhag duilleag a { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Lorg
- .placeholder = Lorg san sgrìobhainn...
-pdfjs-find-previous-button =
- .title = Lorg làthair roimhe na h-abairt seo
-pdfjs-find-previous-button-label = Air ais
-pdfjs-find-next-button =
- .title = Lorg ath-làthair na h-abairt seo
-pdfjs-find-next-button-label = Air adhart
-pdfjs-find-highlight-checkbox = Soillsich a h-uile
-pdfjs-find-match-case-checkbox-label = Aire do litrichean mòra is beaga
-pdfjs-find-match-diacritics-checkbox-label = Aire do stràcan
-pdfjs-find-entire-word-checkbox-label = Faclan-slàna
-pdfjs-find-reached-top = Ràinig sinn barr na duilleige, a' leantainn air adhart o bhonn na duilleige
-pdfjs-find-reached-bottom = Ràinig sinn bonn na duilleige, a' leantainn air adhart o bharr na duilleige
-pdfjs-find-not-found = Cha deach an abairt a lorg
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Leud na duilleige
-pdfjs-page-scale-fit = Freagair ri meud na duilleige
-pdfjs-page-scale-auto = Sùm fèin-obrachail
-pdfjs-page-scale-actual = Am fìor-mheud
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Duilleag { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Thachair mearachd rè luchdadh a' PDF.
-pdfjs-invalid-file-error = Faidhle PDF a tha mì-dhligheach no coirbte.
-pdfjs-missing-file-error = Faidhle PDF a tha a dhìth.
-pdfjs-unexpected-response-error = Freagairt on fhrithealaiche ris nach robh dùil.
-pdfjs-rendering-error = Thachair mearachd rè reandaradh na duilleige.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Nòtachadh { $type }]
-
-## Password
-
-pdfjs-password-label = Cuir a-steach am facal-faire gus am faidhle PDF seo fhosgladh.
-pdfjs-password-invalid = Tha am facal-faire cearr. Nach fheuch thu ris a-rithist?
-pdfjs-password-ok-button = Ceart ma-thà
-pdfjs-password-cancel-button = Sguir dheth
-pdfjs-web-fonts-disabled = Tha cruthan-clò lìn à comas: Chan urrainn dhuinn cruthan-clò PDF leabaichte a chleachdadh.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Teacsa
-pdfjs-editor-free-text-button-label = Teacsa
-pdfjs-editor-ink-button =
- .title = Tarraing
-pdfjs-editor-ink-button-label = Tarraing
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Dath
-pdfjs-editor-free-text-size-input = Meud
-pdfjs-editor-ink-color-input = Dath
-pdfjs-editor-ink-thickness-input = Tighead
-pdfjs-editor-ink-opacity-input = Trìd-dhoilleireachd
-pdfjs-free-text =
- .aria-label = An deasaiche teacsa
-pdfjs-free-text-default-content = Tòisich air sgrìobhadh…
-pdfjs-ink =
- .aria-label = An deasaiche tharraingean
-pdfjs-ink-canvas =
- .aria-label = Dealbh a chruthaich cleachdaiche
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/gd/viewer.properties b/static/pdf.js/locale/gd/viewer.properties
new file mode 100644
index 00000000..509b71b2
--- /dev/null
+++ b/static/pdf.js/locale/gd/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=An duilleag roimhe
+previous_label=Air ais
+next.title=An ath-dhuilleag
+next_label=Air adhart
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Duilleag:
+page_of=à {{pageCount}}
+
+zoom_out.title=Sùm a-mach
+zoom_out_label=Sùm a-mach
+zoom_in.title=Sùm a-steach
+zoom_in_label=Sùm a-steach
+zoom.title=Sùm
+presentation_mode.title=Gearr leum dhan mhodh taisbeanaidh
+presentation_mode_label=Am modh taisbeanaidh
+open_file.title=Fosgail faidhle
+open_file_label=Fosgail
+print.title=Clò-bhuail
+print_label=Clò-bhuail
+download.title=Luchdaich a-nuas
+download_label=Luchdaich a-nuas
+bookmark.title=An sealladh làithreach (dèan lethbhreac no fosgail e ann an uinneag ùr)
+bookmark_label=An sealladh làithreach
+
+# Secondary toolbar and context menu
+tools.title=Innealan
+tools_label=Innealan
+first_page.title=Rach gun chiad duilleag
+first_page.label=Rach gun chiad duilleag
+first_page_label=Rach gun chiad duilleag
+last_page.title=Rach gun duilleag mu dheireadh
+last_page.label=Rach gun duilleag mu dheireadh
+last_page_label=Rach gun duilleag mu dheireadh
+page_rotate_cw.title=Cuairtich gu deiseil
+page_rotate_cw.label=Cuairtich gu deiseil
+page_rotate_cw_label=Cuairtich gu deiseil
+page_rotate_ccw.title=Cuairtich gu tuathail
+page_rotate_ccw.label=Cuairtich gu tuathail
+page_rotate_ccw_label=Cuairtich gu tuathail
+
+hand_tool_enable.title=Cuir inneal na làimhe an comas
+hand_tool_enable_label=Cuir inneal na làimhe an comas
+hand_tool_disable.title=Cuir inneal na làimhe à comas
+hand_tool_disable_label=Cuir à comas inneal na làimhe
+
+# Document properties dialog box
+document_properties.title=Roghainnean na sgrìobhainne…
+document_properties_label=Roghainnean na sgrìobhainne…
+document_properties_file_name=Ainm an fhaidhle:
+document_properties_file_size=Meud an fhaidhle:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Tiotal:
+document_properties_author=Ùghdar:
+document_properties_subject=Cuspair:
+document_properties_keywords=Faclan-luirg:
+document_properties_creation_date=Latha a chruthachaidh:
+document_properties_modification_date=Latha atharrachaidh:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Cruthadair:
+document_properties_producer=Saothraiche a' PDF:
+document_properties_version=Tionndadh a' PDF:
+document_properties_page_count=Àireamh de dhuilleagan:
+document_properties_close=Dùin
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Toglaich am bàr-taoibh
+toggle_sidebar_label=Toglaich am bàr-taoibh
+outline.title=Seall an sgrìobhainn far loidhne
+outline_label=Oir-loidhne na sgrìobhainne
+attachments.title=Seall na ceanglachain
+attachments_label=Ceanglachain
+thumbs.title=Seall na dealbhagan
+thumbs_label=Dealbhagan
+findbar.title=Lorg san sgrìobhainn
+findbar_label=Lorg
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Duilleag a {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Dealbhag duilleag a {{page}}
+
+# Find panel button title and messages
+find_label=Lorg:
+find_previous.title=Lorg làthair roimhe na h-abairt seo
+find_previous_label=Air ais
+find_next.title=Lorg ath-làthair na h-abairt seo
+find_next_label=Air adhart
+find_highlight=Soillsich a h-uile
+find_match_case_label=Aire do litrichean mòra is beaga
+find_reached_top=Ràinig sinn barr na duilleige, a' leantainn air adhart o bhonn na duilleige
+find_reached_bottom=Ràinig sinn bonn na duilleige, a' leantainn air adhart o bharr na duilleige
+find_not_found=Cha deach an abairt a lorg
+
+# Error panel labels
+error_more_info=Barrachd fiosrachaidh
+error_less_info=Nas lugha de dh'fhiosrachadh
+error_close=Dùin
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Teachdaireachd: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stac: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Faidhle: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Loidhne: {{line}}
+rendering_error=Thachair mearachd rè reandaradh na duilleige.
+
+# Predefined zoom values
+page_scale_width=Leud na duilleige
+page_scale_fit=Freagair ri meud na duilleige
+page_scale_auto=Sùm fèin-obrachail
+page_scale_actual=Am fìor-mheud
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Mearachd
+loading_error=Thachair mearachd rè luchdadh a' PDF.
+invalid_file_error=Faidhle PDF a tha mì-dhligheach no coirbte.
+missing_file_error=Faidhle PDF a tha a dhìth.
+unexpected_response_error=Freagairt on fhrithealaiche ris nach robh dùil.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Nòtachadh {{type}}]
+password_label=Cuir a-steach am facal-faire gus am faidhle PDF seo fhosgladh.
+password_invalid=Tha am facal-faire cearr. Nach fheuch thu ris a-rithist?
+password_ok=Ceart ma-tha
+password_cancel=Sguir dheth
+
+printing_not_supported=Rabhadh: Chan eil am brabhsair seo a' cur làn-taic ri clò-bhualadh.
+printing_not_ready=Rabhadh: Cha deach am PDF a luchdadh gu tur airson clò-bhualadh.
+web_fonts_disabled=Tha cruthan-clò lìn à comas: Chan urrainn dhuinn cruthan-clò PDF leabaichte a chleachdadh.
+document_colors_not_allowed=Chan fhaod sgrìobhainnean PDF na dathan aca fhèin a chleachdadh: Tha "Leig le duilleagan na dathan aca fhèin a chleachdadh" à comas sa bhrabhsair.
diff --git a/static/pdf.js/locale/gl/viewer.ftl b/static/pdf.js/locale/gl/viewer.ftl
deleted file mode 100644
index a08fb1a3..00000000
--- a/static/pdf.js/locale/gl/viewer.ftl
+++ /dev/null
@@ -1,364 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Páxina anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Seguinte páxina
-pdfjs-next-button-label = Seguinte
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Páxina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Reducir
-pdfjs-zoom-out-button-label = Reducir
-pdfjs-zoom-in-button =
- .title = Ampliar
-pdfjs-zoom-in-button-label = Ampliar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Cambiar ao modo presentación
-pdfjs-presentation-mode-button-label = Modo presentación
-pdfjs-open-file-button =
- .title = Abrir ficheiro
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Gardar
-pdfjs-save-button-label = Gardar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Descargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Descargar
-pdfjs-bookmark-button =
- .title = Páxina actual (ver o URL da páxina actual)
-pdfjs-bookmark-button-label = Páxina actual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir cunha aplicación
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir cunha aplicación
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ferramentas
-pdfjs-tools-button-label = Ferramentas
-pdfjs-first-page-button =
- .title = Ir á primeira páxina
-pdfjs-first-page-button-label = Ir á primeira páxina
-pdfjs-last-page-button =
- .title = Ir á última páxina
-pdfjs-last-page-button-label = Ir á última páxina
-pdfjs-page-rotate-cw-button =
- .title = Rotar no sentido das agullas do reloxo
-pdfjs-page-rotate-cw-button-label = Rotar no sentido das agullas do reloxo
-pdfjs-page-rotate-ccw-button =
- .title = Rotar no sentido contrario ás agullas do reloxo
-pdfjs-page-rotate-ccw-button-label = Rotar no sentido contrario ás agullas do reloxo
-pdfjs-cursor-text-select-tool-button =
- .title = Activar a ferramenta de selección de texto
-pdfjs-cursor-text-select-tool-button-label = Ferramenta de selección de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar a ferramenta de man
-pdfjs-cursor-hand-tool-button-label = Ferramenta de man
-pdfjs-scroll-page-button =
- .title = Usar o desprazamento da páxina
-pdfjs-scroll-page-button-label = Desprazamento da páxina
-pdfjs-scroll-vertical-button =
- .title = Usar o desprazamento vertical
-pdfjs-scroll-vertical-button-label = Desprazamento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar o desprazamento horizontal
-pdfjs-scroll-horizontal-button-label = Desprazamento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar o desprazamento en bloque
-pdfjs-scroll-wrapped-button-label = Desprazamento por bloque
-pdfjs-spread-none-button =
- .title = Non agrupar páxinas
-pdfjs-spread-none-button-label = Ningún agrupamento
-pdfjs-spread-odd-button =
- .title = Crea grupo de páxinas que comezan con números de páxina impares
-pdfjs-spread-odd-button-label = Agrupamento impar
-pdfjs-spread-even-button =
- .title = Crea grupo de páxinas que comezan con números de páxina pares
-pdfjs-spread-even-button-label = Agrupamento par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades do documento…
-pdfjs-document-properties-button-label = Propiedades do documento…
-pdfjs-document-properties-file-name = Nome do ficheiro:
-pdfjs-document-properties-file-size = Tamaño do ficheiro:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Asunto:
-pdfjs-document-properties-keywords = Palabras clave:
-pdfjs-document-properties-creation-date = Data de creación:
-pdfjs-document-properties-modification-date = Data de modificación:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creado por:
-pdfjs-document-properties-producer = Xenerador do PDF:
-pdfjs-document-properties-version = Versión de PDF:
-pdfjs-document-properties-page-count = Número de páxinas:
-pdfjs-document-properties-page-size = Tamaño da páxina:
-pdfjs-document-properties-page-size-unit-inches = pol
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Visualización rápida das páxinas web:
-pdfjs-document-properties-linearized-yes = Si
-pdfjs-document-properties-linearized-no = Non
-pdfjs-document-properties-close-button = Pechar
-
-## Print
-
-pdfjs-print-progress-message = Preparando o documento para imprimir…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Aviso: A impresión non é compatíbel de todo con este navegador.
-pdfjs-printing-not-ready = Aviso: O PDF non se cargou completamente para imprimirse.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Amosar/agochar a barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Alternar barra lateral (o documento contén esquema/anexos/capas)
-pdfjs-toggle-sidebar-button-label = Amosar/agochar a barra lateral
-pdfjs-document-outline-button =
- .title = Amosar a estrutura do documento (dobre clic para expandir/contraer todos os elementos)
-pdfjs-document-outline-button-label = Estrutura do documento
-pdfjs-attachments-button =
- .title = Amosar anexos
-pdfjs-attachments-button-label = Anexos
-pdfjs-layers-button =
- .title = Mostrar capas (prema dúas veces para restaurar todas as capas o estado predeterminado)
-pdfjs-layers-button-label = Capas
-pdfjs-thumbs-button =
- .title = Amosar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Atopar o elemento delimitado actualmente
-pdfjs-current-outline-item-button-label = Elemento delimitado actualmente
-pdfjs-findbar-button =
- .title = Atopar no documento
-pdfjs-findbar-button-label = Atopar
-pdfjs-additional-layers = Capas adicionais
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Páxina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura da páxina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Atopar
- .placeholder = Atopar no documento…
-pdfjs-find-previous-button =
- .title = Atopar a anterior aparición da frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Atopar a seguinte aparición da frase
-pdfjs-find-next-button-label = Seguinte
-pdfjs-find-highlight-checkbox = Realzar todo
-pdfjs-find-match-case-checkbox-label = Diferenciar maiúsculas de minúsculas
-pdfjs-find-match-diacritics-checkbox-label = Distinguir os diacríticos
-pdfjs-find-entire-word-checkbox-label = Palabras completas
-pdfjs-find-reached-top = Chegouse ao inicio do documento, continuar desde o final
-pdfjs-find-reached-bottom = Chegouse ao final do documento, continuar desde o inicio
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] Coincidencia { $current } de { $total }
- *[other] Coincidencia { $current } de { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Máis de { $limit } coincidencia
- *[other] Máis de { $limit } coincidencias
- }
-pdfjs-find-not-found = Non se atopou a frase
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Largura da páxina
-pdfjs-page-scale-fit = Axuste de páxina
-pdfjs-page-scale-auto = Zoom automático
-pdfjs-page-scale-actual = Tamaño actual
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Páxina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Produciuse un erro ao cargar o PDF.
-pdfjs-invalid-file-error = Ficheiro PDF danado ou non válido.
-pdfjs-missing-file-error = Falta o ficheiro PDF.
-pdfjs-unexpected-response-error = Resposta inesperada do servidor.
-pdfjs-rendering-error = Produciuse un erro ao representar a páxina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotación { $type }]
-
-## Password
-
-pdfjs-password-label = Escriba o contrasinal para abrir este ficheiro PDF.
-pdfjs-password-invalid = Contrasinal incorrecto. Tente de novo.
-pdfjs-password-ok-button = Aceptar
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Desactiváronse as fontes web: foi imposíbel usar as fontes incrustadas no PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Debuxo
-pdfjs-editor-ink-button-label = Debuxo
-pdfjs-editor-stamp-button =
- .title = Engadir ou editar imaxes
-pdfjs-editor-stamp-button-label = Engadir ou editar imaxes
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-freetext-button =
- .title = Eliminar o texto
-pdfjs-editor-remove-stamp-button =
- .title = Eliminar a imaxe
-pdfjs-editor-remove-highlight-button =
- .title = Eliminar o resaltado
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Cor
-pdfjs-editor-free-text-size-input = Tamaño
-pdfjs-editor-ink-color-input = Cor
-pdfjs-editor-ink-thickness-input = Grosor
-pdfjs-editor-ink-opacity-input = Opacidade
-pdfjs-editor-stamp-add-image-button =
- .title = Engadir imaxe
-pdfjs-editor-stamp-add-image-button-label = Engadir imaxe
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grosor
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Comezar a teclear…
-pdfjs-ink =
- .aria-label = Editor de debuxos
-pdfjs-ink-canvas =
- .aria-label = Imaxe creada por unha usuaria
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar o texto alternativo
-pdfjs-editor-alt-text-dialog-label = Escoller unha opción
-pdfjs-editor-alt-text-add-description-label = Engadir unha descrición
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativo
-pdfjs-editor-alt-text-mark-decorative-description = Utilízase para imaxes ornamentais, como bordos ou marcas de auga.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Gardar
-pdfjs-editor-alt-text-decorative-tooltip = Marcado como decorativo
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por exemplo, «Un mozo séntase á mesa para comer»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Esquina superior esquerda: cambia o tamaño
-pdfjs-editor-resizer-label-top-middle = Medio superior: cambia o tamaño
-pdfjs-editor-resizer-label-top-right = Esquina superior dereita: cambia o tamaño
-pdfjs-editor-resizer-label-middle-right = Medio dereito: cambia o tamaño
-pdfjs-editor-resizer-label-bottom-right = Esquina inferior dereita: cambia o tamaño
-pdfjs-editor-resizer-label-bottom-middle = Abaixo medio: cambia o tamaño
-pdfjs-editor-resizer-label-bottom-left = Esquina inferior esquerda: cambia o tamaño
-pdfjs-editor-resizer-label-middle-left = Medio esquerdo: cambia o tamaño
-
-## Color picker
-
diff --git a/static/pdf.js/locale/gl/viewer.properties b/static/pdf.js/locale/gl/viewer.properties
new file mode 100644
index 00000000..0acc4f78
--- /dev/null
+++ b/static/pdf.js/locale/gl/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Páxina anterior
+previous_label=Anterior
+next.title=Seguinte páxina
+next_label=Seguinte
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Páxina:
+page_of=de {{pageCount}}
+
+zoom_out.title=Reducir
+zoom_out_label=Reducir
+zoom_in.title=Ampliar
+zoom_in_label=Ampliar
+zoom.title=Zoom
+presentation_mode.title=Cambiar ao modo presentación
+presentation_mode_label=Modo presentación
+open_file.title=Abrir ficheiro
+open_file_label=Abrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Descargar
+download_label=Descargar
+bookmark.title=Vista actual (copiar ou abrir nunha nova xanela)
+bookmark_label=Vista actual
+
+# Secondary toolbar and context menu
+tools.title=Ferramentas
+tools_label=Ferramentas
+first_page.title=Ir á primeira páxina
+first_page.label=Ir á primeira páxina
+first_page_label=Ir á primeira páxina
+last_page.title=Ir á última páxina
+last_page.label=Ir á última páxina
+last_page_label=Ir á última páxina
+page_rotate_cw.title=Rotar no sentido das agullas do reloxo
+page_rotate_cw.label=Rotar no sentido das agullas do reloxo
+page_rotate_cw_label=Rotar no sentido das agullas do reloxo
+page_rotate_ccw.title=Rotar no sentido contrario ás agullas do reloxo
+page_rotate_ccw.label=Rotar no sentido contrario ás agullas do reloxo
+page_rotate_ccw_label=Rotar no sentido contrario ás agullas do reloxo
+
+hand_tool_enable.title=Activar ferramenta man
+hand_tool_enable_label=Activar ferramenta man
+hand_tool_disable.title=Desactivar ferramenta man
+hand_tool_disable_label=Desactivar ferramenta man
+
+# Document properties dialog box
+document_properties.title=Propiedades do documento…
+document_properties_label=Propiedades do documento…
+document_properties_file_name=Nome do ficheiro:
+document_properties_file_size=Tamaño do ficheiro:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Asunto:
+document_properties_keywords=Palabras clave:
+document_properties_creation_date=Data de creación:
+document_properties_modification_date=Data de modificación:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creado por:
+document_properties_producer=Xenerador do PDF:
+document_properties_version=Versión de PDF:
+document_properties_page_count=Número de páxinas:
+document_properties_close=Pechar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Amosar/agochar a barra lateral
+toggle_sidebar_label=Amosar/agochar a barra lateral
+outline.title=Amosar esquema do documento
+outline_label=Esquema do documento
+attachments.title=Amosar anexos
+attachments_label=Anexos
+thumbs.title=Amosar miniaturas
+thumbs_label=Miniaturas
+findbar.title=Atopar no documento
+findbar_label=Atopar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Páxina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura da páxina {{page}}
+
+# Find panel button title and messages
+find_label=Atopar:
+find_previous.title=Atopar a anterior aparición da frase
+find_previous_label=Anterior
+find_next.title=Atopar a seguinte aparición da frase
+find_next_label=Seguinte
+find_highlight=Realzar todo
+find_match_case_label=Diferenciar maiúsculas de minúsculas
+find_reached_top=Chegouse ao inicio do documento, continuar desde o final
+find_reached_bottom=Chegouse ao final do documento, continuar desde o inicio
+find_not_found=Non se atopou a frase
+
+# Error panel labels
+error_more_info=Máis información
+error_less_info=Menos información
+error_close=Pechar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (Identificador da compilación: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensaxe: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ficheiro: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Liña: {{line}}
+rendering_error=Produciuse un erro ao representar a páxina.
+
+# Predefined zoom values
+page_scale_width=Largura da páxina
+page_scale_fit=Axuste de páxina
+page_scale_auto=Zoom automático
+page_scale_actual=Tamaño actual
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Erro
+loading_error=Produciuse un erro ao cargar o PDF.
+invalid_file_error=Ficheiro PDF danado ou incorrecto.
+missing_file_error=Falta o ficheiro PDF.
+unexpected_response_error=Resposta inesperada do servidor.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotación {{type}}]
+password_label=Escriba o contrasinal para abrir este ficheiro PDF.
+password_invalid=Contrasinal incorrecto. Tente de novo.
+password_ok=Aceptar
+password_cancel=Cancelar
+
+printing_not_supported=Aviso: A impresión non é compatíbel de todo con este navegador.
+printing_not_ready=Aviso: O PDF non se cargou completamente para imprimirse.
+web_fonts_disabled=Desactiváronse as fontes web: foi imposíbel usar as fontes incrustadas no PDF.
+document_colors_disabled=Non se permite que os documentos PDF usen as súas propias cores: «Permitir que as páxinas escollan as súas propias cores» está desactivado no navegador.
diff --git a/static/pdf.js/locale/gn/viewer.ftl b/static/pdf.js/locale/gn/viewer.ftl
deleted file mode 100644
index 29ec18ae..00000000
--- a/static/pdf.js/locale/gn/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Kuatiarogue mboyvegua
-pdfjs-previous-button-label = Mboyvegua
-pdfjs-next-button =
- .title = Kuatiarogue upeigua
-pdfjs-next-button-label = Upeigua
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Kuatiarogue
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } gui
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Momichĩ
-pdfjs-zoom-out-button-label = Momichĩ
-pdfjs-zoom-in-button =
- .title = Mbotuicha
-pdfjs-zoom-in-button-label = Mbotuicha
-pdfjs-zoom-select =
- .title = Tuichakue
-pdfjs-presentation-mode-button =
- .title = Jehechauka reko moambue
-pdfjs-presentation-mode-button-label = Jehechauka reko
-pdfjs-open-file-button =
- .title = Marandurendápe jeike
-pdfjs-open-file-button-label = Jeike
-pdfjs-print-button =
- .title = Monguatia
-pdfjs-print-button-label = Monguatia
-pdfjs-save-button =
- .title = Ñongatu
-pdfjs-save-button-label = Ñongatu
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Mboguejy
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Mboguejy
-pdfjs-bookmark-button =
- .title = Kuatiarogue ag̃agua (Ehecha URL kuatiarogue ag̃agua)
-pdfjs-bookmark-button-label = Kuatiarogue Ag̃agua
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Embojuruja tembiporu’ípe
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Embojuruja tembiporu’ípe
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tembiporu
-pdfjs-tools-button-label = Tembiporu
-pdfjs-first-page-button =
- .title = Kuatiarogue ñepyrũme jeho
-pdfjs-first-page-button-label = Kuatiarogue ñepyrũme jeho
-pdfjs-last-page-button =
- .title = Kuatiarogue pahápe jeho
-pdfjs-last-page-button-label = Kuatiarogue pahápe jeho
-pdfjs-page-rotate-cw-button =
- .title = Aravóicha mbojere
-pdfjs-page-rotate-cw-button-label = Aravóicha mbojere
-pdfjs-page-rotate-ccw-button =
- .title = Aravo rapykue gotyo mbojere
-pdfjs-page-rotate-ccw-button-label = Aravo rapykue gotyo mbojere
-pdfjs-cursor-text-select-tool-button =
- .title = Emyandy moñe’ẽrã jeporavo rembiporu
-pdfjs-cursor-text-select-tool-button-label = Moñe’ẽrã jeporavo rembiporu
-pdfjs-cursor-hand-tool-button =
- .title = Tembiporu po pegua myandy
-pdfjs-cursor-hand-tool-button-label = Tembiporu po pegua
-pdfjs-scroll-page-button =
- .title = Eiporu kuatiarogue jeku’e
-pdfjs-scroll-page-button-label = Kuatiarogue jeku’e
-pdfjs-scroll-vertical-button =
- .title = Eiporu jeku’e ykeguáva
-pdfjs-scroll-vertical-button-label = Jeku’e ykeguáva
-pdfjs-scroll-horizontal-button =
- .title = Eiporu jeku’e yvate gotyo
-pdfjs-scroll-horizontal-button-label = Jeku’e yvate gotyo
-pdfjs-scroll-wrapped-button =
- .title = Eiporu jeku’e mbohyrupyre
-pdfjs-scroll-wrapped-button-label = Jeku’e mbohyrupyre
-pdfjs-spread-none-button =
- .title = Ani ejuaju spreads kuatiarogue ndive
-pdfjs-spread-none-button-label = Spreads ỹre
-pdfjs-spread-odd-button =
- .title = Embojuaju kuatiarogue jepysokue eñepyrũvo kuatiarogue impar-vagui
-pdfjs-spread-odd-button-label = Spreads impar
-pdfjs-spread-even-button =
- .title = Embojuaju kuatiarogue jepysokue eñepyrũvo kuatiarogue par-vagui
-pdfjs-spread-even-button-label = Ipukuve uvei
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Kuatia mba’etee…
-pdfjs-document-properties-button-label = Kuatia mba’etee…
-pdfjs-document-properties-file-name = Marandurenda réra:
-pdfjs-document-properties-file-size = Marandurenda tuichakue:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Teratee:
-pdfjs-document-properties-author = Apohára:
-pdfjs-document-properties-subject = Mba’egua:
-pdfjs-document-properties-keywords = Jehero:
-pdfjs-document-properties-creation-date = Teñoihague arange:
-pdfjs-document-properties-modification-date = Iñambue hague arange:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Apo’ypyha:
-pdfjs-document-properties-producer = PDF mbosako’iha:
-pdfjs-document-properties-version = PDF mbojuehegua:
-pdfjs-document-properties-page-count = Kuatiarogue papapy:
-pdfjs-document-properties-page-size = Kuatiarogue tuichakue:
-pdfjs-document-properties-page-size-unit-inches = Amo
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = Oĩháicha
-pdfjs-document-properties-page-size-orientation-landscape = apaisado
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Kuatiañe’ẽ
-pdfjs-document-properties-page-size-name-legal = Tee
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Ñanduti jahecha pya’e:
-pdfjs-document-properties-linearized-yes = Añete
-pdfjs-document-properties-linearized-no = Ahániri
-pdfjs-document-properties-close-button = Mboty
-
-## Print
-
-pdfjs-print-progress-message = Embosako’i kuatia emonguatia hag̃ua…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Heja
-pdfjs-printing-not-supported = Kyhyjerã: Ñembokuatia ndojokupytypái ko kundahára ndive.
-pdfjs-printing-not-ready = Kyhyjerã: Ko PDF nahenyhẽmbái oñembokuatia hag̃uáicha.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Tenda yke moambue
-pdfjs-toggle-sidebar-notification-button =
- .title = Embojopyru tenda ykegua (kuatia oguereko kuaakaha/moirũha/ñuãha)
-pdfjs-toggle-sidebar-button-label = Tenda yke moambue
-pdfjs-document-outline-button =
- .title = Ehechauka kuatia rape (eikutu mokõi jey embotuicha/emomichĩ hag̃ua opavavete mba’eporu)
-pdfjs-document-outline-button-label = Kuatia apopyre
-pdfjs-attachments-button =
- .title = Moirũha jehechauka
-pdfjs-attachments-button-label = Moirũha
-pdfjs-layers-button =
- .title = Ehechauka ñuãha (eikutu jo’a emomba’apo hag̃ua opaite ñuãha tekoypýpe)
-pdfjs-layers-button-label = Ñuãha
-pdfjs-thumbs-button =
- .title = Mba’emirĩ jehechauka
-pdfjs-thumbs-button-label = Mba’emirĩ
-pdfjs-current-outline-item-button =
- .title = Eheka mba’eporu ag̃aguaitéva
-pdfjs-current-outline-item-button-label = Mba’eporu ag̃aguaitéva
-pdfjs-findbar-button =
- .title = Kuatiápe jeheka
-pdfjs-findbar-button-label = Juhu
-pdfjs-additional-layers = Ñuãha moirũguáva
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Kuatiarogue { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Kuatiarogue mba’emirĩ { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Juhu
- .placeholder = Kuatiápe jejuhu…
-pdfjs-find-previous-button =
- .title = Ejuhu ñe’ẽrysýi osẽ’ypy hague
-pdfjs-find-previous-button-label = Mboyvegua
-pdfjs-find-next-button =
- .title = Eho ñe’ẽ juhupyre upeiguávape
-pdfjs-find-next-button-label = Upeigua
-pdfjs-find-highlight-checkbox = Embojekuaavepa
-pdfjs-find-match-case-checkbox-label = Ejesareko taiguasu/taimichĩre
-pdfjs-find-match-diacritics-checkbox-label = Diacrítico moñondive
-pdfjs-find-entire-word-checkbox-label = Ñe’ẽ oĩmbáva
-pdfjs-find-reached-top = Ojehupyty kuatia ñepyrũ, oku’ejeýta kuatia paha guive
-pdfjs-find-reached-bottom = Ojehupyty kuatia paha, oku’ejeýta kuatia ñepyrũ guive
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } ha { $total } ojueheguáva
- *[other] { $current } ha { $total } ojueheguáva
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Hetave { $limit } ojueheguáva
- *[other] Hetave { $limit } ojueheguáva
- }
-pdfjs-find-not-found = Ñe’ẽrysýi ojejuhu’ỹva
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Kuatiarogue pekue
-pdfjs-page-scale-fit = Kuatiarogue ñemoĩporã
-pdfjs-page-scale-auto = Tuichakue ijeheguíva
-pdfjs-page-scale-actual = Tuichakue ag̃agua
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Kuatiarogue { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Oiko jejavy PDF oñemyeñyhẽnguévo.
-pdfjs-invalid-file-error = PDF marandurenda ndoikóiva térã ivaipyréva.
-pdfjs-missing-file-error = Ndaipóri PDF marandurenda
-pdfjs-unexpected-response-error = Mohendahavusu mbohovái eha’ãrõ’ỹva.
-pdfjs-rendering-error = Oiko jejavy ehechaukasévo kuatiarogue.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Jehaipy { $type }]
-
-## Password
-
-pdfjs-password-label = Emoinge ñe’ẽñemi eipe’a hag̃ua ko marandurenda PDF.
-pdfjs-password-invalid = Ñe’ẽñemi ndoikóiva. Eha’ã jey.
-pdfjs-password-ok-button = MONEĨ
-pdfjs-password-cancel-button = Heja
-pdfjs-web-fonts-disabled = Ñanduti taity oñemongéma: ndaikatumo’ãi eiporu PDF jehai’íva taity.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Moñe’ẽrã
-pdfjs-editor-free-text-button-label = Moñe’ẽrã
-pdfjs-editor-ink-button =
- .title = Moha’ãnga
-pdfjs-editor-ink-button-label = Moha’ãnga
-pdfjs-editor-stamp-button =
- .title = Embojuaju térã embosako’i ta’ãnga
-pdfjs-editor-stamp-button-label = Embojuaju térã embosako’i ta’ãnga
-pdfjs-editor-highlight-button =
- .title = Mbosa’y
-pdfjs-editor-highlight-button-label = Mbosa’y
-pdfjs-highlight-floating-button =
- .title = Mbosa’y
-pdfjs-highlight-floating-button1 =
- .title = Mbosa’y
- .aria-label = Mbosa’y
-pdfjs-highlight-floating-button-label = Mbosa’y
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Emboguete ta’ãnga
-pdfjs-editor-remove-freetext-button =
- .title = Emboguete moñe’ẽrã
-pdfjs-editor-remove-stamp-button =
- .title = Emboguete ta’ãnga
-pdfjs-editor-remove-highlight-button =
- .title = Eipe’a jehechaveha
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Sa’y
-pdfjs-editor-free-text-size-input = Tuichakue
-pdfjs-editor-ink-color-input = Sa’y
-pdfjs-editor-ink-thickness-input = Anambusu
-pdfjs-editor-ink-opacity-input = Pytũngy
-pdfjs-editor-stamp-add-image-button =
- .title = Embojuaju ta’ãnga
-pdfjs-editor-stamp-add-image-button-label = Embojuaju ta’ãnga
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Anambusu
-pdfjs-editor-free-highlight-thickness-title =
- .title = Emoambue anambusukue embosa’ývo mba’eporu ha’e’ỹva moñe’ẽrã
-pdfjs-free-text =
- .aria-label = Moñe’ẽrã moheñoiha
-pdfjs-free-text-default-content = Ehai ñepyrũ…
-pdfjs-ink =
- .aria-label = Ta’ãnga moheñoiha
-pdfjs-ink-canvas =
- .aria-label = Ta’ãnga omoheñóiva poruhára
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Moñe’ẽrã mokõiháva
-pdfjs-editor-alt-text-edit-button-label = Embojuruja moñe’ẽrã mokõiháva
-pdfjs-editor-alt-text-dialog-label = Eiporavo poravorã
-pdfjs-editor-alt-text-dialog-description = Moñe’ẽrã ykepegua (moñe’ẽrã ykepegua) nepytyvõ nderehecháiramo ta’ãnga térã nahenyhẽiramo.
-pdfjs-editor-alt-text-add-description-label = Embojuaju ñemoha’ãnga
-pdfjs-editor-alt-text-add-description-description = Ehaimi 1 térã 2 ñe’ẽjuaju oñe’ẽva pe téma rehe, ijere térã mba’eapóre.
-pdfjs-editor-alt-text-mark-decorative-label = Emongurusu jeguakárõ
-pdfjs-editor-alt-text-mark-decorative-description = Ojeporu ta’ãnga jeguakarã, tembe’y térã ta’ãnga ruguarãramo.
-pdfjs-editor-alt-text-cancel-button = Heja
-pdfjs-editor-alt-text-save-button = Ñongatu
-pdfjs-editor-alt-text-decorative-tooltip = Jeguakárõ mongurusupyre
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Techapyrã: “Peteĩ mitãrusu oguapy mesápe okaru hag̃ua”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Yvate asu gotyo — emoambue tuichakue
-pdfjs-editor-resizer-label-top-middle = Yvate mbytépe — emoambue tuichakue
-pdfjs-editor-resizer-label-top-right = Yvate akatúape — emoambue tuichakue
-pdfjs-editor-resizer-label-middle-right = Mbyte akatúape — emoambue tuichakue
-pdfjs-editor-resizer-label-bottom-right = Yvy gotyo akatúape — emoambue tuichakue
-pdfjs-editor-resizer-label-bottom-middle = Yvy gotyo mbytépe — emoambue tuichakue
-pdfjs-editor-resizer-label-bottom-left = Iguýpe asu gotyo — emoambue tuichakue
-pdfjs-editor-resizer-label-middle-left = Mbyte asu gotyo — emoambue tuichakue
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Jehechaveha sa’y
-pdfjs-editor-colorpicker-button =
- .title = Emoambue sa’y
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Sa’y poravopyrã
-pdfjs-editor-colorpicker-yellow =
- .title = Sa’yju
-pdfjs-editor-colorpicker-green =
- .title = Hovyũ
-pdfjs-editor-colorpicker-blue =
- .title = Hovy
-pdfjs-editor-colorpicker-pink =
- .title = Pytãngy
-pdfjs-editor-colorpicker-red =
- .title = Pyha
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Techaukapa
-pdfjs-editor-highlight-show-all-button =
- .title = Techaukapa
diff --git a/static/pdf.js/locale/gu-IN/viewer.ftl b/static/pdf.js/locale/gu-IN/viewer.ftl
deleted file mode 100644
index 5d8bb549..00000000
--- a/static/pdf.js/locale/gu-IN/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = પહેલાનુ પાનું
-pdfjs-previous-button-label = પહેલાનુ
-pdfjs-next-button =
- .title = આગળનુ પાનું
-pdfjs-next-button-label = આગળનું
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = પાનું
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = નો { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } નો { $pagesCount })
-pdfjs-zoom-out-button =
- .title = મોટુ કરો
-pdfjs-zoom-out-button-label = મોટુ કરો
-pdfjs-zoom-in-button =
- .title = નાનું કરો
-pdfjs-zoom-in-button-label = નાનું કરો
-pdfjs-zoom-select =
- .title = નાનું મોટુ કરો
-pdfjs-presentation-mode-button =
- .title = રજૂઆત સ્થિતિમાં જાવ
-pdfjs-presentation-mode-button-label = રજૂઆત સ્થિતિ
-pdfjs-open-file-button =
- .title = ફાઇલ ખોલો
-pdfjs-open-file-button-label = ખોલો
-pdfjs-print-button =
- .title = છાપો
-pdfjs-print-button-label = છારો
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = સાધનો
-pdfjs-tools-button-label = સાધનો
-pdfjs-first-page-button =
- .title = પહેલાં પાનામાં જાવ
-pdfjs-first-page-button-label = પ્રથમ પાનાં પર જાવ
-pdfjs-last-page-button =
- .title = છેલ્લા પાનાં પર જાવ
-pdfjs-last-page-button-label = છેલ્લા પાનાં પર જાવ
-pdfjs-page-rotate-cw-button =
- .title = ઘડિયાળનાં કાંટા તરફ ફેરવો
-pdfjs-page-rotate-cw-button-label = ઘડિયાળનાં કાંટા તરફ ફેરવો
-pdfjs-page-rotate-ccw-button =
- .title = ઘડિયાળનાં કાંટાની ઉલટી દિશામાં ફેરવો
-pdfjs-page-rotate-ccw-button-label = ઘડિયાળનાં કાંટાની વિરુદ્દ ફેરવો
-pdfjs-cursor-text-select-tool-button =
- .title = ટેક્સ્ટ પસંદગી ટૂલ સક્ષમ કરો
-pdfjs-cursor-text-select-tool-button-label = ટેક્સ્ટ પસંદગી ટૂલ
-pdfjs-cursor-hand-tool-button =
- .title = હાથનાં સાધનને સક્રિય કરો
-pdfjs-cursor-hand-tool-button-label = હેન્ડ ટૂલ
-pdfjs-scroll-vertical-button =
- .title = ઊભી સ્ક્રોલિંગનો ઉપયોગ કરો
-pdfjs-scroll-vertical-button-label = ઊભી સ્ક્રોલિંગ
-pdfjs-scroll-horizontal-button =
- .title = આડી સ્ક્રોલિંગનો ઉપયોગ કરો
-pdfjs-scroll-horizontal-button-label = આડી સ્ક્રોલિંગ
-pdfjs-scroll-wrapped-button =
- .title = આવરિત સ્ક્રોલિંગનો ઉપયોગ કરો
-pdfjs-scroll-wrapped-button-label = આવરિત સ્ક્રોલિંગ
-pdfjs-spread-none-button =
- .title = પૃષ્ઠ સ્પ્રેડમાં જોડાવશો નહીં
-pdfjs-spread-none-button-label = કોઈ સ્પ્રેડ નથી
-pdfjs-spread-odd-button =
- .title = એકી-ક્રમાંકિત પૃષ્ઠો સાથે પ્રારંભ થતાં પૃષ્ઠ સ્પ્રેડમાં જોડાઓ
-pdfjs-spread-odd-button-label = એકી સ્પ્રેડ્સ
-pdfjs-spread-even-button =
- .title = નંબર-ક્રમાંકિત પૃષ્ઠોથી શરૂ થતાં પૃષ્ઠ સ્પ્રેડમાં જોડાઓ
-pdfjs-spread-even-button-label = સરખું ફેલાવવું
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = દસ્તાવેજ ગુણધર્મો…
-pdfjs-document-properties-button-label = દસ્તાવેજ ગુણધર્મો…
-pdfjs-document-properties-file-name = ફાઇલ નામ:
-pdfjs-document-properties-file-size = ફાઇલ માપ:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } બાઇટ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } બાઇટ)
-pdfjs-document-properties-title = શીર્ષક:
-pdfjs-document-properties-author = લેખક:
-pdfjs-document-properties-subject = વિષય:
-pdfjs-document-properties-keywords = કિવર્ડ:
-pdfjs-document-properties-creation-date = નિર્માણ તારીખ:
-pdfjs-document-properties-modification-date = ફેરફાર તારીખ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = નિર્માતા:
-pdfjs-document-properties-producer = PDF નિર્માતા:
-pdfjs-document-properties-version = PDF આવૃત્તિ:
-pdfjs-document-properties-page-count = પાનાં ગણતરી:
-pdfjs-document-properties-page-size = પૃષ્ઠનું કદ:
-pdfjs-document-properties-page-size-unit-inches = ઇંચ
-pdfjs-document-properties-page-size-unit-millimeters = મીમી
-pdfjs-document-properties-page-size-orientation-portrait = ઉભું
-pdfjs-document-properties-page-size-orientation-landscape = આડુ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = પત્ર
-pdfjs-document-properties-page-size-name-legal = કાયદાકીય
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = ઝડપી વૅબ દૃશ્ય:
-pdfjs-document-properties-linearized-yes = હા
-pdfjs-document-properties-linearized-no = ના
-pdfjs-document-properties-close-button = બંધ કરો
-
-## Print
-
-pdfjs-print-progress-message = છાપકામ માટે દસ્તાવેજ તૈયાર કરી રહ્યા છે…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = રદ કરો
-pdfjs-printing-not-supported = ચેતવણી: છાપવાનું આ બ્રાઉઝર દ્દારા સંપૂર્ણપણે આધારભૂત નથી.
-pdfjs-printing-not-ready = Warning: PDF એ છાપવા માટે સંપૂર્ણપણે લાવેલ છે.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ટૉગલ બાજુપટ્ટી
-pdfjs-toggle-sidebar-button-label = ટૉગલ બાજુપટ્ટી
-pdfjs-document-outline-button =
- .title = દસ્તાવેજની રૂપરેખા બતાવો(બધી આઇટમ્સને વિસ્તૃત/સંકુચિત કરવા માટે ડબલ-ક્લિક કરો)
-pdfjs-document-outline-button-label = દસ્તાવેજ રૂપરેખા
-pdfjs-attachments-button =
- .title = જોડાણોને બતાવો
-pdfjs-attachments-button-label = જોડાણો
-pdfjs-thumbs-button =
- .title = થંબનેલ્સ બતાવો
-pdfjs-thumbs-button-label = થંબનેલ્સ
-pdfjs-findbar-button =
- .title = દસ્તાવેજમાં શોધો
-pdfjs-findbar-button-label = શોધો
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = પાનું { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = પાનાં { $page } નું થંબનેલ્સ
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = શોધો
- .placeholder = દસ્તાવેજમાં શોધો…
-pdfjs-find-previous-button =
- .title = શબ્દસમૂહની પાછલી ઘટનાને શોધો
-pdfjs-find-previous-button-label = પહેલાંનુ
-pdfjs-find-next-button =
- .title = શબ્દસમૂહની આગળની ઘટનાને શોધો
-pdfjs-find-next-button-label = આગળનું
-pdfjs-find-highlight-checkbox = બધુ પ્રકાશિત કરો
-pdfjs-find-match-case-checkbox-label = કેસ બંધબેસાડો
-pdfjs-find-entire-word-checkbox-label = સંપૂર્ણ શબ્દો
-pdfjs-find-reached-top = દસ્તાવેજનાં ટોચે પહોંચી ગયા, તળિયેથી ચાલુ કરેલ હતુ
-pdfjs-find-reached-bottom = દસ્તાવેજનાં અંતે પહોંચી ગયા, ઉપરથી ચાલુ કરેલ હતુ
-pdfjs-find-not-found = શબ્દસમૂહ મળ્યુ નથી
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = પાનાની પહોળાઇ
-pdfjs-page-scale-fit = પાનું બંધબેસતુ
-pdfjs-page-scale-auto = આપમેળે નાનુંમોટુ કરો
-pdfjs-page-scale-actual = ચોક્કસ માપ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = ભૂલ ઉદ્ભવી જ્યારે PDF ને લાવી રહ્યા હોય.
-pdfjs-invalid-file-error = અયોગ્ય અથવા ભાંગેલ PDF ફાઇલ.
-pdfjs-missing-file-error = ગુમ થયેલ PDF ફાઇલ.
-pdfjs-unexpected-response-error = અનપેક્ષિત સર્વર પ્રતિસાદ.
-pdfjs-rendering-error = ભૂલ ઉદ્ભવી જ્યારે પાનાંનુ રેન્ડ કરી રહ્યા હોય.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = આ PDF ફાઇલને ખોલવા પાસવર્ડને દાખલ કરો.
-pdfjs-password-invalid = અયોગ્ય પાસવર્ડ. મહેરબાની કરીને ફરી પ્રયત્ન કરો.
-pdfjs-password-ok-button = બરાબર
-pdfjs-password-cancel-button = રદ કરો
-pdfjs-web-fonts-disabled = વેબ ફોન્ટ નિષ્ક્રિય થયેલ છે: ઍમ્બેડ થયેલ PDF ફોન્ટને વાપરવાનું અસમર્થ.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/gu-IN/viewer.properties b/static/pdf.js/locale/gu-IN/viewer.properties
new file mode 100644
index 00000000..df6bb15b
--- /dev/null
+++ b/static/pdf.js/locale/gu-IN/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=પહેલાનુ પાનું
+previous_label=પહેલાનુ
+next.title=આગળનુ પાનું
+next_label=આગળનું
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=પાનું:
+page_of={{pageCount}} નું
+
+zoom_out.title=મોટુ કરો
+zoom_out_label=મોટુ કરો
+zoom_in.title=નાનું કરો
+zoom_in_label=નાનું કરો
+zoom.title=નાનું મોટુ કરો
+presentation_mode.title=રજૂઆત સ્થિતિમાં જાવ
+presentation_mode_label=રજૂઆત સ્થિતિ
+open_file.title=ફાઇલ ખોલો
+open_file_label=ખોલો
+print.title=છાપો
+print_label=છારો
+download.title=ડાઉનલોડ
+download_label=ડાઉનલોડ
+bookmark.title=વર્તમાન દૃશ્ય (નવી વિન્ડોમાં નકલ કરો અથવા ખોલો)
+bookmark_label=વર્તમાન દૃશ્ય
+
+# Secondary toolbar and context menu
+tools.title=સાધનો
+tools_label=સાધનો
+first_page.label=પહેલાં પાનામાં જાવ
+first_page_label=પ્રથમ પાનાં પર જાવ
+last_page.label=છેલ્લા પાનામાં જાવ
+last_page_label=છેલ્લા પાનાં પર જાવ
+page_rotate_cw.label=ઘડિયાળનાં કાંટાની જેમ ફેરવો
+page_rotate_cw_label=ઘડિયાળનાં કાંટા તરફ ફેરવો
+page_rotate_ccw.label=ઘડિયાળનાં કાંટાની ઉલટી દિશામાં ફેરવો
+page_rotate_ccw_label=ઘડિયાળનાં કાંટાની વિરુદ્દ ફેરવો
+
+hand_tool_enable.title=હાથનાં સાધનને સક્રિય કરો
+hand_tool_enable_label=હાથનાં સાધનને સક્રિય કરો
+hand_tool_disable.title=હાથનાં સાધનને નિષ્ક્રિય કરો
+hand_tool_disable_label=હાથનાં સાધનને નિષ્ક્રિય કરો
+
+# Document properties dialog box
+document_properties.title=દસ્તાવેજ ગુણધર્મો…
+document_properties_label=દસ્તાવેજ ગુણધર્મો…
+document_properties_file_name=ફાઇલ નામ:
+document_properties_file_size=ફાઇલ માપ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} બાઇટ)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} બાઇટ)
+document_properties_title=શીર્ષક:
+document_properties_author=લેખક:
+document_properties_subject=વિષય:
+document_properties_keywords=કિવર્ડ:
+document_properties_creation_date=નિર્માણ તારીખ:
+document_properties_modification_date=ફેરફાર તારીખ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=નિર્માતા:
+document_properties_producer=PDF નિર્માતા:
+document_properties_version=PDF આવૃત્તિ:
+document_properties_page_count=પાનાં ગણતરી:
+document_properties_close=બંધ કરો
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=ટૉગલ બાજુપટ્ટી
+toggle_sidebar_label=ટૉગલ બાજુપટ્ટી
+outline.title=દસ્તાવેજ રૂપરેખા બતાવો
+outline_label=દસ્તાવેજ રૂપરેખા
+attachments.title=જોડાણોને બતાવો
+attachments_label=જોડાણો
+thumbs.title=થંબનેલ્સ બતાવો
+thumbs_label=થંબનેલ્સ
+findbar.title=દસ્તાવેજમાં શોધો
+findbar_label=શોધો
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=પાનું {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=પાનાં {{page}} નું થંબનેલ્સ
+
+# Find panel button title and messages
+find_label=શોધો:
+find_previous.title=શબ્દસમૂહની પાછલી ઘટનાને શોધો
+find_previous_label=પહેલાંનુ
+find_next.title=શબ્દસમૂહની આગળની ઘટનાને શોધો
+find_next_label=આગળનું
+find_highlight=બધુ પ્રકાશિત કરો
+find_match_case_label=કેસ બંધબેસાડો
+find_reached_top=દસ્તાવેજનાં ટોચે પહોંચી ગયા, તળિયેથી ચાલુ કરેલ હતુ
+find_reached_bottom=દસ્તાવેજનાં અંતે પહોંચી ગયા, ઉપરથી ચાલુ કરેલ હતુ
+find_not_found=શબ્દસમૂહ મળ્યુ નથી
+
+# Error panel labels
+error_more_info=વધારે જાણકારી
+error_less_info=ઓછી જાણકારી
+error_close=બંધ કરો
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=સંદેશો: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=સ્ટેક: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ફાઇલ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=વાક્ય: {{line}}
+rendering_error=ભૂલ ઉદ્ભવી જ્યારે પાનાંનુ રેન્ડ કરી રહ્યા હોય.
+
+# Predefined zoom values
+page_scale_width=પાનાની પહોળાઇ
+page_scale_fit=પાનું બંધબેસતુ
+page_scale_auto=આપમેળે નાનુંમોટુ કરો
+page_scale_actual=ચોક્કસ માપ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=ભૂલ
+loading_error=ભૂલ ઉદ્ભવી જ્યારે PDF ને લાવી રહ્યા હોય.
+invalid_file_error=અયોગ્ય અથવા ભાંગેલ PDF ફાઇલ.
+missing_file_error=ગુમ થયેલ PDF ફાઇલ.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=આ PDF ફાઇલને ખોલવા પાસવર્ડને દાખલ કરો.
+password_invalid=અયોગ્ય પાસવર્ડ. મહેરબાની કરીને ફરી પ્રયત્ન કરો.
+password_ok=બરાબર
+password_cancel=રદ કરો
+
+printing_not_supported=ચેતવણી: છાપવાનું આ બ્રાઉઝર દ્દારા સંપૂર્ણપણે આધારભૂત નથી.
+printing_not_ready=Warning: PDF એ છાપવા માટે સંપૂર્ણપણે લાવેલ છે.
+web_fonts_disabled=વેબ ફોન્ટ નિષ્ક્રિય થયેલ છે: ઍમ્બેડ થયેલ PDF ફોન્ટને વાપરવાનું અસમર્થ.
+document_colors_not_allowed=PDF દસ્તાવેજો તેનાં પોતાના રંગોને વાપરવા પરવાનગી આપતા નથી: 'તેનાં પોતાનાં રંગોને પસંદ કરવા માટે પાનાંને પરવાનગી આપો' બ્રાઉઝરમાં નિષ્ક્રિય થયેલ છે.
diff --git a/static/pdf.js/locale/he/viewer.ftl b/static/pdf.js/locale/he/viewer.ftl
deleted file mode 100644
index 624d2083..00000000
--- a/static/pdf.js/locale/he/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = דף קודם
-pdfjs-previous-button-label = קודם
-pdfjs-next-button =
- .title = דף הבא
-pdfjs-next-button-label = הבא
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = דף
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = מתוך { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } מתוך { $pagesCount })
-pdfjs-zoom-out-button =
- .title = התרחקות
-pdfjs-zoom-out-button-label = התרחקות
-pdfjs-zoom-in-button =
- .title = התקרבות
-pdfjs-zoom-in-button-label = התקרבות
-pdfjs-zoom-select =
- .title = מרחק מתצוגה
-pdfjs-presentation-mode-button =
- .title = מעבר למצב מצגת
-pdfjs-presentation-mode-button-label = מצב מצגת
-pdfjs-open-file-button =
- .title = פתיחת קובץ
-pdfjs-open-file-button-label = פתיחה
-pdfjs-print-button =
- .title = הדפסה
-pdfjs-print-button-label = הדפסה
-pdfjs-save-button =
- .title = שמירה
-pdfjs-save-button-label = שמירה
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = הורדה
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = הורדה
-pdfjs-bookmark-button =
- .title = עמוד נוכחי (הצגת כתובת האתר מהעמוד הנוכחי)
-pdfjs-bookmark-button-label = עמוד נוכחי
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = פתיחה ביישום
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = פתיחה ביישום
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = כלים
-pdfjs-tools-button-label = כלים
-pdfjs-first-page-button =
- .title = מעבר לעמוד הראשון
-pdfjs-first-page-button-label = מעבר לעמוד הראשון
-pdfjs-last-page-button =
- .title = מעבר לעמוד האחרון
-pdfjs-last-page-button-label = מעבר לעמוד האחרון
-pdfjs-page-rotate-cw-button =
- .title = הטיה עם כיוון השעון
-pdfjs-page-rotate-cw-button-label = הטיה עם כיוון השעון
-pdfjs-page-rotate-ccw-button =
- .title = הטיה כנגד כיוון השעון
-pdfjs-page-rotate-ccw-button-label = הטיה כנגד כיוון השעון
-pdfjs-cursor-text-select-tool-button =
- .title = הפעלת כלי בחירת טקסט
-pdfjs-cursor-text-select-tool-button-label = כלי בחירת טקסט
-pdfjs-cursor-hand-tool-button =
- .title = הפעלת כלי היד
-pdfjs-cursor-hand-tool-button-label = כלי יד
-pdfjs-scroll-page-button =
- .title = שימוש בגלילת עמוד
-pdfjs-scroll-page-button-label = גלילת עמוד
-pdfjs-scroll-vertical-button =
- .title = שימוש בגלילה אנכית
-pdfjs-scroll-vertical-button-label = גלילה אנכית
-pdfjs-scroll-horizontal-button =
- .title = שימוש בגלילה אופקית
-pdfjs-scroll-horizontal-button-label = גלילה אופקית
-pdfjs-scroll-wrapped-button =
- .title = שימוש בגלילה רציפה
-pdfjs-scroll-wrapped-button-label = גלילה רציפה
-pdfjs-spread-none-button =
- .title = לא לצרף מפתחי עמודים
-pdfjs-spread-none-button-label = ללא מפתחים
-pdfjs-spread-odd-button =
- .title = צירוף מפתחי עמודים שמתחילים בדפים עם מספרים אי־זוגיים
-pdfjs-spread-odd-button-label = מפתחים אי־זוגיים
-pdfjs-spread-even-button =
- .title = צירוף מפתחי עמודים שמתחילים בדפים עם מספרים זוגיים
-pdfjs-spread-even-button-label = מפתחים זוגיים
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = מאפייני מסמך…
-pdfjs-document-properties-button-label = מאפייני מסמך…
-pdfjs-document-properties-file-name = שם קובץ:
-pdfjs-document-properties-file-size = גודל הקובץ:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } ק״ב ({ $size_b } בתים)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } מ״ב ({ $size_b } בתים)
-pdfjs-document-properties-title = כותרת:
-pdfjs-document-properties-author = מחבר:
-pdfjs-document-properties-subject = נושא:
-pdfjs-document-properties-keywords = מילות מפתח:
-pdfjs-document-properties-creation-date = תאריך יצירה:
-pdfjs-document-properties-modification-date = תאריך שינוי:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = יוצר:
-pdfjs-document-properties-producer = יצרן PDF:
-pdfjs-document-properties-version = גרסת PDF:
-pdfjs-document-properties-page-count = מספר דפים:
-pdfjs-document-properties-page-size = גודל העמוד:
-pdfjs-document-properties-page-size-unit-inches = אינ׳
-pdfjs-document-properties-page-size-unit-millimeters = מ״מ
-pdfjs-document-properties-page-size-orientation-portrait = לאורך
-pdfjs-document-properties-page-size-orientation-landscape = לרוחב
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = מכתב
-pdfjs-document-properties-page-size-name-legal = דף משפטי
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = תצוגת דף מהירה:
-pdfjs-document-properties-linearized-yes = כן
-pdfjs-document-properties-linearized-no = לא
-pdfjs-document-properties-close-button = סגירה
-
-## Print
-
-pdfjs-print-progress-message = מסמך בהכנה להדפסה…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ביטול
-pdfjs-printing-not-supported = אזהרה: הדפסה אינה נתמכת במלואה בדפדפן זה.
-pdfjs-printing-not-ready = אזהרה: מסמך ה־PDF לא נטען לחלוטין עד מצב שמאפשר הדפסה.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = הצגה/הסתרה של סרגל הצד
-pdfjs-toggle-sidebar-notification-button =
- .title = החלפת תצוגת סרגל צד (מסמך שמכיל תוכן עניינים/קבצים מצורפים/שכבות)
-pdfjs-toggle-sidebar-button-label = הצגה/הסתרה של סרגל הצד
-pdfjs-document-outline-button =
- .title = הצגת תוכן העניינים של המסמך (לחיצה כפולה כדי להרחיב או לצמצם את כל הפריטים)
-pdfjs-document-outline-button-label = תוכן העניינים של המסמך
-pdfjs-attachments-button =
- .title = הצגת צרופות
-pdfjs-attachments-button-label = צרופות
-pdfjs-layers-button =
- .title = הצגת שכבות (יש ללחוץ לחיצה כפולה כדי לאפס את כל השכבות למצב ברירת המחדל)
-pdfjs-layers-button-label = שכבות
-pdfjs-thumbs-button =
- .title = הצגת תצוגה מקדימה
-pdfjs-thumbs-button-label = תצוגה מקדימה
-pdfjs-current-outline-item-button =
- .title = מציאת פריט תוכן העניינים הנוכחי
-pdfjs-current-outline-item-button-label = פריט תוכן העניינים הנוכחי
-pdfjs-findbar-button =
- .title = חיפוש במסמך
-pdfjs-findbar-button-label = חיפוש
-pdfjs-additional-layers = שכבות נוספות
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = עמוד { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = תצוגה מקדימה של עמוד { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = חיפוש
- .placeholder = חיפוש במסמך…
-pdfjs-find-previous-button =
- .title = מציאת המופע הקודם של הביטוי
-pdfjs-find-previous-button-label = קודם
-pdfjs-find-next-button =
- .title = מציאת המופע הבא של הביטוי
-pdfjs-find-next-button-label = הבא
-pdfjs-find-highlight-checkbox = הדגשת הכול
-pdfjs-find-match-case-checkbox-label = התאמת אותיות
-pdfjs-find-match-diacritics-checkbox-label = התאמה דיאקריטית
-pdfjs-find-entire-word-checkbox-label = מילים שלמות
-pdfjs-find-reached-top = הגיע לראש הדף, ממשיך מלמטה
-pdfjs-find-reached-bottom = הגיע לסוף הדף, ממשיך מלמעלה
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } מתוך { $total } תוצאות
- *[other] { $current } מתוך { $total } תוצאות
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] יותר מתוצאה אחת
- *[other] יותר מ־{ $limit } תוצאות
- }
-pdfjs-find-not-found = הביטוי לא נמצא
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = רוחב העמוד
-pdfjs-page-scale-fit = התאמה לעמוד
-pdfjs-page-scale-auto = מרחק מתצוגה אוטומטי
-pdfjs-page-scale-actual = גודל אמיתי
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = עמוד { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = אירעה שגיאה בעת טעינת ה־PDF.
-pdfjs-invalid-file-error = קובץ PDF פגום או לא תקין.
-pdfjs-missing-file-error = קובץ PDF חסר.
-pdfjs-unexpected-response-error = תגובת שרת לא צפויה.
-pdfjs-rendering-error = אירעה שגיאה בעת עיבוד הדף.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [הערת { $type }]
-
-## Password
-
-pdfjs-password-label = נא להכניס את הססמה לפתיחת קובץ PDF זה.
-pdfjs-password-invalid = ססמה שגויה. נא לנסות שנית.
-pdfjs-password-ok-button = אישור
-pdfjs-password-cancel-button = ביטול
-pdfjs-web-fonts-disabled = גופני רשת מנוטרלים: לא ניתן להשתמש בגופני PDF מוטבעים.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = טקסט
-pdfjs-editor-free-text-button-label = טקסט
-pdfjs-editor-ink-button =
- .title = ציור
-pdfjs-editor-ink-button-label = ציור
-pdfjs-editor-stamp-button =
- .title = הוספה או עריכת תמונות
-pdfjs-editor-stamp-button-label = הוספה או עריכת תמונות
-pdfjs-editor-highlight-button =
- .title = סימון
-pdfjs-editor-highlight-button-label = סימון
-pdfjs-highlight-floating-button =
- .title = סימון
-pdfjs-highlight-floating-button1 =
- .title = סימון
- .aria-label = סימון
-pdfjs-highlight-floating-button-label = סימון
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = הסרת ציור
-pdfjs-editor-remove-freetext-button =
- .title = הסרת טקסט
-pdfjs-editor-remove-stamp-button =
- .title = הסרת תמונה
-pdfjs-editor-remove-highlight-button =
- .title = הסרת הדגשה
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = צבע
-pdfjs-editor-free-text-size-input = גודל
-pdfjs-editor-ink-color-input = צבע
-pdfjs-editor-ink-thickness-input = עובי
-pdfjs-editor-ink-opacity-input = אטימות
-pdfjs-editor-stamp-add-image-button =
- .title = הוספת תמונה
-pdfjs-editor-stamp-add-image-button-label = הוספת תמונה
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = עובי
-pdfjs-editor-free-highlight-thickness-title =
- .title = שינוי עובי בעת הדגשת פריטים שאינם טקסט
-pdfjs-free-text =
- .aria-label = עורך טקסט
-pdfjs-free-text-default-content = להתחיל להקליד…
-pdfjs-ink =
- .aria-label = עורך ציור
-pdfjs-ink-canvas =
- .aria-label = תמונה שנוצרה על־ידי משתמש
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = טקסט חלופי
-pdfjs-editor-alt-text-edit-button-label = עריכת טקסט חלופי
-pdfjs-editor-alt-text-dialog-label = בחירת אפשרות
-pdfjs-editor-alt-text-dialog-description = טקסט חלופי עוזר כשאנשים לא יכולים לראות את התמונה או כשהיא לא נטענת.
-pdfjs-editor-alt-text-add-description-label = הוספת תיאור
-pdfjs-editor-alt-text-add-description-description = כדאי לתאר במשפט אחד או שניים את הנושא, התפאורה או הפעולות.
-pdfjs-editor-alt-text-mark-decorative-label = סימון כדקורטיבי
-pdfjs-editor-alt-text-mark-decorative-description = זה משמש לתמונות נוי, כמו גבולות או סימני מים.
-pdfjs-editor-alt-text-cancel-button = ביטול
-pdfjs-editor-alt-text-save-button = שמירה
-pdfjs-editor-alt-text-decorative-tooltip = מסומן כדקורטיבי
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = לדוגמה, ״גבר צעיר מתיישב ליד שולחן לאכול ארוחה״
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = פינה שמאלית עליונה - שינוי גודל
-pdfjs-editor-resizer-label-top-middle = למעלה באמצע - שינוי גודל
-pdfjs-editor-resizer-label-top-right = פינה ימנית עליונה - שינוי גודל
-pdfjs-editor-resizer-label-middle-right = ימינה באמצע - שינוי גודל
-pdfjs-editor-resizer-label-bottom-right = פינה ימנית תחתונה - שינוי גודל
-pdfjs-editor-resizer-label-bottom-middle = למטה באמצע - שינוי גודל
-pdfjs-editor-resizer-label-bottom-left = פינה שמאלית תחתונה - שינוי גודל
-pdfjs-editor-resizer-label-middle-left = שמאלה באמצע - שינוי גודל
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = צבע הדגשה
-pdfjs-editor-colorpicker-button =
- .title = שינוי צבע
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = בחירת צבע
-pdfjs-editor-colorpicker-yellow =
- .title = צהוב
-pdfjs-editor-colorpicker-green =
- .title = ירוק
-pdfjs-editor-colorpicker-blue =
- .title = כחול
-pdfjs-editor-colorpicker-pink =
- .title = ורוד
-pdfjs-editor-colorpicker-red =
- .title = אדום
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = הצגת הכול
-pdfjs-editor-highlight-show-all-button =
- .title = הצגת הכול
diff --git a/static/pdf.js/locale/he/viewer.properties b/static/pdf.js/locale/he/viewer.properties
new file mode 100644
index 00000000..10f1177e
--- /dev/null
+++ b/static/pdf.js/locale/he/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=דף קודם
+previous_label=קודם
+next.title=דף הבא
+next_label=הבא
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=עמוד:
+page_of=מתוך {{pageCount}}
+
+zoom_out.title=התרחקות
+zoom_out_label=התרחקות
+zoom_in.title=התקרבות
+zoom_in_label=התקרבות
+zoom.title=מרחק מתצוגה
+presentation_mode.title=מעבר למצב מצגת
+presentation_mode_label=מצב מצגת
+open_file.title=פתיחת קובץ
+open_file_label=פתיחה
+print.title=הדפסה
+print_label=הדפסה
+download.title=הורדה
+download_label=הורדה
+bookmark.title=תצוגה נוכחית (העתקה או פתיחה בחלון חדש)
+bookmark_label=תצוגה נוכחית
+
+# Secondary toolbar and context menu
+tools.title=כלים
+tools_label=כלים
+first_page.title=מעבר לעמוד הראשון
+first_page.label=מעבר לעמוד הראשון
+first_page_label=מעבר לעמוד הראשון
+last_page.title=מעבר לעמוד האחרון
+last_page.label=מעבר לעמוד האחרון
+last_page_label=מעבר לעמוד האחרון
+page_rotate_cw.title=הטיה עם כיוון השעון
+page_rotate_cw.label=הטיה עם כיוון השעון
+page_rotate_cw_label=הטיה עם כיוון השעון
+page_rotate_ccw.title=הטיה כנגד כיוון השעון
+page_rotate_ccw.label=הטיה כנגד כיוון השעון
+page_rotate_ccw_label=הטיה כנגד כיוון השעון
+
+hand_tool_enable.title=הפעלת כלי היד
+hand_tool_enable_label=הפעלת כלי היד
+hand_tool_disable.title=נטרול כלי היד
+hand_tool_disable_label=נטרול כלי היד
+
+# Document properties dialog box
+document_properties.title=מאפייני מסמך…
+document_properties_label=מאפייני מסמך…
+document_properties_file_name=שם קובץ:
+document_properties_file_size=גודל הקובץ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} ק״ב ({{size_b}} בתים)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} מ״ב ({{size_b}} בתים)
+document_properties_title=כותרת:
+document_properties_author=מחבר:
+document_properties_subject=נושא:
+document_properties_keywords=מילות מפתח:
+document_properties_creation_date=תאריך יצירה:
+document_properties_modification_date=תאריך שינוי:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=יוצר:
+document_properties_producer=יצרן PDF:
+document_properties_version=גרסת PDF:
+document_properties_page_count=מספר דפים:
+document_properties_close=סגירה
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=הצגה/הסתרה של סרגל הצד
+toggle_sidebar_label=הצגה/הסתרה של סרגל הצד
+outline.title=הצגת מתאר מסמך
+outline_label=מתאר מסמך
+attachments.title=הצגת צרופות
+attachments_label=צרופות
+thumbs.title=הצגת תצוגה מקדימה
+thumbs_label=תצוגה מקדימה
+findbar.title=חיפוש במסמך
+findbar_label=חיפוש
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=עמוד {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=תצוגה מקדימה של עמוד {{page}}
+
+# Find panel button title and messages
+find_label=חיפוש:
+find_previous.title=חיפוש מופע קודם של הביטוי
+find_previous_label=קודם
+find_next.title=חיפוש המופע הבא של הביטוי
+find_next_label=הבא
+find_highlight=הדגשת הכול
+find_match_case_label=התאמת אותיות
+find_reached_top=הגיע לראש הדף, ממשיך מלמטה
+find_reached_bottom=הגיע לסוף הדף, ממשיך מלמעלה
+find_not_found=ביטוי לא נמצא
+
+# Error panel labels
+error_more_info=מידע נוסף
+error_less_info=פחות מידע
+error_close=סגירה
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js גרסה {{version}} (בנייה: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=הודעה: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=תוכן מחסנית: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=קובץ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=שורה: {{line}}
+rendering_error=אירעה שגיאה בעת עיבוד הדף.
+
+# Predefined zoom values
+page_scale_width=רוחב העמוד
+page_scale_fit=התאמה לעמוד
+page_scale_auto=מרחק מתצוגה אוטומטי
+page_scale_actual=גודל אמתי
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=שגיאה
+loading_error=אירעה שגיאה בעת טעינת ה־PDF.
+invalid_file_error=קובץ PDF פגום או לא תקין.
+missing_file_error=קובץ PDF חסר.
+unexpected_response_error=תגובת שרת לא צפויה.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[הערת {{type}}]
+password_label=נא להכניס את הססמה לפתיחת קובץ PDF זה.
+password_invalid=ססמה שגויה. נא לנסות שנית.
+password_ok=אישור
+password_cancel=ביטול
+
+printing_not_supported=אזהרה: הדפסה אינה נתמכת במלואה בדפדפן זה.
+printing_not_ready=אזהרה: ה־PDF לא ניתן לחלוטין עד מצב שמאפשר הדפסה.
+web_fonts_disabled=גופני רשת מנוטרלים: לא ניתן להשתמש בגופני PDF מוטבעים.
+document_colors_disabled=מסמכי PDF לא יכולים להשתמש בצבעים משלהם: האפשרות \\'לאפשר לעמודים לבחור צבעים משלהם\\' אינה פעילה בדפדפן.
diff --git a/static/pdf.js/locale/hi-IN/viewer.ftl b/static/pdf.js/locale/hi-IN/viewer.ftl
deleted file mode 100644
index 1ead5930..00000000
--- a/static/pdf.js/locale/hi-IN/viewer.ftl
+++ /dev/null
@@ -1,253 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = पिछला पृष्ठ
-pdfjs-previous-button-label = पिछला
-pdfjs-next-button =
- .title = अगला पृष्ठ
-pdfjs-next-button-label = आगे
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = पृष्ठ:
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } का
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = छोटा करें
-pdfjs-zoom-out-button-label = छोटा करें
-pdfjs-zoom-in-button =
- .title = बड़ा करें
-pdfjs-zoom-in-button-label = बड़ा करें
-pdfjs-zoom-select =
- .title = बड़ा-छोटा करें
-pdfjs-presentation-mode-button =
- .title = प्रस्तुति अवस्था में जाएँ
-pdfjs-presentation-mode-button-label = प्रस्तुति अवस्था
-pdfjs-open-file-button =
- .title = फ़ाइल खोलें
-pdfjs-open-file-button-label = खोलें
-pdfjs-print-button =
- .title = छापें
-pdfjs-print-button-label = छापें
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = ऐप में खोलें
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = ऐप में खोलें
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = औज़ार
-pdfjs-tools-button-label = औज़ार
-pdfjs-first-page-button =
- .title = प्रथम पृष्ठ पर जाएँ
-pdfjs-first-page-button-label = प्रथम पृष्ठ पर जाएँ
-pdfjs-last-page-button =
- .title = अंतिम पृष्ठ पर जाएँ
-pdfjs-last-page-button-label = अंतिम पृष्ठ पर जाएँ
-pdfjs-page-rotate-cw-button =
- .title = घड़ी की दिशा में घुमाएँ
-pdfjs-page-rotate-cw-button-label = घड़ी की दिशा में घुमाएँ
-pdfjs-page-rotate-ccw-button =
- .title = घड़ी की दिशा से उल्टा घुमाएँ
-pdfjs-page-rotate-ccw-button-label = घड़ी की दिशा से उल्टा घुमाएँ
-pdfjs-cursor-text-select-tool-button =
- .title = पाठ चयन उपकरण सक्षम करें
-pdfjs-cursor-text-select-tool-button-label = पाठ चयन उपकरण
-pdfjs-cursor-hand-tool-button =
- .title = हस्त उपकरण सक्षम करें
-pdfjs-cursor-hand-tool-button-label = हस्त उपकरण
-pdfjs-scroll-vertical-button =
- .title = लंबवत स्क्रॉलिंग का उपयोग करें
-pdfjs-scroll-vertical-button-label = लंबवत स्क्रॉलिंग
-pdfjs-scroll-horizontal-button =
- .title = क्षितिजिय स्क्रॉलिंग का उपयोग करें
-pdfjs-scroll-horizontal-button-label = क्षितिजिय स्क्रॉलिंग
-pdfjs-scroll-wrapped-button =
- .title = व्राप्पेड स्क्रॉलिंग का उपयोग करें
-pdfjs-spread-none-button-label = कोई स्प्रेड उपलब्ध नहीं
-pdfjs-spread-odd-button =
- .title = विषम-क्रमांकित पृष्ठों से प्रारंभ होने वाले पृष्ठ स्प्रेड में शामिल हों
-pdfjs-spread-odd-button-label = विषम फैलाव
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = दस्तावेज़ विशेषता...
-pdfjs-document-properties-button-label = दस्तावेज़ विशेषता...
-pdfjs-document-properties-file-name = फ़ाइल नाम:
-pdfjs-document-properties-file-size = फाइल आकारः
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = शीर्षक:
-pdfjs-document-properties-author = लेखकः
-pdfjs-document-properties-subject = विषय:
-pdfjs-document-properties-keywords = कुंजी-शब्द:
-pdfjs-document-properties-creation-date = निर्माण दिनांक:
-pdfjs-document-properties-modification-date = संशोधन दिनांक:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = निर्माता:
-pdfjs-document-properties-producer = PDF उत्पादक:
-pdfjs-document-properties-version = PDF संस्करण:
-pdfjs-document-properties-page-count = पृष्ठ गिनती:
-pdfjs-document-properties-page-size = पृष्ठ आकार:
-pdfjs-document-properties-page-size-unit-inches = इंच
-pdfjs-document-properties-page-size-unit-millimeters = मिमी
-pdfjs-document-properties-page-size-orientation-portrait = पोर्ट्रेट
-pdfjs-document-properties-page-size-orientation-landscape = लैंडस्केप
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = पत्र
-pdfjs-document-properties-page-size-name-legal = क़ानूनी
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = तीव्र वेब व्यू:
-pdfjs-document-properties-linearized-yes = हाँ
-pdfjs-document-properties-linearized-no = नहीं
-pdfjs-document-properties-close-button = बंद करें
-
-## Print
-
-pdfjs-print-progress-message = छपाई के लिए दस्तावेज़ को तैयार किया जा रहा है...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = रद्द करें
-pdfjs-printing-not-supported = चेतावनी: इस ब्राउज़र पर छपाई पूरी तरह से समर्थित नहीं है.
-pdfjs-printing-not-ready = चेतावनी: PDF छपाई के लिए पूरी तरह से लोड नहीं है.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = स्लाइडर टॉगल करें
-pdfjs-toggle-sidebar-button-label = स्लाइडर टॉगल करें
-pdfjs-document-outline-button =
- .title = दस्तावेज़ की रूपरेखा दिखाइए (सारी वस्तुओं को फलने अथवा समेटने के लिए दो बार क्लिक करें)
-pdfjs-document-outline-button-label = दस्तावेज़ आउटलाइन
-pdfjs-attachments-button =
- .title = संलग्नक दिखायें
-pdfjs-attachments-button-label = संलग्नक
-pdfjs-thumbs-button =
- .title = लघुछवियाँ दिखाएँ
-pdfjs-thumbs-button-label = लघु छवि
-pdfjs-findbar-button =
- .title = दस्तावेज़ में ढूँढ़ें
-pdfjs-findbar-button-label = ढूँढें
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = पृष्ठ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = पृष्ठ { $page } की लघु-छवि
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ढूँढें
- .placeholder = दस्तावेज़ में खोजें...
-pdfjs-find-previous-button =
- .title = वाक्यांश की पिछली उपस्थिति ढूँढ़ें
-pdfjs-find-previous-button-label = पिछला
-pdfjs-find-next-button =
- .title = वाक्यांश की अगली उपस्थिति ढूँढ़ें
-pdfjs-find-next-button-label = अगला
-pdfjs-find-highlight-checkbox = सभी आलोकित करें
-pdfjs-find-match-case-checkbox-label = मिलान स्थिति
-pdfjs-find-entire-word-checkbox-label = संपूर्ण शब्द
-pdfjs-find-reached-top = पृष्ठ के ऊपर पहुंच गया, नीचे से जारी रखें
-pdfjs-find-reached-bottom = पृष्ठ के नीचे में जा पहुँचा, ऊपर से जारी
-pdfjs-find-not-found = वाक्यांश नहीं मिला
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = पृष्ठ चौड़ाई
-pdfjs-page-scale-fit = पृष्ठ फिट
-pdfjs-page-scale-auto = स्वचालित जूम
-pdfjs-page-scale-actual = वास्तविक आकार
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF लोड करते समय एक त्रुटि हुई.
-pdfjs-invalid-file-error = अमान्य या भ्रष्ट PDF फ़ाइल.
-pdfjs-missing-file-error = अनुपस्थित PDF फ़ाइल.
-pdfjs-unexpected-response-error = अप्रत्याशित सर्वर प्रतिक्रिया.
-pdfjs-rendering-error = पृष्ठ रेंडरिंग के दौरान त्रुटि आई.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = इस PDF फ़ाइल को खोलने के लिए कृपया कूटशब्द भरें.
-pdfjs-password-invalid = अवैध कूटशब्द, कृपया फिर कोशिश करें.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = रद्द करें
-pdfjs-web-fonts-disabled = वेब फॉन्ट्स निष्क्रिय हैं: अंतःस्थापित PDF फॉन्टस के उपयोग में असमर्थ.
-
-## Editing
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = रंग
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/hi-IN/viewer.properties b/static/pdf.js/locale/hi-IN/viewer.properties
new file mode 100644
index 00000000..d65eb921
--- /dev/null
+++ b/static/pdf.js/locale/hi-IN/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=पिछला पृष्ठ
+previous_label=पिछला
+next.title=अगला पृष्ठ
+next_label=आगे
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=पृष्ठ:
+page_of={{pageCount}} का
+
+zoom_out.title=\u0020छोटा करें
+zoom_out_label=\u0020छोटा करें
+zoom_in.title=बड़ा करें
+zoom_in_label=बड़ा करें
+zoom.title=बड़ा-छोटा करें
+presentation_mode.title=प्रस्तुति अवस्था में जाएँ
+presentation_mode_label=\u0020प्रस्तुति अवस्था
+open_file.title=फ़ाइल खोलें
+open_file_label=\u0020खोलें
+print.title=छापें
+print_label=\u0020छापें
+download.title=डाउनलोड
+download_label=डाउनलोड
+bookmark.title=मौजूदा दृश्य (नए विंडो में नक़ल लें या खोलें)
+bookmark_label=\u0020मौजूदा दृश्य
+
+# Secondary toolbar and context menu
+tools.title=औज़ार
+tools_label=औज़ार
+first_page.title=प्रथम पृष्ठ पर जाएँ
+first_page.label=\u0020प्रथम पृष्ठ पर जाएँ
+first_page_label=प्रथम पृष्ठ पर जाएँ
+last_page.title=अंतिम पृष्ठ पर जाएँ
+last_page.label=\u0020अंतिम पृष्ठ पर जाएँ
+last_page_label=\u0020अंतिम पृष्ठ पर जाएँ
+page_rotate_cw.title=घड़ी की दिशा में घुमाएँ
+page_rotate_cw.label=घड़ी की दिशा में घुमाएँ
+page_rotate_cw_label=घड़ी की दिशा में घुमाएँ
+page_rotate_ccw.title=घड़ी की दिशा से उल्टा घुमाएँ
+page_rotate_ccw.label=घड़ी की दिशा से उल्टा घुमाएँ
+page_rotate_ccw_label=\u0020घड़ी की दिशा से उल्टा घुमाएँ
+
+hand_tool_enable.title=हाथ औजार सक्रिय करें
+hand_tool_enable_label=हाथ औजार सक्रिय करें
+hand_tool_disable.title=हाथ औजार निष्क्रिय करना
+hand_tool_disable_label=हाथ औजार निष्क्रिय करना
+
+# Document properties dialog box
+document_properties.title=दस्तावेज़ विशेषता...
+document_properties_label=दस्तावेज़ विशेषता...
+document_properties_file_name=फ़ाइल नाम:
+document_properties_file_size=फाइल आकारः
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} बाइट)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} बाइट)
+document_properties_title=शीर्षक:
+document_properties_author=लेखकः
+document_properties_subject=विषय:
+document_properties_keywords=कुंजी-शब्द:
+document_properties_creation_date=निर्माण दिनांक:
+document_properties_modification_date=संशोधन दिनांक:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=निर्माता:
+document_properties_producer=PDF उत्पादक:
+document_properties_version=PDF संस्करण:
+document_properties_page_count=पृष्ठ गिनती:
+document_properties_close=बंद करें
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=\u0020स्लाइडर टॉगल करें
+toggle_sidebar_label=स्लाइडर टॉगल करें
+outline.title=\u0020दस्तावेज़ आउटलाइन दिखाएँ
+outline_label=दस्तावेज़ आउटलाइन
+attachments.title=संलग्नक दिखायें
+attachments_label=संलग्नक
+thumbs.title=लघुछवियाँ दिखाएँ
+thumbs_label=लघु छवि
+findbar.title=\u0020दस्तावेज़ में ढूँढ़ें
+findbar_label=ढूँढ़ें
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=पृष्ठ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=पृष्ठ {{page}} की लघु-छवि
+
+# Find panel button title and messages
+find_label=ढूंढें:
+find_previous.title=वाक्यांश की पिछली उपस्थिति ढूँढ़ें
+find_previous_label=पिछला
+find_next.title=वाक्यांश की अगली उपस्थिति ढूँढ़ें
+find_next_label=आगे
+find_highlight=\u0020सभी आलोकित करें
+find_match_case_label=मिलान स्थिति
+find_reached_top=पृष्ठ के ऊपर पहुंच गया, नीचे से जारी रखें
+find_reached_bottom=पृष्ठ के नीचे में जा पहुँचा, ऊपर से जारी
+find_not_found=वाक्यांश नहीं मिला
+
+# Error panel labels
+error_more_info=अधिक सूचना
+error_less_info=कम सूचना
+error_close=बंद करें
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=\u0020संदेश: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=स्टैक: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=फ़ाइल: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=पंक्ति: {{line}}
+rendering_error=पृष्ठ रेंडरिंग के दौरान त्रुटि आई.
+
+# Predefined zoom values
+page_scale_width=\u0020पृष्ठ चौड़ाई
+page_scale_fit=पृष्ठ फिट
+page_scale_auto=स्वचालित जूम
+page_scale_actual=वास्तविक आकार
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=त्रुटि
+loading_error=पीडीएफ लोड करते समय एक त्रुटि हुई.
+invalid_file_error=अमान्य या भ्रष्ट PDF फ़ाइल.
+missing_file_error=\u0020अनुपस्थित PDF फ़ाइल.
+unexpected_response_error=अप्रत्याशित सर्वर प्रतिक्रिया.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=\u0020[{{type}} Annotation]
+password_label=इस पीडीएफ फ़ाइल को खोलने के लिए कृपया कूटशब्द भरें.
+password_invalid=अवैध कूटशब्द, कृपया फिर कोशिश करें.
+password_ok=ठीक
+password_cancel=रद्द करें
+
+printing_not_supported=चेतावनी: इस ब्राउज़र पर छपाई पूरी तरह से समर्थित नहीं है.
+printing_not_ready=\u0020चेतावनी: पीडीएफ छपाई के लिए पूरी तरह से लोड नहीं है.
+web_fonts_disabled=वेब फॉन्ट्स निष्क्रिय हैं: अंतःस्थापित PDF फॉन्टस के उपयोग में असमर्थ.
+document_colors_not_allowed=PDF दस्तावेज़ उनके अपने रंग को उपयोग करने के लिए अनुमति प्राप्त नहीं है: 'पृष्ठों को उनके अपने रंग को चुनने के लिए स्वीकृति दें कि वह उस ब्राउज़र में निष्क्रिय है.
diff --git a/static/pdf.js/locale/hr/viewer.ftl b/static/pdf.js/locale/hr/viewer.ftl
deleted file mode 100644
index 23d88e76..00000000
--- a/static/pdf.js/locale/hr/viewer.ftl
+++ /dev/null
@@ -1,279 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Prethodna stranica
-pdfjs-previous-button-label = Prethodna
-pdfjs-next-button =
- .title = Sljedeća stranica
-pdfjs-next-button-label = Sljedeća
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Stranica
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = od { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } od { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Umanji
-pdfjs-zoom-out-button-label = Umanji
-pdfjs-zoom-in-button =
- .title = Uvećaj
-pdfjs-zoom-in-button-label = Uvećaj
-pdfjs-zoom-select =
- .title = Zumiranje
-pdfjs-presentation-mode-button =
- .title = Prebaci u prezentacijski način rada
-pdfjs-presentation-mode-button-label = Prezentacijski način rada
-pdfjs-open-file-button =
- .title = Otvori datoteku
-pdfjs-open-file-button-label = Otvori
-pdfjs-print-button =
- .title = Ispiši
-pdfjs-print-button-label = Ispiši
-pdfjs-save-button =
- .title = Spremi
-pdfjs-save-button-label = Spremi
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Alati
-pdfjs-tools-button-label = Alati
-pdfjs-first-page-button =
- .title = Idi na prvu stranicu
-pdfjs-first-page-button-label = Idi na prvu stranicu
-pdfjs-last-page-button =
- .title = Idi na posljednju stranicu
-pdfjs-last-page-button-label = Idi na posljednju stranicu
-pdfjs-page-rotate-cw-button =
- .title = Rotiraj u smjeru kazaljke na satu
-pdfjs-page-rotate-cw-button-label = Rotiraj u smjeru kazaljke na satu
-pdfjs-page-rotate-ccw-button =
- .title = Rotiraj obrnutno od smjera kazaljke na satu
-pdfjs-page-rotate-ccw-button-label = Rotiraj obrnutno od smjera kazaljke na satu
-pdfjs-cursor-text-select-tool-button =
- .title = Omogući alat za označavanje teksta
-pdfjs-cursor-text-select-tool-button-label = Alat za označavanje teksta
-pdfjs-cursor-hand-tool-button =
- .title = Omogući ručni alat
-pdfjs-cursor-hand-tool-button-label = Ručni alat
-pdfjs-scroll-vertical-button =
- .title = Koristi okomito pomicanje
-pdfjs-scroll-vertical-button-label = Okomito pomicanje
-pdfjs-scroll-horizontal-button =
- .title = Koristi vodoravno pomicanje
-pdfjs-scroll-horizontal-button-label = Vodoravno pomicanje
-pdfjs-scroll-wrapped-button =
- .title = Koristi kontinuirani raspored stranica
-pdfjs-scroll-wrapped-button-label = Kontinuirani raspored stranica
-pdfjs-spread-none-button =
- .title = Ne izrađuj duplerice
-pdfjs-spread-none-button-label = Pojedinačne stranice
-pdfjs-spread-odd-button =
- .title = Izradi duplerice koje počinju s neparnim stranicama
-pdfjs-spread-odd-button-label = Neparne duplerice
-pdfjs-spread-even-button =
- .title = Izradi duplerice koje počinju s parnim stranicama
-pdfjs-spread-even-button-label = Parne duplerice
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Svojstva dokumenta …
-pdfjs-document-properties-button-label = Svojstva dokumenta …
-pdfjs-document-properties-file-name = Naziv datoteke:
-pdfjs-document-properties-file-size = Veličina datoteke:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajtova)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtova)
-pdfjs-document-properties-title = Naslov:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Predmet:
-pdfjs-document-properties-keywords = Ključne riječi:
-pdfjs-document-properties-creation-date = Datum stvaranja:
-pdfjs-document-properties-modification-date = Datum promjene:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Stvaratelj:
-pdfjs-document-properties-producer = PDF stvaratelj:
-pdfjs-document-properties-version = PDF verzija:
-pdfjs-document-properties-page-count = Broj stranica:
-pdfjs-document-properties-page-size = Dimenzije stranice:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = uspravno
-pdfjs-document-properties-page-size-orientation-landscape = položeno
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Brzi web pregled:
-pdfjs-document-properties-linearized-yes = Da
-pdfjs-document-properties-linearized-no = Ne
-pdfjs-document-properties-close-button = Zatvori
-
-## Print
-
-pdfjs-print-progress-message = Pripremanje dokumenta za ispis…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Odustani
-pdfjs-printing-not-supported = Upozorenje: Ovaj preglednik ne podržava u potpunosti ispisivanje.
-pdfjs-printing-not-ready = Upozorenje: PDF nije u potpunosti učitan za ispis.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Prikaži/sakrij bočnu traku
-pdfjs-toggle-sidebar-notification-button =
- .title = Prikazivanje i sklanjanje bočne trake (dokument sadrži strukturu/privitke/slojeve)
-pdfjs-toggle-sidebar-button-label = Prikaži/sakrij bočnu traku
-pdfjs-document-outline-button =
- .title = Prikaži strukturu dokumenta (dvostruki klik za rasklapanje/sklapanje svih stavki)
-pdfjs-document-outline-button-label = Struktura dokumenta
-pdfjs-attachments-button =
- .title = Prikaži privitke
-pdfjs-attachments-button-label = Privitci
-pdfjs-layers-button =
- .title = Prikaži slojeve (dvoklik za vraćanje svih slojeva u zadano stanje)
-pdfjs-layers-button-label = Slojevi
-pdfjs-thumbs-button =
- .title = Prikaži minijature
-pdfjs-thumbs-button-label = Minijature
-pdfjs-current-outline-item-button =
- .title = Pronađi trenutačni element strukture
-pdfjs-current-outline-item-button-label = Trenutačni element strukture
-pdfjs-findbar-button =
- .title = Pronađi u dokumentu
-pdfjs-findbar-button-label = Pronađi
-pdfjs-additional-layers = Dodatni slojevi
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Stranica { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Minijatura stranice { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Pronađi
- .placeholder = Pronađi u dokumentu …
-pdfjs-find-previous-button =
- .title = Pronađi prethodno pojavljivanje ovog izraza
-pdfjs-find-previous-button-label = Prethodno
-pdfjs-find-next-button =
- .title = Pronađi sljedeće pojavljivanje ovog izraza
-pdfjs-find-next-button-label = Sljedeće
-pdfjs-find-highlight-checkbox = Istankni sve
-pdfjs-find-match-case-checkbox-label = Razlikovanje velikih i malih slova
-pdfjs-find-entire-word-checkbox-label = Cijele riječi
-pdfjs-find-reached-top = Dosegnut početak dokumenta, nastavak s kraja
-pdfjs-find-reached-bottom = Dosegnut kraj dokumenta, nastavak s početka
-pdfjs-find-not-found = Izraz nije pronađen
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Prilagodi širini prozora
-pdfjs-page-scale-fit = Prilagodi veličini prozora
-pdfjs-page-scale-auto = Automatsko zumiranje
-pdfjs-page-scale-actual = Stvarna veličina
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Stranica { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Došlo je do greške pri učitavanju PDF-a.
-pdfjs-invalid-file-error = Neispravna ili oštećena PDF datoteka.
-pdfjs-missing-file-error = Nedostaje PDF datoteka.
-pdfjs-unexpected-response-error = Neočekivani odgovor poslužitelja.
-pdfjs-rendering-error = Došlo je do greške prilikom iscrtavanja stranice.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Bilješka]
-
-## Password
-
-pdfjs-password-label = Za otvoranje ove PDF datoteku upiši lozinku.
-pdfjs-password-invalid = Neispravna lozinka. Pokušaj ponovo.
-pdfjs-password-ok-button = U redu
-pdfjs-password-cancel-button = Odustani
-pdfjs-web-fonts-disabled = Web fontovi su deaktivirani: nije moguće koristiti ugrađene PDF fontove.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Boja
-pdfjs-editor-free-text-size-input = Veličina
-pdfjs-editor-ink-color-input = Boja
-pdfjs-editor-ink-thickness-input = Debljina
-pdfjs-editor-ink-opacity-input = Neprozirnost
-pdfjs-free-text =
- .aria-label = Uređivač teksta
-pdfjs-free-text-default-content = Počni tipkati …
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/hr/viewer.properties b/static/pdf.js/locale/hr/viewer.properties
new file mode 100644
index 00000000..83cc5d9b
--- /dev/null
+++ b/static/pdf.js/locale/hr/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Prethodna stranica
+previous_label=Prethodna
+next.title=Sljedeća stranica
+next_label=Sljedeća
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Stranica:
+page_of=od {{pageCount}}
+
+zoom_out.title=Uvećaj
+zoom_out_label=Smanji
+zoom_in.title=Uvećaj
+zoom_in_label=Smanji
+zoom.title=Uvećanje
+presentation_mode.title=Prebaci u prezentacijski način rada
+presentation_mode_label=Prezentacijski način rada
+open_file.title=Otvori datoteku
+open_file_label=Otvori
+print.title=Ispis
+print_label=Ispis
+download.title=Preuzmi
+download_label=Preuzmi
+bookmark.title=Trenutni prikaz (kopiraj ili otvori u novom prozoru)
+bookmark_label=Trenutni prikaz
+
+# Secondary toolbar and context menu
+tools.title=Alati
+tools_label=Alati
+first_page.title=Idi na prvu stranicu
+first_page.label=Idi na prvu stranicu
+first_page_label=Idi na prvu stranicu
+last_page.title=Idi na posljednju stranicu
+last_page.label=Idi na posljednju stranicu
+last_page_label=Idi na posljednju stranicu
+page_rotate_cw.title=Rotiraj u smjeru kazaljke na satu
+page_rotate_cw.label=Rotiraj u smjeru kazaljke na satu
+page_rotate_cw_label=Rotiraj u smjeru kazaljke na satu
+page_rotate_ccw.title=Rotiraj obrnutno od smjera kazaljke na satu
+page_rotate_ccw.label=Rotiraj obrnutno od smjera kazaljke na satu
+page_rotate_ccw_label=Rotiraj obrnutno od smjera kazaljke na satu
+
+hand_tool_enable.title=Omogući ručni alat
+hand_tool_enable_label=Omogući ručni alat
+hand_tool_disable.title=Onemogući ručni alat
+hand_tool_disable_label=Onemogući ručni alat
+
+# Document properties dialog box
+document_properties.title=Svojstva dokumenta...
+document_properties_label=Svojstva dokumenta...
+document_properties_file_name=Naziv datoteke:
+document_properties_file_size=Veličina datoteke:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bajtova)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bajtova)
+document_properties_title=Naslov:
+document_properties_author=Autor:
+document_properties_subject=Predmet:
+document_properties_keywords=Ključne riječi:
+document_properties_creation_date=Datum stvaranja:
+document_properties_modification_date=Datum promjene:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Stvaratelj:
+document_properties_producer=PDF stvaratelj:
+document_properties_version=PDF inačica:
+document_properties_page_count=Broj stranica:
+document_properties_close=Zatvori
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Prikaži/sakrij bočnu traku
+toggle_sidebar_label=Prikaži/sakrij bočnu traku
+outline.title=Prikaži obris dokumenta
+outline_label=Obris dokumenta
+attachments.title=Prikaži privitke
+attachments_label=Privitci
+thumbs.title=Prikaži sličice
+thumbs_label=Sličice
+findbar.title=Traži u dokumentu
+findbar_label=Traži
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Stranica {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Sličica stranice {{page}}
+
+# Find panel button title and messages
+find_label=Traži:
+find_previous.title=Pronađi prethodno javljanje ovog izraza
+find_previous_label=Prethodno
+find_next.title=Pronađi iduće javljanje ovog izraza
+find_next_label=Sljedeće
+find_highlight=Istankni sve
+find_match_case_label=Slučaj podudaranja
+find_reached_top=Dosegnut vrh dokumenta, nastavak od dna
+find_reached_bottom=Dosegnut vrh dokumenta, nastavak od vrha
+find_not_found=Izraz nije pronađen
+
+# Error panel labels
+error_more_info=Više informacija
+error_less_info=Manje informacija
+error_close=Zatvori
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Poruka: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stog: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Datoteka: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Redak: {{line}}
+rendering_error=Došlo je do greške prilikom iscrtavanja stranice.
+
+# Predefined zoom values
+page_scale_width=Širina stranice
+page_scale_fit=Pristajanje stranici
+page_scale_auto=Automatsko uvećanje
+page_scale_actual=Prava veličina
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Greška
+loading_error=Došlo je do greške pri učitavanju PDF-a.
+invalid_file_error=Kriva ili oštećena PDF datoteka.
+missing_file_error=Nedostaje PDF datoteka.
+unexpected_response_error=Neočekivani odgovor poslužitelja.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Bilješka]
+password_label=Upišite lozinku da biste otvorili ovu PDF datoteku.
+password_invalid=Neispravna lozinka. Pokušajte ponovo.
+password_ok=U redu
+password_cancel=Odustani
+
+printing_not_supported=Upozorenje: Ispisivanje nije potpuno podržano u ovom pregledniku.
+printing_not_ready=Upozorenje: PDF nije u potpunosti učitan za ispis.
+web_fonts_disabled=Web fontovi su onemogućeni: nije moguće koristiti umetnute PDF fontove.
+document_colors_not_allowed=PDF dokumenti nemaju dopuštene koristiti vlastite boje: opcija 'Dopusti stranicama da koriste vlastite boje' je deaktivirana.
diff --git a/static/pdf.js/locale/hsb/viewer.ftl b/static/pdf.js/locale/hsb/viewer.ftl
deleted file mode 100644
index 46feaf1b..00000000
--- a/static/pdf.js/locale/hsb/viewer.ftl
+++ /dev/null
@@ -1,406 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Předchadna strona
-pdfjs-previous-button-label = Wróćo
-pdfjs-next-button =
- .title = Přichodna strona
-pdfjs-next-button-label = Dale
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Strona
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = z { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } z { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Pomjeńšić
-pdfjs-zoom-out-button-label = Pomjeńšić
-pdfjs-zoom-in-button =
- .title = Powjetšić
-pdfjs-zoom-in-button-label = Powjetšić
-pdfjs-zoom-select =
- .title = Skalowanje
-pdfjs-presentation-mode-button =
- .title = Do prezentaciskeho modusa přeńć
-pdfjs-presentation-mode-button-label = Prezentaciski modus
-pdfjs-open-file-button =
- .title = Dataju wočinić
-pdfjs-open-file-button-label = Wočinić
-pdfjs-print-button =
- .title = Ćišćeć
-pdfjs-print-button-label = Ćišćeć
-pdfjs-save-button =
- .title = Składować
-pdfjs-save-button-label = Składować
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Sćahnyć
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Sćahnyć
-pdfjs-bookmark-button =
- .title = Aktualna strona (URL z aktualneje strony pokazać)
-pdfjs-bookmark-button-label = Aktualna strona
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = W nałoženju wočinić
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = W nałoženju wočinić
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Nastroje
-pdfjs-tools-button-label = Nastroje
-pdfjs-first-page-button =
- .title = K prěnjej stronje
-pdfjs-first-page-button-label = K prěnjej stronje
-pdfjs-last-page-button =
- .title = K poslednjej stronje
-pdfjs-last-page-button-label = K poslednjej stronje
-pdfjs-page-rotate-cw-button =
- .title = K směrej časnika wjerćeć
-pdfjs-page-rotate-cw-button-label = K směrej časnika wjerćeć
-pdfjs-page-rotate-ccw-button =
- .title = Přećiwo směrej časnika wjerćeć
-pdfjs-page-rotate-ccw-button-label = Přećiwo směrej časnika wjerćeć
-pdfjs-cursor-text-select-tool-button =
- .title = Nastroj za wuběranje teksta zmóžnić
-pdfjs-cursor-text-select-tool-button-label = Nastroj za wuběranje teksta
-pdfjs-cursor-hand-tool-button =
- .title = Ručny nastroj zmóžnić
-pdfjs-cursor-hand-tool-button-label = Ručny nastroj
-pdfjs-scroll-page-button =
- .title = Kulenje strony wužiwać
-pdfjs-scroll-page-button-label = Kulenje strony
-pdfjs-scroll-vertical-button =
- .title = Wertikalne suwanje wužiwać
-pdfjs-scroll-vertical-button-label = Wertikalne suwanje
-pdfjs-scroll-horizontal-button =
- .title = Horicontalne suwanje wužiwać
-pdfjs-scroll-horizontal-button-label = Horicontalne suwanje
-pdfjs-scroll-wrapped-button =
- .title = Postupne suwanje wužiwać
-pdfjs-scroll-wrapped-button-label = Postupne suwanje
-pdfjs-spread-none-button =
- .title = Strony njezwjazać
-pdfjs-spread-none-button-label = Žana dwójna strona
-pdfjs-spread-odd-button =
- .title = Strony započinajo z njerunymi stronami zwjazać
-pdfjs-spread-odd-button-label = Njerune strony
-pdfjs-spread-even-button =
- .title = Strony započinajo z runymi stronami zwjazać
-pdfjs-spread-even-button-label = Rune strony
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentowe kajkosće…
-pdfjs-document-properties-button-label = Dokumentowe kajkosće…
-pdfjs-document-properties-file-name = Mjeno dataje:
-pdfjs-document-properties-file-size = Wulkosć dataje:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajtow)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtow)
-pdfjs-document-properties-title = Titul:
-pdfjs-document-properties-author = Awtor:
-pdfjs-document-properties-subject = Předmjet:
-pdfjs-document-properties-keywords = Klučowe słowa:
-pdfjs-document-properties-creation-date = Datum wutworjenja:
-pdfjs-document-properties-modification-date = Datum změny:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Awtor:
-pdfjs-document-properties-producer = PDF-zhotowjer:
-pdfjs-document-properties-version = PDF-wersija:
-pdfjs-document-properties-page-count = Ličba stronow:
-pdfjs-document-properties-page-size = Wulkosć strony:
-pdfjs-document-properties-page-size-unit-inches = cól
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = wysoki format
-pdfjs-document-properties-page-size-orientation-landscape = prěčny format
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Haj
-pdfjs-document-properties-linearized-no = Ně
-pdfjs-document-properties-close-button = Začinić
-
-## Print
-
-pdfjs-print-progress-message = Dokument so za ćišćenje přihotuje…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Přetorhnyć
-pdfjs-printing-not-supported = Warnowanje: Ćišćenje so přez tutón wobhladowak połnje njepodpěruje.
-pdfjs-printing-not-ready = Warnowanje: PDF njeje so za ćišćenje dospołnje začitał.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Bóčnicu pokazać/schować
-pdfjs-toggle-sidebar-notification-button =
- .title = Bóčnicu přepinać (dokument rozrjad/přiwěški/woršty wobsahuje)
-pdfjs-toggle-sidebar-button-label = Bóčnicu pokazać/schować
-pdfjs-document-outline-button =
- .title = Dokumentowy naćisk pokazać (dwójne kliknjenje, zo bychu so wšě zapiski pokazali/schowali)
-pdfjs-document-outline-button-label = Dokumentowa struktura
-pdfjs-attachments-button =
- .title = Přiwěški pokazać
-pdfjs-attachments-button-label = Přiwěški
-pdfjs-layers-button =
- .title = Woršty pokazać (klikńće dwójce, zo byšće wšě woršty na standardny staw wróćo stajił)
-pdfjs-layers-button-label = Woršty
-pdfjs-thumbs-button =
- .title = Miniatury pokazać
-pdfjs-thumbs-button-label = Miniatury
-pdfjs-current-outline-item-button =
- .title = Aktualny rozrjadowy zapisk pytać
-pdfjs-current-outline-item-button-label = Aktualny rozrjadowy zapisk
-pdfjs-findbar-button =
- .title = W dokumenće pytać
-pdfjs-findbar-button-label = Pytać
-pdfjs-additional-layers = Dalše woršty
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Strona { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura strony { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Pytać
- .placeholder = W dokumenće pytać…
-pdfjs-find-previous-button =
- .title = Předchadne wustupowanje pytanskeho wuraza pytać
-pdfjs-find-previous-button-label = Wróćo
-pdfjs-find-next-button =
- .title = Přichodne wustupowanje pytanskeho wuraza pytać
-pdfjs-find-next-button-label = Dale
-pdfjs-find-highlight-checkbox = Wšě wuzběhnyć
-pdfjs-find-match-case-checkbox-label = Wulkopisanje wobkedźbować
-pdfjs-find-match-diacritics-checkbox-label = Diakritiske znamješka wužiwać
-pdfjs-find-entire-word-checkbox-label = Cyłe słowa
-pdfjs-find-reached-top = Spočatk dokumenta docpěty, pokročuje so z kóncom
-pdfjs-find-reached-bottom = Kónc dokument docpěty, pokročuje so ze spočatkom
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } z { $total } wotpowědnika
- [two] { $current } z { $total } wotpowědnikow
- [few] { $current } z { $total } wotpowědnikow
- *[other] { $current } z { $total } wotpowědnikow
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Wyše { $limit } wotpowědnik
- [two] Wyše { $limit } wotpowědnikaj
- [few] Wyše { $limit } wotpowědniki
- *[other] Wyše { $limit } wotpowědnikow
- }
-pdfjs-find-not-found = Pytanski wuraz njeje so namakał
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Šěrokosć strony
-pdfjs-page-scale-fit = Wulkosć strony
-pdfjs-page-scale-auto = Awtomatiske skalowanje
-pdfjs-page-scale-actual = Aktualna wulkosć
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Strona { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Při začitowanju PDF je zmylk wustupił.
-pdfjs-invalid-file-error = Njepłaćiwa abo wobškodźena PDF-dataja.
-pdfjs-missing-file-error = Falowaca PDF-dataja.
-pdfjs-unexpected-response-error = Njewočakowana serwerowa wotmołwa.
-pdfjs-rendering-error = Při zwobraznjenju strony je zmylk wustupił.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Typ přispomnjenki: { $type }]
-
-## Password
-
-pdfjs-password-label = Zapodajće hesło, zo byšće PDF-dataju wočinił.
-pdfjs-password-invalid = Njepłaćiwe hesło. Prošu spytajće hišće raz.
-pdfjs-password-ok-button = W porjadku
-pdfjs-password-cancel-button = Přetorhnyć
-pdfjs-web-fonts-disabled = Webpisma su znjemóžnjene: njeje móžno, zasadźene PDF-pisma wužiwać.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Rysować
-pdfjs-editor-ink-button-label = Rysować
-pdfjs-editor-stamp-button =
- .title = Wobrazy přidać abo wobdźěłać
-pdfjs-editor-stamp-button-label = Wobrazy přidać abo wobdźěłać
-pdfjs-editor-highlight-button =
- .title = Wuzběhnyć
-pdfjs-editor-highlight-button-label = Wuzběhnyć
-pdfjs-highlight-floating-button =
- .title = Wuzběhnyć
-pdfjs-highlight-floating-button1 =
- .title = Wuzběhnjenje
- .aria-label = Wuzběhnjenje
-pdfjs-highlight-floating-button-label = Wuzběhnjenje
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Rysowanku wotstronić
-pdfjs-editor-remove-freetext-button =
- .title = Tekst wotstronić
-pdfjs-editor-remove-stamp-button =
- .title = Wobraz wotstronić
-pdfjs-editor-remove-highlight-button =
- .title = Wuzběhnjenje wotstronić
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Barba
-pdfjs-editor-free-text-size-input = Wulkosć
-pdfjs-editor-ink-color-input = Barba
-pdfjs-editor-ink-thickness-input = Tołstosć
-pdfjs-editor-ink-opacity-input = Opacita
-pdfjs-editor-stamp-add-image-button =
- .title = Wobraz přidać
-pdfjs-editor-stamp-add-image-button-label = Wobraz přidać
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tołstosć
-pdfjs-editor-free-highlight-thickness-title =
- .title = Tołstosć změnić, hdyž so zapiski wuzběhuja, kotrež tekst njejsu
-pdfjs-free-text =
- .aria-label = Tekstowy editor
-pdfjs-free-text-default-content = Započńće pisać…
-pdfjs-ink =
- .aria-label = Rysowanski editor
-pdfjs-ink-canvas =
- .aria-label = Wobraz wutworjeny wot wužiwarja
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatiwny tekst
-pdfjs-editor-alt-text-edit-button-label = Alternatiwny tekst wobdźěłać
-pdfjs-editor-alt-text-dialog-label = Nastajenje wubrać
-pdfjs-editor-alt-text-dialog-description = Alternatiwny tekst pomha, hdyž ludźo njemóža wobraz widźeć abo hdyž so wobraz njezačita.
-pdfjs-editor-alt-text-add-description-label = Wopisanje přidać
-pdfjs-editor-alt-text-add-description-description = Pisajće 1 sadu abo 2 sadźe, kotrejž temu, nastajenje abo akcije wopisujetej.
-pdfjs-editor-alt-text-mark-decorative-label = Jako dekoratiwny markěrować
-pdfjs-editor-alt-text-mark-decorative-description = To so za pyšace wobrazy wužiwa, na přikład ramiki abo wodowe znamjenja.
-pdfjs-editor-alt-text-cancel-button = Přetorhnyć
-pdfjs-editor-alt-text-save-button = Składować
-pdfjs-editor-alt-text-decorative-tooltip = Jako dekoratiwny markěrowany
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Na přikład, „Młody muž za blidom sedźi, zo by jědź jědł“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Horjeka nalěwo – wulkosć změnić
-pdfjs-editor-resizer-label-top-middle = Horjeka wosrjedź – wulkosć změnić
-pdfjs-editor-resizer-label-top-right = Horjeka naprawo – wulkosć změnić
-pdfjs-editor-resizer-label-middle-right = Wosrjedź naprawo – wulkosć změnić
-pdfjs-editor-resizer-label-bottom-right = Deleka naprawo – wulkosć změnić
-pdfjs-editor-resizer-label-bottom-middle = Deleka wosrjedź – wulkosć změnić
-pdfjs-editor-resizer-label-bottom-left = Deleka nalěwo – wulkosć změnić
-pdfjs-editor-resizer-label-middle-left = Wosrjedź nalěwo – wulkosć změnić
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Barba wuzběhnjenja
-pdfjs-editor-colorpicker-button =
- .title = Barbu změnić
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Wuběr barbow
-pdfjs-editor-colorpicker-yellow =
- .title = Žołty
-pdfjs-editor-colorpicker-green =
- .title = Zeleny
-pdfjs-editor-colorpicker-blue =
- .title = Módry
-pdfjs-editor-colorpicker-pink =
- .title = Pink
-pdfjs-editor-colorpicker-red =
- .title = Čerwjeny
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Wšě pokazać
-pdfjs-editor-highlight-show-all-button =
- .title = Wšě pokazać
diff --git a/static/pdf.js/locale/hu/viewer.ftl b/static/pdf.js/locale/hu/viewer.ftl
deleted file mode 100644
index 0c33e51b..00000000
--- a/static/pdf.js/locale/hu/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Előző oldal
-pdfjs-previous-button-label = Előző
-pdfjs-next-button =
- .title = Következő oldal
-pdfjs-next-button-label = Tovább
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Oldal
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = összesen: { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Kicsinyítés
-pdfjs-zoom-out-button-label = Kicsinyítés
-pdfjs-zoom-in-button =
- .title = Nagyítás
-pdfjs-zoom-in-button-label = Nagyítás
-pdfjs-zoom-select =
- .title = Nagyítás
-pdfjs-presentation-mode-button =
- .title = Váltás bemutató módba
-pdfjs-presentation-mode-button-label = Bemutató mód
-pdfjs-open-file-button =
- .title = Fájl megnyitása
-pdfjs-open-file-button-label = Megnyitás
-pdfjs-print-button =
- .title = Nyomtatás
-pdfjs-print-button-label = Nyomtatás
-pdfjs-save-button =
- .title = Mentés
-pdfjs-save-button-label = Mentés
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Letöltés
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Letöltés
-pdfjs-bookmark-button =
- .title = Jelenlegi oldal (webcím megtekintése a jelenlegi oldalról)
-pdfjs-bookmark-button-label = Jelenlegi oldal
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Eszközök
-pdfjs-tools-button-label = Eszközök
-pdfjs-first-page-button =
- .title = Ugrás az első oldalra
-pdfjs-first-page-button-label = Ugrás az első oldalra
-pdfjs-last-page-button =
- .title = Ugrás az utolsó oldalra
-pdfjs-last-page-button-label = Ugrás az utolsó oldalra
-pdfjs-page-rotate-cw-button =
- .title = Forgatás az óramutató járásával egyezően
-pdfjs-page-rotate-cw-button-label = Forgatás az óramutató járásával egyezően
-pdfjs-page-rotate-ccw-button =
- .title = Forgatás az óramutató járásával ellentétesen
-pdfjs-page-rotate-ccw-button-label = Forgatás az óramutató járásával ellentétesen
-pdfjs-cursor-text-select-tool-button =
- .title = Szövegkijelölő eszköz bekapcsolása
-pdfjs-cursor-text-select-tool-button-label = Szövegkijelölő eszköz
-pdfjs-cursor-hand-tool-button =
- .title = Kéz eszköz bekapcsolása
-pdfjs-cursor-hand-tool-button-label = Kéz eszköz
-pdfjs-scroll-page-button =
- .title = Oldalgörgetés használata
-pdfjs-scroll-page-button-label = Oldalgörgetés
-pdfjs-scroll-vertical-button =
- .title = Függőleges görgetés használata
-pdfjs-scroll-vertical-button-label = Függőleges görgetés
-pdfjs-scroll-horizontal-button =
- .title = Vízszintes görgetés használata
-pdfjs-scroll-horizontal-button-label = Vízszintes görgetés
-pdfjs-scroll-wrapped-button =
- .title = Rácsos elrendezés használata
-pdfjs-scroll-wrapped-button-label = Rácsos elrendezés
-pdfjs-spread-none-button =
- .title = Ne tapassza össze az oldalakat
-pdfjs-spread-none-button-label = Nincs összetapasztás
-pdfjs-spread-odd-button =
- .title = Lapok összetapasztása, a páratlan számú oldalakkal kezdve
-pdfjs-spread-odd-button-label = Összetapasztás: páratlan
-pdfjs-spread-even-button =
- .title = Lapok összetapasztása, a páros számú oldalakkal kezdve
-pdfjs-spread-even-button-label = Összetapasztás: páros
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentum tulajdonságai…
-pdfjs-document-properties-button-label = Dokumentum tulajdonságai…
-pdfjs-document-properties-file-name = Fájlnév:
-pdfjs-document-properties-file-size = Fájlméret:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bájt)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bájt)
-pdfjs-document-properties-title = Cím:
-pdfjs-document-properties-author = Szerző:
-pdfjs-document-properties-subject = Tárgy:
-pdfjs-document-properties-keywords = Kulcsszavak:
-pdfjs-document-properties-creation-date = Létrehozás dátuma:
-pdfjs-document-properties-modification-date = Módosítás dátuma:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Létrehozta:
-pdfjs-document-properties-producer = PDF előállító:
-pdfjs-document-properties-version = PDF verzió:
-pdfjs-document-properties-page-count = Oldalszám:
-pdfjs-document-properties-page-size = Lapméret:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = álló
-pdfjs-document-properties-page-size-orientation-landscape = fekvő
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Jogi információk
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Gyors webes nézet:
-pdfjs-document-properties-linearized-yes = Igen
-pdfjs-document-properties-linearized-no = Nem
-pdfjs-document-properties-close-button = Bezárás
-
-## Print
-
-pdfjs-print-progress-message = Dokumentum előkészítése nyomtatáshoz…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Mégse
-pdfjs-printing-not-supported = Figyelmeztetés: Ez a böngésző nem teljesen támogatja a nyomtatást.
-pdfjs-printing-not-ready = Figyelmeztetés: A PDF nincs teljesen betöltve a nyomtatáshoz.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Oldalsáv be/ki
-pdfjs-toggle-sidebar-notification-button =
- .title = Oldalsáv be/ki (a dokumentum vázlatot/mellékleteket/rétegeket tartalmaz)
-pdfjs-toggle-sidebar-button-label = Oldalsáv be/ki
-pdfjs-document-outline-button =
- .title = Dokumentum megjelenítése online (dupla kattintás minden elem kinyitásához/összecsukásához)
-pdfjs-document-outline-button-label = Dokumentumvázlat
-pdfjs-attachments-button =
- .title = Mellékletek megjelenítése
-pdfjs-attachments-button-label = Van melléklet
-pdfjs-layers-button =
- .title = Rétegek megjelenítése (dupla kattintás az összes réteg alapértelmezett állapotra visszaállításához)
-pdfjs-layers-button-label = Rétegek
-pdfjs-thumbs-button =
- .title = Bélyegképek megjelenítése
-pdfjs-thumbs-button-label = Bélyegképek
-pdfjs-current-outline-item-button =
- .title = Jelenlegi vázlatelem megkeresése
-pdfjs-current-outline-item-button-label = Jelenlegi vázlatelem
-pdfjs-findbar-button =
- .title = Keresés a dokumentumban
-pdfjs-findbar-button-label = Keresés
-pdfjs-additional-layers = További rétegek
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page }. oldal
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page }. oldal bélyegképe
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Keresés
- .placeholder = Keresés a dokumentumban…
-pdfjs-find-previous-button =
- .title = A kifejezés előző előfordulásának keresése
-pdfjs-find-previous-button-label = Előző
-pdfjs-find-next-button =
- .title = A kifejezés következő előfordulásának keresése
-pdfjs-find-next-button-label = Tovább
-pdfjs-find-highlight-checkbox = Összes kiemelése
-pdfjs-find-match-case-checkbox-label = Kis- és nagybetűk megkülönböztetése
-pdfjs-find-match-diacritics-checkbox-label = Diakritikus jelek
-pdfjs-find-entire-word-checkbox-label = Teljes szavak
-pdfjs-find-reached-top = A dokumentum eleje elérve, folytatás a végétől
-pdfjs-find-reached-bottom = A dokumentum vége elérve, folytatás az elejétől
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } / { $total } találat
- *[other] { $current } / { $total } találat
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Több mint { $limit } találat
- *[other] Több mint { $limit } találat
- }
-pdfjs-find-not-found = A kifejezés nem található
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Oldalszélesség
-pdfjs-page-scale-fit = Teljes oldal
-pdfjs-page-scale-auto = Automatikus nagyítás
-pdfjs-page-scale-actual = Valódi méret
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page }. oldal
-
-## Loading indicator messages
-
-pdfjs-loading-error = Hiba történt a PDF betöltésekor.
-pdfjs-invalid-file-error = Érvénytelen vagy sérült PDF fájl.
-pdfjs-missing-file-error = Hiányzó PDF fájl.
-pdfjs-unexpected-response-error = Váratlan kiszolgálóválasz.
-pdfjs-rendering-error = Hiba történt az oldal feldolgozása közben.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } megjegyzés]
-
-## Password
-
-pdfjs-password-label = Adja meg a jelszót a PDF fájl megnyitásához.
-pdfjs-password-invalid = Helytelen jelszó. Próbálja újra.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Mégse
-pdfjs-web-fonts-disabled = Webes betűkészletek letiltva: nem használhatók a beágyazott PDF betűkészletek.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Szöveg
-pdfjs-editor-free-text-button-label = Szöveg
-pdfjs-editor-ink-button =
- .title = Rajzolás
-pdfjs-editor-ink-button-label = Rajzolás
-pdfjs-editor-stamp-button =
- .title = Képek hozzáadása vagy szerkesztése
-pdfjs-editor-stamp-button-label = Képek hozzáadása vagy szerkesztése
-pdfjs-editor-highlight-button =
- .title = Kiemelés
-pdfjs-editor-highlight-button-label = Kiemelés
-pdfjs-highlight-floating-button =
- .title = Kiemelés
-pdfjs-highlight-floating-button1 =
- .title = Kiemelés
- .aria-label = Kiemelés
-pdfjs-highlight-floating-button-label = Kiemelés
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Rajz eltávolítása
-pdfjs-editor-remove-freetext-button =
- .title = Szöveg eltávolítása
-pdfjs-editor-remove-stamp-button =
- .title = Kép eltávolítása
-pdfjs-editor-remove-highlight-button =
- .title = Kiemelés eltávolítása
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Szín
-pdfjs-editor-free-text-size-input = Méret
-pdfjs-editor-ink-color-input = Szín
-pdfjs-editor-ink-thickness-input = Vastagság
-pdfjs-editor-ink-opacity-input = Átlátszatlanság
-pdfjs-editor-stamp-add-image-button =
- .title = Kép hozzáadása
-pdfjs-editor-stamp-add-image-button-label = Kép hozzáadása
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Vastagság
-pdfjs-editor-free-highlight-thickness-title =
- .title = Vastagság módosítása, ha nem szöveges elemeket emel ki
-pdfjs-free-text =
- .aria-label = Szövegszerkesztő
-pdfjs-free-text-default-content = Kezdjen el gépelni…
-pdfjs-ink =
- .aria-label = Rajzszerkesztő
-pdfjs-ink-canvas =
- .aria-label = Felhasználó által készített kép
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatív szöveg
-pdfjs-editor-alt-text-edit-button-label = Alternatív szöveg szerkesztése
-pdfjs-editor-alt-text-dialog-label = Válasszon egy lehetőséget
-pdfjs-editor-alt-text-dialog-description = Az alternatív szöveg segít, ha az emberek nem látják a képet, vagy ha az nem töltődik be.
-pdfjs-editor-alt-text-add-description-label = Leírás hozzáadása
-pdfjs-editor-alt-text-add-description-description = Törekedjen 1-2 mondatra, amely jellemzi a témát, környezetet vagy cselekvést.
-pdfjs-editor-alt-text-mark-decorative-label = Megjelölés dekoratívként
-pdfjs-editor-alt-text-mark-decorative-description = Ez a díszítőképeknél használatos, mint a szegélyek vagy a vízjelek.
-pdfjs-editor-alt-text-cancel-button = Mégse
-pdfjs-editor-alt-text-save-button = Mentés
-pdfjs-editor-alt-text-decorative-tooltip = Megjelölve dekoratívként
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Például: „Egy fiatal férfi leül enni egy asztalhoz”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Bal felső sarok – átméretezés
-pdfjs-editor-resizer-label-top-middle = Felül középen – átméretezés
-pdfjs-editor-resizer-label-top-right = Jobb felső sarok – átméretezés
-pdfjs-editor-resizer-label-middle-right = Jobbra középen – átméretezés
-pdfjs-editor-resizer-label-bottom-right = Jobb alsó sarok – átméretezés
-pdfjs-editor-resizer-label-bottom-middle = Alul középen – átméretezés
-pdfjs-editor-resizer-label-bottom-left = Bal alsó sarok – átméretezés
-pdfjs-editor-resizer-label-middle-left = Balra középen – átméretezés
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Kiemelés színe
-pdfjs-editor-colorpicker-button =
- .title = Szín módosítása
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Színválasztások
-pdfjs-editor-colorpicker-yellow =
- .title = Sárga
-pdfjs-editor-colorpicker-green =
- .title = Zöld
-pdfjs-editor-colorpicker-blue =
- .title = Kék
-pdfjs-editor-colorpicker-pink =
- .title = Rózsaszín
-pdfjs-editor-colorpicker-red =
- .title = Vörös
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Összes megjelenítése
-pdfjs-editor-highlight-show-all-button =
- .title = Összes megjelenítése
diff --git a/static/pdf.js/locale/hu/viewer.properties b/static/pdf.js/locale/hu/viewer.properties
new file mode 100644
index 00000000..549137ce
--- /dev/null
+++ b/static/pdf.js/locale/hu/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Előző oldal
+previous_label=Előző
+next.title=Következő oldal
+next_label=Tovább
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Oldal:
+page_of=összesen: {{pageCount}}
+
+zoom_out.title=Kicsinyítés
+zoom_out_label=Kicsinyítés
+zoom_in.title=Nagyítás
+zoom_in_label=Nagyítás
+zoom.title=Nagyítás
+presentation_mode.title=Váltás bemutató módba
+presentation_mode_label=Bemutató mód
+open_file.title=Fájl megnyitása
+open_file_label=Megnyitás
+print.title=Nyomtatás
+print_label=Nyomtatás
+download.title=Letöltés
+download_label=Letöltés
+bookmark.title=Jelenlegi nézet (másolás vagy megnyitás új ablakban)
+bookmark_label=Aktuális nézet
+
+# Secondary toolbar and context menu
+tools.title=Eszközök
+tools_label=Eszközök
+first_page.title=Ugrás az első oldalra
+first_page.label=Ugrás az első oldalra
+first_page_label=Ugrás az első oldalra
+last_page.title=Ugrás az utolsó oldalra
+last_page.label=Ugrás az utolsó oldalra
+last_page_label=Ugrás az utolsó oldalra
+page_rotate_cw.title=Forgatás az óramutató járásával egyezően
+page_rotate_cw.label=Forgatás az óramutató járásával egyezően
+page_rotate_cw_label=Forgatás az óramutató járásával egyezően
+page_rotate_ccw.title=Forgatás az óramutató járásával ellentétesen
+page_rotate_ccw.label=Forgatás az óramutató járásával ellentétesen
+page_rotate_ccw_label=Forgatás az óramutató járásával ellentétesen
+
+hand_tool_enable.title=Kéz eszköz bekapcsolása
+hand_tool_enable_label=Kéz eszköz bekapcsolása
+hand_tool_disable.title=Kéz eszköz kikapcsolása
+hand_tool_disable_label=Kéz eszköz kikapcsolása
+
+# Document properties dialog box
+document_properties.title=Dokumentum tulajdonságai…
+document_properties_label=Dokumentum tulajdonságai…
+document_properties_file_name=Fájlnév:
+document_properties_file_size=Fájlméret:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bájt)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bájt)
+document_properties_title=Cím:
+document_properties_author=Szerző:
+document_properties_subject=Tárgy:
+document_properties_keywords=Kulcsszavak:
+document_properties_creation_date=Létrehozás dátuma:
+document_properties_modification_date=Módosítás dátuma:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Létrehozta:
+document_properties_producer=PDF előállító:
+document_properties_version=PDF verzió:
+document_properties_page_count=Oldalszám:
+document_properties_close=Bezárás
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Oldalsáv be/ki
+toggle_sidebar_label=Oldalsáv be/ki
+outline.title=Dokumentumvázlat megjelenítése
+outline_label=Dokumentumvázlat
+attachments.title=Mellékletek megjelenítése
+attachments_label=Van melléklet
+thumbs.title=Bélyegképek megjelenítése
+thumbs_label=Bélyegképek
+findbar.title=Keresés a dokumentumban
+findbar_label=Keresés
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}}. oldal
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}}. oldal bélyegképe
+
+# Find panel button title and messages
+find_label=Keresés:
+find_previous.title=A kifejezés előző előfordulásának keresése
+find_previous_label=Előző
+find_next.title=A kifejezés következő előfordulásának keresése
+find_next_label=Tovább
+find_highlight=Összes kiemelése
+find_match_case_label=Kis- és nagybetűk megkülönböztetése
+find_reached_top=A dokumentum eleje elérve, folytatás a végétől
+find_reached_bottom=A dokumentum vége elérve, folytatás az elejétől
+find_not_found=A kifejezés nem található
+
+# Error panel labels
+error_more_info=További tudnivalók
+error_less_info=Kevesebb információ
+error_close=Bezárás
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Üzenet: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Nyomkövetés: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fájl: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Sor: {{line}}
+rendering_error=Hiba történt az oldal feldolgozása közben.
+
+# Predefined zoom values
+page_scale_width=Oldalszélesség
+page_scale_fit=Teljes oldal
+page_scale_auto=Automatikus nagyítás
+page_scale_actual=Valódi méret
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Hiba
+loading_error=Hiba történt a PDF betöltésekor.
+invalid_file_error=Érvénytelen vagy sérült PDF fájl.
+missing_file_error=Hiányzó PDF fájl.
+unexpected_response_error=Váratlan kiszolgálóválasz.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} megjegyzés]
+password_label=Adja meg a jelszót a PDF fájl megnyitásához.
+password_invalid=Helytelen jelszó. Próbálja újra.
+password_ok=OK
+password_cancel=Mégse
+
+printing_not_supported=Figyelmeztetés: Ez a böngésző nem teljesen támogatja a nyomtatást.
+printing_not_ready=Figyelmeztetés: A PDF nincs teljesen betöltve a nyomtatáshoz.
+web_fonts_disabled=Webes betűkészletek letiltva: nem használhatók a beágyazott PDF betűkészletek.
+document_colors_not_allowed=A PDF dokumentumok nem használhatják saját színeiket: „Az oldalak a saját maguk által kiválasztott színeket használhatják” beállítás ki van kapcsolva a böngészőben.
diff --git a/static/pdf.js/locale/hy-AM/viewer.ftl b/static/pdf.js/locale/hy-AM/viewer.ftl
deleted file mode 100644
index 5c9dd27b..00000000
--- a/static/pdf.js/locale/hy-AM/viewer.ftl
+++ /dev/null
@@ -1,272 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Նախորդ էջը
-pdfjs-previous-button-label = Նախորդը
-pdfjs-next-button =
- .title = Հաջորդ էջը
-pdfjs-next-button-label = Հաջորդը
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Էջ.
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = -ը՝ { $pagesCount }-ից
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber }-ը { $pagesCount })-ից
-pdfjs-zoom-out-button =
- .title = Փոքրացնել
-pdfjs-zoom-out-button-label = Փոքրացնել
-pdfjs-zoom-in-button =
- .title = Խոշորացնել
-pdfjs-zoom-in-button-label = Խոշորացնել
-pdfjs-zoom-select =
- .title = Դիտափոխում
-pdfjs-presentation-mode-button =
- .title = Անցնել Ներկայացման եղանակին
-pdfjs-presentation-mode-button-label = Ներկայացման եղանակ
-pdfjs-open-file-button =
- .title = Բացել նիշք
-pdfjs-open-file-button-label = Բացել
-pdfjs-print-button =
- .title = Տպել
-pdfjs-print-button-label = Տպել
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Ներբեռնել
-pdfjs-bookmark-button-label = Ընթացիկ էջ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Գործիքներ
-pdfjs-tools-button-label = Գործիքներ
-pdfjs-first-page-button =
- .title = Անցնել առաջին էջին
-pdfjs-first-page-button-label = Անցնել առաջին էջին
-pdfjs-last-page-button =
- .title = Անցնել վերջին էջին
-pdfjs-last-page-button-label = Անցնել վերջին էջին
-pdfjs-page-rotate-cw-button =
- .title = Պտտել ըստ ժամացույցի սլաքի
-pdfjs-page-rotate-cw-button-label = Պտտել ըստ ժամացույցի սլաքի
-pdfjs-page-rotate-ccw-button =
- .title = Պտտել հակառակ ժամացույցի սլաքի
-pdfjs-page-rotate-ccw-button-label = Պտտել հակառակ ժամացույցի սլաքի
-pdfjs-cursor-text-select-tool-button =
- .title = Միացնել գրույթ ընտրելու գործիքը
-pdfjs-cursor-text-select-tool-button-label = Գրույթը ընտրելու գործիք
-pdfjs-cursor-hand-tool-button =
- .title = Միացնել Ձեռքի գործիքը
-pdfjs-cursor-hand-tool-button-label = Ձեռքի գործիք
-pdfjs-scroll-vertical-button =
- .title = Օգտագործել ուղղահայաց ոլորում
-pdfjs-scroll-vertical-button-label = Ուղղահայաց ոլորում
-pdfjs-scroll-horizontal-button =
- .title = Օգտագործել հորիզոնական ոլորում
-pdfjs-scroll-horizontal-button-label = Հորիզոնական ոլորում
-pdfjs-scroll-wrapped-button =
- .title = Օգտագործել փաթաթված ոլորում
-pdfjs-scroll-wrapped-button-label = Փաթաթված ոլորում
-pdfjs-spread-none-button =
- .title = Մի միացեք էջի վերածածկերին
-pdfjs-spread-none-button-label = Չկա վերածածկեր
-pdfjs-spread-odd-button =
- .title = Միացեք էջի վերածածկերին սկսելով՝ կենտ համարակալված էջերով
-pdfjs-spread-odd-button-label = Կենտ վերածածկեր
-pdfjs-spread-even-button =
- .title = Միացեք էջի վերածածկերին սկսելով՝ զույգ համարակալված էջերով
-pdfjs-spread-even-button-label = Զույգ վերածածկեր
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Փաստաթղթի հատկությունները…
-pdfjs-document-properties-button-label = Փաստաթղթի հատկությունները…
-pdfjs-document-properties-file-name = Նիշքի անունը.
-pdfjs-document-properties-file-size = Նիշք չափը.
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } ԿԲ ({ $size_b } բայթ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } ՄԲ ({ $size_b } բայթ)
-pdfjs-document-properties-title = Վերնագիր.
-pdfjs-document-properties-author = Հեղինակ․
-pdfjs-document-properties-subject = Վերնագիր.
-pdfjs-document-properties-keywords = Հիմնաբառ.
-pdfjs-document-properties-creation-date = Ստեղծելու ամսաթիվը.
-pdfjs-document-properties-modification-date = Փոփոխելու ամսաթիվը.
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Ստեղծող.
-pdfjs-document-properties-producer = PDF-ի հեղինակը.
-pdfjs-document-properties-version = PDF-ի տարբերակը.
-pdfjs-document-properties-page-count = Էջերի քանակը.
-pdfjs-document-properties-page-size = Էջի չափը.
-pdfjs-document-properties-page-size-unit-inches = ում
-pdfjs-document-properties-page-size-unit-millimeters = մմ
-pdfjs-document-properties-page-size-orientation-portrait = ուղղաձիգ
-pdfjs-document-properties-page-size-orientation-landscape = հորիզոնական
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Նամակ
-pdfjs-document-properties-page-size-name-legal = Օրինական
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Արագ վեբ դիտում․
-pdfjs-document-properties-linearized-yes = Այո
-pdfjs-document-properties-linearized-no = Ոչ
-pdfjs-document-properties-close-button = Փակել
-
-## Print
-
-pdfjs-print-progress-message = Նախապատրաստում է փաստաթուղթը տպելուն...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Չեղարկել
-pdfjs-printing-not-supported = Զգուշացում. Տպելը ամբողջությամբ չի աջակցվում դիտարկիչի կողմից։
-pdfjs-printing-not-ready = Զգուշացում. PDF-ը ամբողջությամբ չի բեռնավորվել տպելու համար:
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Բացել/Փակել Կողային վահանակը
-pdfjs-toggle-sidebar-button-label = Բացել/Փակել Կողային վահանակը
-pdfjs-document-outline-button =
- .title = Ցուցադրել փաստաթղթի ուրվագիծը (կրկնակի սեղմեք՝ միավորները ընդարձակելու/կոծկելու համար)
-pdfjs-document-outline-button-label = Փաստաթղթի բովանդակությունը
-pdfjs-attachments-button =
- .title = Ցուցադրել կցորդները
-pdfjs-attachments-button-label = Կցորդներ
-pdfjs-thumbs-button =
- .title = Ցուցադրել Մանրապատկերը
-pdfjs-thumbs-button-label = Մանրապատկերը
-pdfjs-findbar-button =
- .title = Գտնել փաստաթղթում
-pdfjs-findbar-button-label = Որոնում
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Էջը { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Էջի մանրապատկերը { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Որոնում
- .placeholder = Գտնել փաստաթղթում...
-pdfjs-find-previous-button =
- .title = Գտնել անրահայտության նախորդ հանդիպումը
-pdfjs-find-previous-button-label = Նախորդը
-pdfjs-find-next-button =
- .title = Գտիր արտահայտության հաջորդ հանդիպումը
-pdfjs-find-next-button-label = Հաջորդը
-pdfjs-find-highlight-checkbox = Գունանշել բոլորը
-pdfjs-find-match-case-checkbox-label = Մեծ(փոքր)ատառ հաշվի առնել
-pdfjs-find-entire-word-checkbox-label = Ամբողջ բառերը
-pdfjs-find-reached-top = Հասել եք փաստաթղթի վերևին, կշարունակվի ներքևից
-pdfjs-find-reached-bottom = Հասել եք փաստաթղթի վերջին, կշարունակվի վերևից
-pdfjs-find-not-found = Արտահայտությունը չգտնվեց
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Էջի լայնքը
-pdfjs-page-scale-fit = Ձգել էջը
-pdfjs-page-scale-auto = Ինքնաշխատ
-pdfjs-page-scale-actual = Իրական չափը
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Սխալ՝ PDF ֆայլը բացելիս։
-pdfjs-invalid-file-error = Սխալ կամ վնասված PDF ֆայլ:
-pdfjs-missing-file-error = PDF ֆայլը բացակայում է:
-pdfjs-unexpected-response-error = Սպասարկիչի անսպասելի պատասխան:
-pdfjs-rendering-error = Սխալ՝ էջը ստեղծելիս:
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Ծանոթություն]
-
-## Password
-
-pdfjs-password-label = Մուտքագրեք PDF-ի գաղտնաբառը:
-pdfjs-password-invalid = Գաղտնաբառը սխալ է: Կրկին փորձեք:
-pdfjs-password-ok-button = Լավ
-pdfjs-password-cancel-button = Չեղարկել
-pdfjs-web-fonts-disabled = Վեբ-տառատեսակները անջատված են. հնարավոր չէ օգտագործել ներկառուցված PDF տառատեսակները:
-
-## Editing
-
-
-## Remove button for the various kind of editor.
-
-
-##
-
-pdfjs-free-text-default-content = Սկսել մուտքագրումը…
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-
-## Color picker
-
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Ցուցադրել բոլորը
-pdfjs-editor-highlight-show-all-button =
- .title = Ցուցադրել բոլորը
diff --git a/static/pdf.js/locale/hy-AM/viewer.properties b/static/pdf.js/locale/hy-AM/viewer.properties
new file mode 100644
index 00000000..d4905171
--- /dev/null
+++ b/static/pdf.js/locale/hy-AM/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Նախորդ էջը
+previous_label=Նախորդը
+next.title=Հաջորդ էջը
+next_label=Հաջորդը
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Էջ.
+page_of={{pageCount}}-ից
+
+zoom_out.title=Փոքրացնել
+zoom_out_label=Փոքրացնել
+zoom_in.title=Խոշորացնել
+zoom_in_label=Խոշորացնել
+zoom.title=Մասշտաբը\u0020
+presentation_mode.title=Անցնել Ներկայացման եղանակին
+presentation_mode_label=Ներկայացման եղանակ
+open_file.title=Բացել Ֆայլ
+open_file_label=Բացել
+print.title=Տպել
+print_label=Տպել
+download.title=Բեռնել
+download_label=Բեռնել
+bookmark.title=Ընթացիկ տեսքով (պատճենել կամ բացել նոր պատուհանում)
+bookmark_label=Ընթացիկ տեսքը
+
+# Secondary toolbar and context menu
+tools.title=Գործիքներ
+tools_label=Գործիքներ
+first_page.title=Անցնել առաջին էջին
+first_page.label=Անցնել առաջին էջին
+first_page_label=Անցնել առաջին էջին
+last_page.title=Անցնել վերջին էջին
+last_page.label=Անցնել վերջին էջին
+last_page_label=Անցնել վերջին էջին
+page_rotate_cw.title=Պտտել ըստ ժամացույցի սլաքի
+page_rotate_cw.label=Պտտել ըստ ժամացույցի սլաքի
+page_rotate_cw_label=Պտտել ըստ ժամացույցի սլաքի
+page_rotate_ccw.title=Պտտել հակառակ ժամացույցի սլաքի
+page_rotate_ccw.label=Պտտել հակառակ ժամացույցի սլաքի
+page_rotate_ccw_label=Պտտել հակառակ ժամացույցի սլաքի
+
+hand_tool_enable.title=Միացնել ձեռքի գործիքը
+hand_tool_enable_label=Միացնել ձեռքի գործիքը
+hand_tool_disable.title=Անջատել ձեռքի գործիքը
+hand_tool_disable_label=ԱՆջատել ձեռքի գործիքը
+
+# Document properties dialog box
+document_properties.title=Փաստաթղթի հատկությունները...
+document_properties_label=Փաստաթղթի հատկությունները...
+document_properties_file_name=Ֆայլի անունը.
+document_properties_file_size=Ֆայլի չափը.
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} ԿԲ ({{size_b}} բայթ)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} ՄԲ ({{size_b}} բայթ)
+document_properties_title=Վերնագիր.
+document_properties_author=Հեղինակ․
+document_properties_subject=Վերնագիր.
+document_properties_keywords=Հիմնաբառ.
+document_properties_creation_date=Ստեղծելու ամսաթիվը.
+document_properties_modification_date=Փոփոխելու ամսաթիվը.
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Ստեղծող.
+document_properties_producer=PDF-ի հեղինակը.
+document_properties_version=PDF-ի տարբերակը.
+document_properties_page_count=Էջերի քանակը.
+document_properties_close=Փակել
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Բացել/Փակել Կողային վահանակը
+toggle_sidebar_label=Բացել/Փակել Կողային վահանակը
+outline.title=Ցուցադրել փաստաթղթի բովանդակությունը
+outline_label=Փաստաթղթի բովանդակությունը
+attachments.title=Ցուցադրել կցորդները
+attachments_label=Կցորդներ
+thumbs.title=Ցուցադրել Մանրապատկերը
+thumbs_label=Մանրապատկերը
+findbar.title=Գտնել փաստաթղթում
+findbar_label=Որոնում
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Էջը {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Էջի մանրապատկերը {{page}}
+
+# Find panel button title and messages
+find_label=Գտնել`
+find_previous.title=Գտնել անրահայտության նախորդ հանդիպումը
+find_previous_label=Նախորդը
+find_next.title=Գտիր արտահայտության հաջորդ հանդիպումը
+find_next_label=Հաջորդը
+find_highlight=Գունանշել բոլորը
+find_match_case_label=Մեծ(փոքր)ատառ հաշվի առնել
+find_reached_top=Հասել եք փաստաթղթի վերևին, կշարունակվի ներքևից
+find_reached_bottom=Հասել եք փաստաթղթի վերջին, կշարունակվի վերևից
+find_not_found=Արտահայտությունը չգտնվեց
+
+# Error panel labels
+error_more_info=Ավելի շատ տեղեկություն
+error_less_info=Քիչ տեղեկություն
+error_close=Փակել
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (կառուցումը. {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Գրությունը. {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Շեղջ. {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ֆայլ. {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Տողը. {{line}}
+rendering_error=Սխալ՝ էջը ստեղծելիս:
+
+# Predefined zoom values
+page_scale_width=Էջի լայնքը
+page_scale_fit=Ձգել էջը
+page_scale_auto=Ինքնաշխատ
+page_scale_actual=Իրական չափը
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Սխալ
+loading_error=Սխալ՝ PDF ֆայլը բացելիս։
+invalid_file_error=Սխալ կամ բնասված PDF ֆայլ:
+missing_file_error=PDF ֆայլը բացակայում է:
+unexpected_response_error=Սպասարկիչի անսպասելի պատասխան:
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Ծանոթություն]
+password_label=Մուտքագրեք PDF-ի գաղտնաբառը:
+password_invalid=Գաղտնաբառը սխալ է: Կրկին փորձեք:
+password_ok=ԼԱՎ
+password_cancel=Չեղարկել
+
+printing_not_supported=Զգուշացում. Տպելը ամբողջությամբ չի աջակցվում դիտարկիչի կողմից։
+printing_not_ready=Զգուշացում. PDF-ը ամբողջությամբ չի բեռնավորվել տպելու համար:
+web_fonts_disabled=Վեբ-տառատեսակները անջատված են. հնարավոր չէ օգտագործել ներկառուցված PDF տառատեսակները:
+document_colors_not_allowed=PDF փաստաթղթերին թույլատրված չէ օգտագործել իրենց սեփական գույները: 'Թույլատրել էջերին ընտրել իրենց սեփական գույները' ընտրանքը անջատված է դիտարկիչում:
diff --git a/static/pdf.js/locale/hye/viewer.ftl b/static/pdf.js/locale/hye/viewer.ftl
deleted file mode 100644
index 75cdc064..00000000
--- a/static/pdf.js/locale/hye/viewer.ftl
+++ /dev/null
@@ -1,268 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Նախորդ էջ
-pdfjs-previous-button-label = Նախորդը
-pdfjs-next-button =
- .title = Յաջորդ էջ
-pdfjs-next-button-label = Յաջորդը
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = էջ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount }-ից
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber }-ը { $pagesCount })-ից
-pdfjs-zoom-out-button =
- .title = Փոքրացնել
-pdfjs-zoom-out-button-label = Փոքրացնել
-pdfjs-zoom-in-button =
- .title = Խոշորացնել
-pdfjs-zoom-in-button-label = Խոշորացնել
-pdfjs-zoom-select =
- .title = Խոշորացում
-pdfjs-presentation-mode-button =
- .title = Անցնել ներկայացման եղանակին
-pdfjs-presentation-mode-button-label = Ներկայացման եղանակ
-pdfjs-open-file-button =
- .title = Բացել նիշքը
-pdfjs-open-file-button-label = Բացել
-pdfjs-print-button =
- .title = Տպել
-pdfjs-print-button-label = Տպել
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Գործիքներ
-pdfjs-tools-button-label = Գործիքներ
-pdfjs-first-page-button =
- .title = Գնալ դէպի առաջին էջ
-pdfjs-first-page-button-label = Գնալ դէպի առաջին էջ
-pdfjs-last-page-button =
- .title = Գնալ դէպի վերջին էջ
-pdfjs-last-page-button-label = Գնալ դէպի վերջին էջ
-pdfjs-page-rotate-cw-button =
- .title = Պտտել ժամացոյցի սլաքի ուղղութեամբ
-pdfjs-page-rotate-cw-button-label = Պտտել ժամացոյցի սլաքի ուղղութեամբ
-pdfjs-page-rotate-ccw-button =
- .title = Պտտել ժամացոյցի սլաքի հակառակ ուղղութեամբ
-pdfjs-page-rotate-ccw-button-label = Պտտել ժամացոյցի սլաքի հակառակ ուղղութեամբ
-pdfjs-cursor-text-select-tool-button =
- .title = Միացնել գրոյթ ընտրելու գործիքը
-pdfjs-cursor-text-select-tool-button-label = Գրուածք ընտրելու գործիք
-pdfjs-cursor-hand-tool-button =
- .title = Միացնել ձեռքի գործիքը
-pdfjs-cursor-hand-tool-button-label = Ձեռքի գործիք
-pdfjs-scroll-page-button =
- .title = Աւգտագործել էջի ոլորում
-pdfjs-scroll-page-button-label = Էջի ոլորում
-pdfjs-scroll-vertical-button =
- .title = Աւգտագործել ուղղահայեաց ոլորում
-pdfjs-scroll-vertical-button-label = Ուղղահայեաց ոլորում
-pdfjs-scroll-horizontal-button =
- .title = Աւգտագործել հորիզոնական ոլորում
-pdfjs-scroll-horizontal-button-label = Հորիզոնական ոլորում
-pdfjs-scroll-wrapped-button =
- .title = Աւգտագործել փաթաթուած ոլորում
-pdfjs-scroll-wrapped-button-label = Փաթաթուած ոլորում
-pdfjs-spread-none-button =
- .title = Մի միացէք էջի կոնտեքստում
-pdfjs-spread-none-button-label = Չկայ կոնտեքստ
-pdfjs-spread-odd-button =
- .title = Միացէք էջի կոնտեքստին սկսելով՝ կենտ համարակալուած էջերով
-pdfjs-spread-odd-button-label = Տարաւրինակ կոնտեքստ
-pdfjs-spread-even-button =
- .title = Միացէք էջի կոնտեքստին սկսելով՝ զոյգ համարակալուած էջերով
-pdfjs-spread-even-button-label = Հաւասար վերածածկեր
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Փաստաթղթի հատկութիւնները…
-pdfjs-document-properties-button-label = Փաստաթղթի յատկութիւնները…
-pdfjs-document-properties-file-name = Նիշքի անունը․
-pdfjs-document-properties-file-size = Նիշք չափը.
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } ԿԲ ({ $size_b } բայթ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } ՄԲ ({ $size_b } բայթ)
-pdfjs-document-properties-title = Վերնագիր
-pdfjs-document-properties-author = Հեղինակ․
-pdfjs-document-properties-subject = առարկայ
-pdfjs-document-properties-keywords = Հիմնաբառեր
-pdfjs-document-properties-creation-date = Ստեղծման ամսաթիւ
-pdfjs-document-properties-modification-date = Փոփոխութեան ամսաթիւ.
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Ստեղծող
-pdfjs-document-properties-producer = PDF-ի Արտադրողը.
-pdfjs-document-properties-version = PDF-ի տարբերակը.
-pdfjs-document-properties-page-count = Էջերի քանակը.
-pdfjs-document-properties-page-size = Էջի չափը.
-pdfjs-document-properties-page-size-unit-inches = ում
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = ուղղաձիգ
-pdfjs-document-properties-page-size-orientation-landscape = հորիզոնական
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Նամակ
-pdfjs-document-properties-page-size-name-legal = Աւրինական
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Արագ վեբ դիտում․
-pdfjs-document-properties-linearized-yes = Այո
-pdfjs-document-properties-linearized-no = Ոչ
-pdfjs-document-properties-close-button = Փակել
-
-## Print
-
-pdfjs-print-progress-message = Նախապատրաստում է փաստաթուղթը տպելուն…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Չեղարկել
-pdfjs-printing-not-supported = Զգուշացում. Տպելը ամբողջութեամբ չի աջակցուում զննարկիչի կողմից։
-pdfjs-printing-not-ready = Զգուշացում. PDF֊ը ամբողջութեամբ չի բեռնաւորուել տպելու համար։
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Փոխարկել կողային վահանակը
-pdfjs-toggle-sidebar-notification-button =
- .title = Փոխանջատել կողմնասիւնը (փաստաթուղթը պարունակում է ուրուագիծ/կցորդներ/շերտեր)
-pdfjs-toggle-sidebar-button-label = Փոխարկել կողային վահանակը
-pdfjs-document-outline-button =
- .title = Ցուցադրել փաստաթղթի ուրուագիծը (կրկնակի սեղմէք՝ միաւորները ընդարձակելու/կոծկելու համար)
-pdfjs-document-outline-button-label = Փաստաթղթի ուրուագիծ
-pdfjs-attachments-button =
- .title = Ցուցադրել կցորդները
-pdfjs-attachments-button-label = Կցորդներ
-pdfjs-layers-button =
- .title = Ցուցադրել շերտերը (կրկնահպել վերակայելու բոլոր շերտերը սկզբնադիր վիճակի)
-pdfjs-layers-button-label = Շերտեր
-pdfjs-thumbs-button =
- .title = Ցուցադրել մանրապատկերը
-pdfjs-thumbs-button-label = Մանրապատկեր
-pdfjs-current-outline-item-button =
- .title = Գտէք ընթացիկ գծագրման տարրը
-pdfjs-current-outline-item-button-label = Ընթացիկ գծագրման տարր
-pdfjs-findbar-button =
- .title = Գտնել փաստաթղթում
-pdfjs-findbar-button-label = Որոնում
-pdfjs-additional-layers = Լրացուցիչ շերտեր
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Էջը { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Էջի մանրապատկերը { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Որոնում
- .placeholder = Գտնել փաստաթղթում…
-pdfjs-find-previous-button =
- .title = Գտնել արտայայտութեան նախորդ արտայայտութիւնը
-pdfjs-find-previous-button-label = Նախորդը
-pdfjs-find-next-button =
- .title = Գտիր արտայայտութեան յաջորդ արտայայտութիւնը
-pdfjs-find-next-button-label = Հաջորդը
-pdfjs-find-highlight-checkbox = Գունանշել բոլորը
-pdfjs-find-match-case-checkbox-label = Հաշուի առնել հանգամանքը
-pdfjs-find-match-diacritics-checkbox-label = Հնչիւնատարբերիչ նշանների համապատասխանեցում
-pdfjs-find-entire-word-checkbox-label = Ամբողջ բառերը
-pdfjs-find-reached-top = Հասել եք փաստաթղթի վերեւին,շարունակել ներքեւից
-pdfjs-find-reached-bottom = Հասել էք փաստաթղթի վերջին, շարունակել վերեւից
-pdfjs-find-not-found = Արտայայտութիւնը չգտնուեց
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Էջի լայնութիւն
-pdfjs-page-scale-fit = Հարմարեցնել էջը
-pdfjs-page-scale-auto = Ինքնաշխատ խոշորացում
-pdfjs-page-scale-actual = Իրական չափը
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Էջ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF նիշքը բացելիս սխալ է տեղի ունեցել։
-pdfjs-invalid-file-error = Սխալ կամ վնասուած PDF նիշք։
-pdfjs-missing-file-error = PDF նիշքը բացակաիւմ է։
-pdfjs-unexpected-response-error = Սպասարկիչի անսպասելի պատասխան։
-pdfjs-rendering-error = Սխալ է տեղի ունեցել էջի մեկնաբանման ժամանակ
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Ծանոթութիւն]
-
-## Password
-
-pdfjs-password-label = Մուտքագրէք գաղտնաբառը այս PDF նիշքը բացելու համար
-pdfjs-password-invalid = Գաղտնաբառը սխալ է: Կրկին փորձէք:
-pdfjs-password-ok-button = Լաւ
-pdfjs-password-cancel-button = Չեղարկել
-pdfjs-web-fonts-disabled = Վեբ-տառատեսակները անջատուած են. հնարաւոր չէ աւգտագործել ներկառուցուած PDF տառատեսակները։
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ia/viewer.ftl b/static/pdf.js/locale/ia/viewer.ftl
deleted file mode 100644
index 4cddfa28..00000000
--- a/static/pdf.js/locale/ia/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina previe
-pdfjs-previous-button-label = Previe
-pdfjs-next-button =
- .title = Pagina sequente
-pdfjs-next-button-label = Sequente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Distantiar
-pdfjs-zoom-out-button-label = Distantiar
-pdfjs-zoom-in-button =
- .title = Approximar
-pdfjs-zoom-in-button-label = Approximar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Excambiar a modo presentation
-pdfjs-presentation-mode-button-label = Modo presentation
-pdfjs-open-file-button =
- .title = Aperir le file
-pdfjs-open-file-button-label = Aperir
-pdfjs-print-button =
- .title = Imprimer
-pdfjs-print-button-label = Imprimer
-pdfjs-save-button =
- .title = Salvar
-pdfjs-save-button-label = Salvar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Discargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Discargar
-pdfjs-bookmark-button =
- .title = Pagina actual (vide le URL del pagina actual)
-pdfjs-bookmark-button-label = Pagina actual
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Instrumentos
-pdfjs-tools-button-label = Instrumentos
-pdfjs-first-page-button =
- .title = Ir al prime pagina
-pdfjs-first-page-button-label = Ir al prime pagina
-pdfjs-last-page-button =
- .title = Ir al ultime pagina
-pdfjs-last-page-button-label = Ir al ultime pagina
-pdfjs-page-rotate-cw-button =
- .title = Rotar in senso horari
-pdfjs-page-rotate-cw-button-label = Rotar in senso horari
-pdfjs-page-rotate-ccw-button =
- .title = Rotar in senso antihorari
-pdfjs-page-rotate-ccw-button-label = Rotar in senso antihorari
-pdfjs-cursor-text-select-tool-button =
- .title = Activar le instrumento de selection de texto
-pdfjs-cursor-text-select-tool-button-label = Instrumento de selection de texto
-pdfjs-cursor-hand-tool-button =
- .title = Activar le instrumento mano
-pdfjs-cursor-hand-tool-button-label = Instrumento mano
-pdfjs-scroll-page-button =
- .title = Usar rolamento de pagina
-pdfjs-scroll-page-button-label = Rolamento de pagina
-pdfjs-scroll-vertical-button =
- .title = Usar rolamento vertical
-pdfjs-scroll-vertical-button-label = Rolamento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar rolamento horizontal
-pdfjs-scroll-horizontal-button-label = Rolamento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar rolamento incapsulate
-pdfjs-scroll-wrapped-button-label = Rolamento incapsulate
-pdfjs-spread-none-button =
- .title = Non junger paginas dual
-pdfjs-spread-none-button-label = Sin paginas dual
-pdfjs-spread-odd-button =
- .title = Junger paginas dual a partir de paginas con numeros impar
-pdfjs-spread-odd-button-label = Paginas dual impar
-pdfjs-spread-even-button =
- .title = Junger paginas dual a partir de paginas con numeros par
-pdfjs-spread-even-button-label = Paginas dual par
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Proprietates del documento…
-pdfjs-document-properties-button-label = Proprietates del documento…
-pdfjs-document-properties-file-name = Nomine del file:
-pdfjs-document-properties-file-size = Dimension de file:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titulo:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Subjecto:
-pdfjs-document-properties-keywords = Parolas clave:
-pdfjs-document-properties-creation-date = Data de creation:
-pdfjs-document-properties-modification-date = Data de modification:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creator:
-pdfjs-document-properties-producer = Productor PDF:
-pdfjs-document-properties-version = Version PDF:
-pdfjs-document-properties-page-count = Numero de paginas:
-pdfjs-document-properties-page-size = Dimension del pagina:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = horizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Littera
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web rapide:
-pdfjs-document-properties-linearized-yes = Si
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Clauder
-
-## Print
-
-pdfjs-print-progress-message = Preparation del documento pro le impression…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancellar
-pdfjs-printing-not-supported = Attention : le impression non es totalmente supportate per ce navigator.
-pdfjs-printing-not-ready = Attention: le file PDF non es integremente cargate pro lo poter imprimer.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Monstrar/celar le barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Monstrar/celar le barra lateral (le documento contine structura/attachamentos/stratos)
-pdfjs-toggle-sidebar-button-label = Monstrar/celar le barra lateral
-pdfjs-document-outline-button =
- .title = Monstrar le schema del documento (clic duple pro expander/contraher tote le elementos)
-pdfjs-document-outline-button-label = Schema del documento
-pdfjs-attachments-button =
- .title = Monstrar le annexos
-pdfjs-attachments-button-label = Annexos
-pdfjs-layers-button =
- .title = Monstrar stratos (clicca duple pro remontar tote le stratos al stato predefinite)
-pdfjs-layers-button-label = Stratos
-pdfjs-thumbs-button =
- .title = Monstrar le vignettes
-pdfjs-thumbs-button-label = Vignettes
-pdfjs-current-outline-item-button =
- .title = Trovar le elemento de structura actual
-pdfjs-current-outline-item-button-label = Elemento de structura actual
-pdfjs-findbar-button =
- .title = Cercar in le documento
-pdfjs-findbar-button-label = Cercar
-pdfjs-additional-layers = Altere stratos
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Vignette del pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Cercar
- .placeholder = Cercar in le documento…
-pdfjs-find-previous-button =
- .title = Trovar le previe occurrentia del phrase
-pdfjs-find-previous-button-label = Previe
-pdfjs-find-next-button =
- .title = Trovar le successive occurrentia del phrase
-pdfjs-find-next-button-label = Sequente
-pdfjs-find-highlight-checkbox = Evidentiar toto
-pdfjs-find-match-case-checkbox-label = Distinguer majusculas/minusculas
-pdfjs-find-match-diacritics-checkbox-label = Differentiar diacriticos
-pdfjs-find-entire-word-checkbox-label = Parolas integre
-pdfjs-find-reached-top = Initio del documento attingite, continuation ab fin
-pdfjs-find-reached-bottom = Fin del documento attingite, continuation ab initio
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } de { $total } correspondentia
- *[other] { $current } de { $total } correspondentias
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Plus de { $limit } correspondentia
- *[other] Plus de { $limit } correspondentias
- }
-pdfjs-find-not-found = Phrase non trovate
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Plen largor del pagina
-pdfjs-page-scale-fit = Pagina integre
-pdfjs-page-scale-auto = Zoom automatic
-pdfjs-page-scale-actual = Dimension real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Un error occurreva durante que on cargava le file PDF.
-pdfjs-invalid-file-error = File PDF corrumpite o non valide.
-pdfjs-missing-file-error = File PDF mancante.
-pdfjs-unexpected-response-error = Responsa del servitor inexpectate.
-pdfjs-rendering-error = Un error occurreva durante que on processava le pagina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Insere le contrasigno pro aperir iste file PDF.
-pdfjs-password-invalid = Contrasigno invalide. Per favor retenta.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancellar
-pdfjs-web-fonts-disabled = Le typos de litteras web es disactivate: impossibile usar le typos de litteras PDF incorporate.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Designar
-pdfjs-editor-ink-button-label = Designar
-pdfjs-editor-stamp-button =
- .title = Adder o rediger imagines
-pdfjs-editor-stamp-button-label = Adder o rediger imagines
-pdfjs-editor-highlight-button =
- .title = Evidentia
-pdfjs-editor-highlight-button-label = Evidentia
-pdfjs-highlight-floating-button1 =
- .title = Evidentiar
- .aria-label = Evidentiar
-pdfjs-highlight-floating-button-label = Evidentiar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remover le designo
-pdfjs-editor-remove-freetext-button =
- .title = Remover texto
-pdfjs-editor-remove-stamp-button =
- .title = Remover imagine
-pdfjs-editor-remove-highlight-button =
- .title = Remover evidentia
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Dimension
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Spissor
-pdfjs-editor-ink-opacity-input = Opacitate
-pdfjs-editor-stamp-add-image-button =
- .title = Adder imagine
-pdfjs-editor-stamp-add-image-button-label = Adder imagine
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Spissor
-pdfjs-editor-free-highlight-thickness-title =
- .title = Cambiar spissor evidentiante elementos differente de texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Comenciar a scriber…
-pdfjs-ink =
- .aria-label = Editor de designos
-pdfjs-ink-canvas =
- .aria-label = Imagine create per le usator
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternative
-pdfjs-editor-alt-text-edit-button-label = Rediger texto alternative
-pdfjs-editor-alt-text-dialog-label = Elige un option
-pdfjs-editor-alt-text-dialog-description = Le texto alternative (alt text) adjuta quando le personas non pote vider le imagine o quando illo non carga.
-pdfjs-editor-alt-text-add-description-label = Adder un description
-pdfjs-editor-alt-text-add-description-description = Mira a 1-2 phrases que describe le subjecto, parametro, o actiones.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorative
-pdfjs-editor-alt-text-mark-decorative-description = Isto es usate pro imagines ornamental, como bordaturas o filigranas.
-pdfjs-editor-alt-text-cancel-button = Cancellar
-pdfjs-editor-alt-text-save-button = Salvar
-pdfjs-editor-alt-text-decorative-tooltip = Marcate como decorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Per exemplo, “Un juvene sede a un tabula pro mangiar un repasto”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Angulo superior sinistre — redimensionar
-pdfjs-editor-resizer-label-top-middle = Medio superior — redimensionar
-pdfjs-editor-resizer-label-top-right = Angulo superior dextre — redimensionar
-pdfjs-editor-resizer-label-middle-right = Medio dextre — redimensionar
-pdfjs-editor-resizer-label-bottom-right = Angulo inferior dextre — redimensionar
-pdfjs-editor-resizer-label-bottom-middle = Medio inferior — redimensionar
-pdfjs-editor-resizer-label-bottom-left = Angulo inferior sinistre — redimensionar
-pdfjs-editor-resizer-label-middle-left = Medio sinistre — redimensionar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Color pro evidentiar
-pdfjs-editor-colorpicker-button =
- .title = Cambiar color
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Electiones del color
-pdfjs-editor-colorpicker-yellow =
- .title = Jalne
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Blau
-pdfjs-editor-colorpicker-pink =
- .title = Rosate
-pdfjs-editor-colorpicker-red =
- .title = Rubie
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Monstrar toto
-pdfjs-editor-highlight-show-all-button =
- .title = Monstrar toto
diff --git a/static/pdf.js/locale/id/viewer.ftl b/static/pdf.js/locale/id/viewer.ftl
deleted file mode 100644
index fee8d18b..00000000
--- a/static/pdf.js/locale/id/viewer.ftl
+++ /dev/null
@@ -1,293 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Laman Sebelumnya
-pdfjs-previous-button-label = Sebelumnya
-pdfjs-next-button =
- .title = Laman Selanjutnya
-pdfjs-next-button-label = Selanjutnya
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Halaman
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = dari { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } dari { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Perkecil
-pdfjs-zoom-out-button-label = Perkecil
-pdfjs-zoom-in-button =
- .title = Perbesar
-pdfjs-zoom-in-button-label = Perbesar
-pdfjs-zoom-select =
- .title = Perbesaran
-pdfjs-presentation-mode-button =
- .title = Ganti ke Mode Presentasi
-pdfjs-presentation-mode-button-label = Mode Presentasi
-pdfjs-open-file-button =
- .title = Buka Berkas
-pdfjs-open-file-button-label = Buka
-pdfjs-print-button =
- .title = Cetak
-pdfjs-print-button-label = Cetak
-pdfjs-save-button =
- .title = Simpan
-pdfjs-save-button-label = Simpan
-pdfjs-bookmark-button =
- .title = Laman Saat Ini (Lihat URL dari Laman Sekarang)
-pdfjs-bookmark-button-label = Laman Saat Ini
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Alat
-pdfjs-tools-button-label = Alat
-pdfjs-first-page-button =
- .title = Buka Halaman Pertama
-pdfjs-first-page-button-label = Buka Halaman Pertama
-pdfjs-last-page-button =
- .title = Buka Halaman Terakhir
-pdfjs-last-page-button-label = Buka Halaman Terakhir
-pdfjs-page-rotate-cw-button =
- .title = Putar Searah Jarum Jam
-pdfjs-page-rotate-cw-button-label = Putar Searah Jarum Jam
-pdfjs-page-rotate-ccw-button =
- .title = Putar Berlawanan Arah Jarum Jam
-pdfjs-page-rotate-ccw-button-label = Putar Berlawanan Arah Jarum Jam
-pdfjs-cursor-text-select-tool-button =
- .title = Aktifkan Alat Seleksi Teks
-pdfjs-cursor-text-select-tool-button-label = Alat Seleksi Teks
-pdfjs-cursor-hand-tool-button =
- .title = Aktifkan Alat Tangan
-pdfjs-cursor-hand-tool-button-label = Alat Tangan
-pdfjs-scroll-page-button =
- .title = Gunakan Pengguliran Laman
-pdfjs-scroll-page-button-label = Pengguliran Laman
-pdfjs-scroll-vertical-button =
- .title = Gunakan Penggeseran Vertikal
-pdfjs-scroll-vertical-button-label = Penggeseran Vertikal
-pdfjs-scroll-horizontal-button =
- .title = Gunakan Penggeseran Horizontal
-pdfjs-scroll-horizontal-button-label = Penggeseran Horizontal
-pdfjs-scroll-wrapped-button =
- .title = Gunakan Penggeseran Terapit
-pdfjs-scroll-wrapped-button-label = Penggeseran Terapit
-pdfjs-spread-none-button =
- .title = Jangan gabungkan lembar halaman
-pdfjs-spread-none-button-label = Tidak Ada Lembaran
-pdfjs-spread-odd-button =
- .title = Gabungkan lembar lamanan mulai dengan halaman ganjil
-pdfjs-spread-odd-button-label = Lembaran Ganjil
-pdfjs-spread-even-button =
- .title = Gabungkan lembar halaman dimulai dengan halaman genap
-pdfjs-spread-even-button-label = Lembaran Genap
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Properti Dokumen…
-pdfjs-document-properties-button-label = Properti Dokumen…
-pdfjs-document-properties-file-name = Nama berkas:
-pdfjs-document-properties-file-size = Ukuran berkas:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Judul:
-pdfjs-document-properties-author = Penyusun:
-pdfjs-document-properties-subject = Subjek:
-pdfjs-document-properties-keywords = Kata Kunci:
-pdfjs-document-properties-creation-date = Tanggal Dibuat:
-pdfjs-document-properties-modification-date = Tanggal Dimodifikasi:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Pembuat:
-pdfjs-document-properties-producer = Pemroduksi PDF:
-pdfjs-document-properties-version = Versi PDF:
-pdfjs-document-properties-page-count = Jumlah Halaman:
-pdfjs-document-properties-page-size = Ukuran Laman:
-pdfjs-document-properties-page-size-unit-inches = inci
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = tegak
-pdfjs-document-properties-page-size-orientation-landscape = mendatar
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Tampilan Web Kilat:
-pdfjs-document-properties-linearized-yes = Ya
-pdfjs-document-properties-linearized-no = Tidak
-pdfjs-document-properties-close-button = Tutup
-
-## Print
-
-pdfjs-print-progress-message = Menyiapkan dokumen untuk pencetakan…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Batalkan
-pdfjs-printing-not-supported = Peringatan: Pencetakan tidak didukung secara lengkap pada peramban ini.
-pdfjs-printing-not-ready = Peringatan: Berkas PDF masih belum dimuat secara lengkap untuk dapat dicetak.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Aktif/Nonaktifkan Bilah Samping
-pdfjs-toggle-sidebar-notification-button =
- .title = Aktif/Nonaktifkan Bilah Samping (dokumen berisi kerangka/lampiran/lapisan)
-pdfjs-toggle-sidebar-button-label = Aktif/Nonaktifkan Bilah Samping
-pdfjs-document-outline-button =
- .title = Tampilkan Kerangka Dokumen (klik ganda untuk membentangkan/menciutkan semua item)
-pdfjs-document-outline-button-label = Kerangka Dokumen
-pdfjs-attachments-button =
- .title = Tampilkan Lampiran
-pdfjs-attachments-button-label = Lampiran
-pdfjs-layers-button =
- .title = Tampilkan Lapisan (klik ganda untuk mengatur ulang semua lapisan ke keadaan baku)
-pdfjs-layers-button-label = Lapisan
-pdfjs-thumbs-button =
- .title = Tampilkan Miniatur
-pdfjs-thumbs-button-label = Miniatur
-pdfjs-current-outline-item-button =
- .title = Cari Butir Ikhtisar Saat Ini
-pdfjs-current-outline-item-button-label = Butir Ikhtisar Saat Ini
-pdfjs-findbar-button =
- .title = Temukan di Dokumen
-pdfjs-findbar-button-label = Temukan
-pdfjs-additional-layers = Lapisan Tambahan
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Laman { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatur Laman { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Temukan
- .placeholder = Temukan di dokumen…
-pdfjs-find-previous-button =
- .title = Temukan kata sebelumnya
-pdfjs-find-previous-button-label = Sebelumnya
-pdfjs-find-next-button =
- .title = Temukan lebih lanjut
-pdfjs-find-next-button-label = Selanjutnya
-pdfjs-find-highlight-checkbox = Sorot semuanya
-pdfjs-find-match-case-checkbox-label = Cocokkan BESAR/kecil
-pdfjs-find-match-diacritics-checkbox-label = Pencocokan Diakritik
-pdfjs-find-entire-word-checkbox-label = Seluruh teks
-pdfjs-find-reached-top = Sampai di awal dokumen, dilanjutkan dari bawah
-pdfjs-find-reached-bottom = Sampai di akhir dokumen, dilanjutkan dari atas
-pdfjs-find-not-found = Frasa tidak ditemukan
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lebar Laman
-pdfjs-page-scale-fit = Muat Laman
-pdfjs-page-scale-auto = Perbesaran Otomatis
-pdfjs-page-scale-actual = Ukuran Asli
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Halaman { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Galat terjadi saat memuat PDF.
-pdfjs-invalid-file-error = Berkas PDF tidak valid atau rusak.
-pdfjs-missing-file-error = Berkas PDF tidak ada.
-pdfjs-unexpected-response-error = Balasan server yang tidak diharapkan.
-pdfjs-rendering-error = Galat terjadi saat merender laman.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotasi { $type }]
-
-## Password
-
-pdfjs-password-label = Masukkan sandi untuk membuka berkas PDF ini.
-pdfjs-password-invalid = Sandi tidak valid. Silakan coba lagi.
-pdfjs-password-ok-button = Oke
-pdfjs-password-cancel-button = Batal
-pdfjs-web-fonts-disabled = Font web dinonaktifkan: tidak dapat menggunakan font PDF yang tersemat.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Teks
-pdfjs-editor-free-text-button-label = Teks
-pdfjs-editor-ink-button =
- .title = Gambar
-pdfjs-editor-ink-button-label = Gambar
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Warna
-pdfjs-editor-free-text-size-input = Ukuran
-pdfjs-editor-ink-color-input = Warna
-pdfjs-editor-ink-thickness-input = Ketebalan
-pdfjs-editor-ink-opacity-input = Opasitas
-pdfjs-free-text =
- .aria-label = Editor Teks
-pdfjs-free-text-default-content = Mulai mengetik…
-pdfjs-ink =
- .aria-label = Editor Gambar
-pdfjs-ink-canvas =
- .aria-label = Gambar yang dibuat pengguna
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/id/viewer.properties b/static/pdf.js/locale/id/viewer.properties
new file mode 100644
index 00000000..762a472e
--- /dev/null
+++ b/static/pdf.js/locale/id/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Laman Sebelumnya
+previous_label=Sebelumnya
+next.title=Laman Selanjutnya
+next_label=Selanjutnya
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Laman:
+page_of=dari {{pageCount}}
+
+zoom_out.title=Perkecil
+zoom_out_label=Perkecil
+zoom_in.title=Perbesar
+zoom_in_label=Perbesar
+zoom.title=Perbesaran
+presentation_mode.title=Ganti ke Mode Presentasi
+presentation_mode_label=Mode Presentasi
+open_file.title=Buka Berkas
+open_file_label=Buka
+print.title=Cetak
+print_label=Cetak
+download.title=Unduh
+download_label=Unduh
+bookmark.title=Tampilan Sekarang (salin atau buka di jendela baru)
+bookmark_label=Tampilan Sekarang
+
+# Secondary toolbar and context menu
+tools.title=Alat
+tools_label=Alat
+first_page.title=Buka Halaman Pertama
+first_page.label=Ke Halaman Pertama
+first_page_label=Buka Halaman Pertama
+last_page.title=Buka Halaman Terakhir
+last_page.label=Ke Halaman Terakhir
+last_page_label=Buka Halaman Terakhir
+page_rotate_cw.title=Putar Searah Jarum Jam
+page_rotate_cw.label=Putar Searah Jarum Jam
+page_rotate_cw_label=Putar Searah Jarum Jam
+page_rotate_ccw.title=Putar Berlawanan Arah Jarum Jam
+page_rotate_ccw.label=Putar Berlawanan Arah Jarum Jam
+page_rotate_ccw_label=Putar Berlawanan Arah Jarum Jam
+
+hand_tool_enable.title=Aktifkan alat tangan
+hand_tool_enable_label=Aktifkan alat tangan
+hand_tool_disable.title=Nonaktifkan alat tangan
+hand_tool_disable_label=Nonaktifkan alat tangan
+
+# Document properties dialog box
+document_properties.title=Properti Dokumen…
+document_properties_label=Properti Dokumen…
+document_properties_file_name=Nama berkas:
+document_properties_file_size=Ukuran berkas:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} byte)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} byte)
+document_properties_title=Judul:
+document_properties_author=Penyusun:
+document_properties_subject=Subjek:
+document_properties_keywords=Kata Kunci:
+document_properties_creation_date=Tanggal Dibuat:
+document_properties_modification_date=Tanggal Dimodifikasi:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Pembuat:
+document_properties_producer=Pemroduksi PDF:
+document_properties_version=Versi PDF:
+document_properties_page_count=Jumlah Halaman:
+document_properties_close=Tutup
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Aktif/Nonaktifkan Bilah Samping
+toggle_sidebar_label=Aktif/Nonaktifkan Bilah Samping
+outline.title=Buka Kerangka Dokumen
+outline_label=Kerangka Dokumen
+attachments.title=Tampilkan Lampiran
+attachments_label=Lampiran
+thumbs.title=Tampilkan Miniatur
+thumbs_label=Miniatur
+findbar.title=Temukan di Dokumen
+findbar_label=Temukan
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Laman {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatur Laman {{page}}
+
+# Find panel button title and messages
+find_label=Temukan:
+find_previous.title=Temukan kata sebelumnya
+find_previous_label=Sebelumnya
+find_next.title=Temukan lebih lanjut
+find_next_label=Selanjutnya
+find_highlight=Sorot semuanya
+find_match_case_label=Cocokkan BESAR/kecil
+find_reached_top=Sampai di awal dokumen, dilanjutkan dari bawah
+find_reached_bottom=Sampai di akhir dokumen, dilanjutkan dari atas
+find_not_found=Frasa tidak ditemukan
+
+# Error panel labels
+error_more_info=Lebih Banyak Informasi
+error_less_info=Lebih Sedikit Informasi
+error_close=Tutup
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Pesan: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Berkas: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Baris: {{line}}
+rendering_error=Galat terjadi saat merender laman.
+
+# Predefined zoom values
+page_scale_width=Lebar Laman
+page_scale_fit=Muat Laman
+page_scale_auto=Perbesaran Otomatis
+page_scale_actual=Ukuran Asli
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Galat
+loading_error=Galat terjadi saat memuat PDF.
+invalid_file_error=Berkas PDF tidak valid atau rusak.
+missing_file_error=Berkas PDF tidak ada.
+unexpected_response_error=Balasan server yang tidak diharapkan.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotasi {{type}}]
+password_label=Masukkan sandi untuk membuka berkas PDF ini.
+password_invalid=Sandi tidak valid. Silakan coba lagi.
+password_ok=Oke
+password_cancel=Batal
+
+printing_not_supported=Peringatan: Pencetakan tidak didukung secara lengkap pada peramban ini.
+printing_not_ready=Peringatan: Berkas PDF masih belum dimuat secara lengkap untuk dapat dicetak.
+web_fonts_disabled=Font web dinonaktifkan: tidak dapat menggunakan font PDF yang tersemat.
+document_colors_not_allowed=Dokumen PDF tidak diizinkan untuk menggunakan warnanya sendiri karena setelan 'Izinkan laman memilih warna sendiri' dinonaktifkan pada pengaturan.
diff --git a/static/pdf.js/locale/is/viewer.ftl b/static/pdf.js/locale/is/viewer.ftl
deleted file mode 100644
index d3afef3e..00000000
--- a/static/pdf.js/locale/is/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Fyrri síða
-pdfjs-previous-button-label = Fyrri
-pdfjs-next-button =
- .title = Næsta síða
-pdfjs-next-button-label = Næsti
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Síða
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = af { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } af { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Minnka aðdrátt
-pdfjs-zoom-out-button-label = Minnka aðdrátt
-pdfjs-zoom-in-button =
- .title = Auka aðdrátt
-pdfjs-zoom-in-button-label = Auka aðdrátt
-pdfjs-zoom-select =
- .title = Aðdráttur
-pdfjs-presentation-mode-button =
- .title = Skipta yfir á kynningarham
-pdfjs-presentation-mode-button-label = Kynningarhamur
-pdfjs-open-file-button =
- .title = Opna skrá
-pdfjs-open-file-button-label = Opna
-pdfjs-print-button =
- .title = Prenta
-pdfjs-print-button-label = Prenta
-pdfjs-save-button =
- .title = Vista
-pdfjs-save-button-label = Vista
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Sækja
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Sækja
-pdfjs-bookmark-button =
- .title = Núverandi síða (Skoða vefslóð frá núverandi síðu)
-pdfjs-bookmark-button-label = Núverandi síða
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Opna í smáforriti
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Opna í smáforriti
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Verkfæri
-pdfjs-tools-button-label = Verkfæri
-pdfjs-first-page-button =
- .title = Fara á fyrstu síðu
-pdfjs-first-page-button-label = Fara á fyrstu síðu
-pdfjs-last-page-button =
- .title = Fara á síðustu síðu
-pdfjs-last-page-button-label = Fara á síðustu síðu
-pdfjs-page-rotate-cw-button =
- .title = Snúa réttsælis
-pdfjs-page-rotate-cw-button-label = Snúa réttsælis
-pdfjs-page-rotate-ccw-button =
- .title = Snúa rangsælis
-pdfjs-page-rotate-ccw-button-label = Snúa rangsælis
-pdfjs-cursor-text-select-tool-button =
- .title = Virkja textavalsáhald
-pdfjs-cursor-text-select-tool-button-label = Textavalsáhald
-pdfjs-cursor-hand-tool-button =
- .title = Virkja handarverkfæri
-pdfjs-cursor-hand-tool-button-label = Handarverkfæri
-pdfjs-scroll-page-button =
- .title = Nota síðuskrun
-pdfjs-scroll-page-button-label = Síðuskrun
-pdfjs-scroll-vertical-button =
- .title = Nota lóðrétt skrun
-pdfjs-scroll-vertical-button-label = Lóðrétt skrun
-pdfjs-scroll-horizontal-button =
- .title = Nota lárétt skrun
-pdfjs-scroll-horizontal-button-label = Lárétt skrun
-pdfjs-scroll-wrapped-button =
- .title = Nota línuskipt síðuskrun
-pdfjs-scroll-wrapped-button-label = Línuskipt síðuskrun
-pdfjs-spread-none-button =
- .title = Ekki taka þátt í dreifingu síðna
-pdfjs-spread-none-button-label = Engin dreifing
-pdfjs-spread-odd-button =
- .title = Taka þátt í dreifingu síðna með oddatölum
-pdfjs-spread-odd-button-label = Oddatöludreifing
-pdfjs-spread-even-button =
- .title = Taktu þátt í dreifingu síðna með jöfnuntölum
-pdfjs-spread-even-button-label = Jafnatöludreifing
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Eiginleikar skjals…
-pdfjs-document-properties-button-label = Eiginleikar skjals…
-pdfjs-document-properties-file-name = Skráarnafn:
-pdfjs-document-properties-file-size = Skrárstærð:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titill:
-pdfjs-document-properties-author = Hönnuður:
-pdfjs-document-properties-subject = Efni:
-pdfjs-document-properties-keywords = Stikkorð:
-pdfjs-document-properties-creation-date = Búið til:
-pdfjs-document-properties-modification-date = Dags breytingar:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Höfundur:
-pdfjs-document-properties-producer = PDF framleiðandi:
-pdfjs-document-properties-version = PDF útgáfa:
-pdfjs-document-properties-page-count = Blaðsíðufjöldi:
-pdfjs-document-properties-page-size = Stærð síðu:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = skammsnið
-pdfjs-document-properties-page-size-orientation-landscape = langsnið
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fljótleg vefskoðun:
-pdfjs-document-properties-linearized-yes = Já
-pdfjs-document-properties-linearized-no = Nei
-pdfjs-document-properties-close-button = Loka
-
-## Print
-
-pdfjs-print-progress-message = Undirbý skjal fyrir prentun…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Hætta við
-pdfjs-printing-not-supported = Aðvörun: Prentun er ekki með fyllilegan stuðning á þessum vafra.
-pdfjs-printing-not-ready = Aðvörun: Ekki er búið að hlaða inn allri PDF skránni fyrir prentun.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Víxla hliðarspjaldi af/á
-pdfjs-toggle-sidebar-notification-button =
- .title = Víxla hliðarslá (skjal inniheldur yfirlit/viðhengi/lög)
-pdfjs-toggle-sidebar-button-label = Víxla hliðarspjaldi af/á
-pdfjs-document-outline-button =
- .title = Sýna yfirlit skjals (tvísmelltu til að opna/loka öllum hlutum)
-pdfjs-document-outline-button-label = Efnisskipan skjals
-pdfjs-attachments-button =
- .title = Sýna viðhengi
-pdfjs-attachments-button-label = Viðhengi
-pdfjs-layers-button =
- .title = Birta lög (tvísmelltu til að endurstilla öll lög í sjálfgefna stöðu)
-pdfjs-layers-button-label = Lög
-pdfjs-thumbs-button =
- .title = Sýna smámyndir
-pdfjs-thumbs-button-label = Smámyndir
-pdfjs-current-outline-item-button =
- .title = Finna núverandi atriði efnisskipunar
-pdfjs-current-outline-item-button-label = Núverandi atriði efnisskipunar
-pdfjs-findbar-button =
- .title = Leita í skjali
-pdfjs-findbar-button-label = Leita
-pdfjs-additional-layers = Viðbótarlög
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Síða { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Smámynd af síðu { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Leita
- .placeholder = Leita í skjali…
-pdfjs-find-previous-button =
- .title = Leita að fyrra tilfelli þessara orða
-pdfjs-find-previous-button-label = Fyrri
-pdfjs-find-next-button =
- .title = Leita að næsta tilfelli þessara orða
-pdfjs-find-next-button-label = Næsti
-pdfjs-find-highlight-checkbox = Lita allt
-pdfjs-find-match-case-checkbox-label = Passa við stafstöðu
-pdfjs-find-match-diacritics-checkbox-label = Passa við broddstafi
-pdfjs-find-entire-word-checkbox-label = Heil orð
-pdfjs-find-reached-top = Náði efst í skjal, held áfram neðst
-pdfjs-find-reached-bottom = Náði enda skjals, held áfram efst
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } af { $total } passar við
- *[other] { $current } af { $total } passa við
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Fleiri en { $limit } passar við
- *[other] Fleiri en { $limit } passa við
- }
-pdfjs-find-not-found = Fann ekki orðið
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Síðubreidd
-pdfjs-page-scale-fit = Passa á síðu
-pdfjs-page-scale-auto = Sjálfvirkur aðdráttur
-pdfjs-page-scale-actual = Raunstærð
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Síða { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Villa kom upp við að hlaða inn PDF.
-pdfjs-invalid-file-error = Ógild eða skemmd PDF skrá.
-pdfjs-missing-file-error = Vantar PDF skrá.
-pdfjs-unexpected-response-error = Óvænt svar frá netþjóni.
-pdfjs-rendering-error = Upp kom villa við að birta síðuna.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Skýring]
-
-## Password
-
-pdfjs-password-label = Sláðu inn lykilorð til að opna þessa PDF skrá.
-pdfjs-password-invalid = Ógilt lykilorð. Reyndu aftur.
-pdfjs-password-ok-button = Í lagi
-pdfjs-password-cancel-button = Hætta við
-pdfjs-web-fonts-disabled = Vef leturgerðir eru óvirkar: get ekki notað innbyggðar PDF leturgerðir.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texti
-pdfjs-editor-free-text-button-label = Texti
-pdfjs-editor-ink-button =
- .title = Teikna
-pdfjs-editor-ink-button-label = Teikna
-pdfjs-editor-stamp-button =
- .title = Bæta við eða breyta myndum
-pdfjs-editor-stamp-button-label = Bæta við eða breyta myndum
-pdfjs-editor-highlight-button =
- .title = Áherslulita
-pdfjs-editor-highlight-button-label = Áherslulita
-pdfjs-highlight-floating-button =
- .title = Áherslulita
-pdfjs-highlight-floating-button1 =
- .title = Áherslulita
- .aria-label = Áherslulita
-pdfjs-highlight-floating-button-label = Áherslulita
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Fjarlægja teikningu
-pdfjs-editor-remove-freetext-button =
- .title = Fjarlægja texta
-pdfjs-editor-remove-stamp-button =
- .title = Fjarlægja mynd
-pdfjs-editor-remove-highlight-button =
- .title = Fjarlægja áherslulit
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Litur
-pdfjs-editor-free-text-size-input = Stærð
-pdfjs-editor-ink-color-input = Litur
-pdfjs-editor-ink-thickness-input = Þykkt
-pdfjs-editor-ink-opacity-input = Ógegnsæi
-pdfjs-editor-stamp-add-image-button =
- .title = Bæta við mynd
-pdfjs-editor-stamp-add-image-button-label = Bæta við mynd
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Þykkt
-pdfjs-editor-free-highlight-thickness-title =
- .title = Breyta þykkt við áherslulitun annarra atriða en texta
-pdfjs-free-text =
- .aria-label = Textaritill
-pdfjs-free-text-default-content = Byrjaðu að skrifa…
-pdfjs-ink =
- .aria-label = Teikniritill
-pdfjs-ink-canvas =
- .aria-label = Mynd gerð af notanda
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt-varatexti
-pdfjs-editor-alt-text-edit-button-label = Breyta alt-varatexta
-pdfjs-editor-alt-text-dialog-label = Veldu valkost
-pdfjs-editor-alt-text-dialog-description = Alt-varatexti (auka-myndatexti) hjálpar þegar fólk getur ekki séð myndina eða þegar hún hleðst ekki inn.
-pdfjs-editor-alt-text-add-description-label = Bættu við lýsingu
-pdfjs-editor-alt-text-add-description-description = Reyndu að takmarka þetta við 1-2 setningar sem lýsa efninu, umhverfi eða aðgerðum.
-pdfjs-editor-alt-text-mark-decorative-label = Merkja sem skraut
-pdfjs-editor-alt-text-mark-decorative-description = Þetta er notað fyrir skrautmyndir, eins og borða eða vatnsmerki.
-pdfjs-editor-alt-text-cancel-button = Hætta við
-pdfjs-editor-alt-text-save-button = Vista
-pdfjs-editor-alt-text-decorative-tooltip = Merkt sem skraut
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Til dæmis: „Ungur maður sest við borð til að snæða máltíð“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Efst í vinstra horni - breyta stærð
-pdfjs-editor-resizer-label-top-middle = Efst á miðju - breyta stærð
-pdfjs-editor-resizer-label-top-right = Efst í hægra horni - breyta stærð
-pdfjs-editor-resizer-label-middle-right = Miðja til hægri - breyta stærð
-pdfjs-editor-resizer-label-bottom-right = Neðst í hægra horni - breyta stærð
-pdfjs-editor-resizer-label-bottom-middle = Neðst á miðju - breyta stærð
-pdfjs-editor-resizer-label-bottom-left = Neðst í vinstra horni - breyta stærð
-pdfjs-editor-resizer-label-middle-left = Miðja til vinstri - breyta stærð
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Áherslulitur
-pdfjs-editor-colorpicker-button =
- .title = Skipta um lit
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Val lita
-pdfjs-editor-colorpicker-yellow =
- .title = Gult
-pdfjs-editor-colorpicker-green =
- .title = Grænt
-pdfjs-editor-colorpicker-blue =
- .title = Blátt
-pdfjs-editor-colorpicker-pink =
- .title = Bleikt
-pdfjs-editor-colorpicker-red =
- .title = Rautt
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Birta allt
-pdfjs-editor-highlight-show-all-button =
- .title = Birta allt
diff --git a/static/pdf.js/locale/is/viewer.properties b/static/pdf.js/locale/is/viewer.properties
new file mode 100644
index 00000000..e969f4eb
--- /dev/null
+++ b/static/pdf.js/locale/is/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Fyrri síða
+previous_label=Fyrri
+next.title=Næsta síða
+next_label=Næsti
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Síða:
+page_of=af {{pageCount}}
+
+zoom_out.title=Minnka
+zoom_out_label=Minnka
+zoom_in.title=Stækka
+zoom_in_label=Stækka
+zoom.title=Aðdráttur
+presentation_mode.title=Skipta yfir á kynningarham
+presentation_mode_label=Kynningarhamur
+open_file.title=Opna skrá
+open_file_label=Opna
+print.title=Prenta
+print_label=Prenta
+download.title=Hala niður
+download_label=Hala niður
+bookmark.title=Núverandi sýn (afritaðu eða opnaðu í nýjum glugga)
+bookmark_label=Núverandi sýn
+
+# Secondary toolbar and context menu
+tools.title=Verkfæri
+tools_label=Verkfæri
+first_page.title=Fara á fyrstu síðu
+first_page.label=Fara á fyrstu síðu
+first_page_label=Fara á fyrstu síðu
+last_page.title=Fara á síðustu síðu
+last_page.label=Fara á síðustu síðu
+last_page_label=Fara á síðustu síðu
+page_rotate_cw.title=Snúa réttsælis
+page_rotate_cw.label=Snúa réttsælis
+page_rotate_cw_label=Snúa réttsælis
+page_rotate_ccw.title=Snúa rangsælis
+page_rotate_ccw.label=Snúa rangsælis
+page_rotate_ccw_label=Snúa rangsælis
+
+hand_tool_enable.title=Virkja handarverkfæri
+hand_tool_enable_label=Virkja handarverkfæri
+hand_tool_disable.title=Gera handarverkfæri óvirkt
+hand_tool_disable_label=Gera handarverkfæri óvirkt
+
+# Document properties dialog box
+document_properties.title=Eiginleikar skjals…
+document_properties_label=Eiginleikar skjals…
+document_properties_file_name=Skráarnafn:
+document_properties_file_size=Skrárstærð:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titill:
+document_properties_author=Hönnuður:
+document_properties_subject=Efni:
+document_properties_keywords=Stikkorð:
+document_properties_creation_date=Búið til:
+document_properties_modification_date=Dags breytingar:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Höfundur:
+document_properties_producer=PDF framleiðandi:
+document_properties_version=PDF útgáfa:
+document_properties_page_count=Blaðsíðufjöldi:
+document_properties_close=Loka
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Víxla hliðslá
+toggle_sidebar_label=Víxla hliðslá
+outline.title=Sýna efniskipan skjals
+outline_label=Efnisskipan skjals
+attachments.title=Sýna viðhengi
+attachments_label=Viðhengi
+thumbs.title=Sýna smámyndir
+thumbs_label=Smámyndir
+findbar.title=Leita í skjali
+findbar_label=Leita
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Síða {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Smámynd af síðu {{page}}
+
+# Find panel button title and messages
+find_label=Leita:
+find_previous.title=Leita að fyrra tilfelli þessara orða
+find_previous_label=Fyrri
+find_next.title=Leita að næsta tilfelli þessara orða
+find_next_label=Næsti
+find_highlight=Lita allt
+find_match_case_label=Passa við stafstöðu
+find_reached_top=Náði efst í skjal, held áfram neðst
+find_reached_bottom=Náði enda skjals, held áfram efst
+find_not_found=Fann ekki orðið
+
+# Error panel labels
+error_more_info=Meiri upplýsingar
+error_less_info=Minni upplýsingar
+error_close=Loka
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Skilaboð: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stafli: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Skrá: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Lína: {{line}}
+rendering_error=Upp kom villa við að birta síðuna.
+
+# Predefined zoom values
+page_scale_width=Síðubreidd
+page_scale_fit=Passa á síðu
+page_scale_auto=Sjálfvirkur aðdráttur
+page_scale_actual=Raunstærð
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Villa
+loading_error=Villa kom upp við að hlaða inn PDF.
+invalid_file_error=Ógild eða skemmd PDF skrá.
+missing_file_error=Vantar PDF skrá.
+unexpected_response_error=Óvænt svar frá netþjóni.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Skýring]
+password_label=Sláðu inn lykilorð til að opna þessa PDF skrá.
+password_invalid=Ógilt lykilorð. Reyndu aftur.
+password_ok=Í lagi
+password_cancel=Hætta við
+
+printing_not_supported=Aðvörun: Prentun er ekki með fyllilegan stuðning á þessum vafra.
+printing_not_ready=Aðvörun: Ekki er búið að hlaða inn allri PDF skránni fyrir prentun.
+web_fonts_disabled=Vef leturgerðir eru óvirkar: get ekki notað innbyggðar PDF leturgerðir.
+document_colors_not_allowed=PDF skjöl hafa ekki leyfi til að nota sína eigin liti: 'Leyfa síðum að velja eigin liti' er óvirkt í vafranum.
diff --git a/static/pdf.js/locale/it/viewer.ftl b/static/pdf.js/locale/it/viewer.ftl
deleted file mode 100644
index fcdab36a..00000000
--- a/static/pdf.js/locale/it/viewer.ftl
+++ /dev/null
@@ -1,399 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina precedente
-pdfjs-previous-button-label = Precedente
-pdfjs-next-button =
- .title = Pagina successiva
-pdfjs-next-button-label = Successiva
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = di { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } di { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Riduci zoom
-pdfjs-zoom-out-button-label = Riduci zoom
-pdfjs-zoom-in-button =
- .title = Aumenta zoom
-pdfjs-zoom-in-button-label = Aumenta zoom
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Passa alla modalità presentazione
-pdfjs-presentation-mode-button-label = Modalità presentazione
-pdfjs-open-file-button =
- .title = Apri file
-pdfjs-open-file-button-label = Apri
-pdfjs-print-button =
- .title = Stampa
-pdfjs-print-button-label = Stampa
-pdfjs-save-button =
- .title = Salva
-pdfjs-save-button-label = Salva
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Scarica
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Scarica
-pdfjs-bookmark-button =
- .title = Pagina corrente (mostra URL della pagina corrente)
-pdfjs-bookmark-button-label = Pagina corrente
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Strumenti
-pdfjs-tools-button-label = Strumenti
-pdfjs-first-page-button =
- .title = Vai alla prima pagina
-pdfjs-first-page-button-label = Vai alla prima pagina
-pdfjs-last-page-button =
- .title = Vai all’ultima pagina
-pdfjs-last-page-button-label = Vai all’ultima pagina
-pdfjs-page-rotate-cw-button =
- .title = Ruota in senso orario
-pdfjs-page-rotate-cw-button-label = Ruota in senso orario
-pdfjs-page-rotate-ccw-button =
- .title = Ruota in senso antiorario
-pdfjs-page-rotate-ccw-button-label = Ruota in senso antiorario
-pdfjs-cursor-text-select-tool-button =
- .title = Attiva strumento di selezione testo
-pdfjs-cursor-text-select-tool-button-label = Strumento di selezione testo
-pdfjs-cursor-hand-tool-button =
- .title = Attiva strumento mano
-pdfjs-cursor-hand-tool-button-label = Strumento mano
-pdfjs-scroll-page-button =
- .title = Utilizza scorrimento pagine
-pdfjs-scroll-page-button-label = Scorrimento pagine
-pdfjs-scroll-vertical-button =
- .title = Scorri le pagine in verticale
-pdfjs-scroll-vertical-button-label = Scorrimento verticale
-pdfjs-scroll-horizontal-button =
- .title = Scorri le pagine in orizzontale
-pdfjs-scroll-horizontal-button-label = Scorrimento orizzontale
-pdfjs-scroll-wrapped-button =
- .title = Scorri le pagine in verticale, disponendole da sinistra a destra e andando a capo automaticamente
-pdfjs-scroll-wrapped-button-label = Scorrimento con a capo automatico
-pdfjs-spread-none-button =
- .title = Non raggruppare pagine
-pdfjs-spread-none-button-label = Nessun raggruppamento
-pdfjs-spread-odd-button =
- .title = Crea gruppi di pagine che iniziano con numeri di pagina dispari
-pdfjs-spread-odd-button-label = Raggruppamento dispari
-pdfjs-spread-even-button =
- .title = Crea gruppi di pagine che iniziano con numeri di pagina pari
-pdfjs-spread-even-button-label = Raggruppamento pari
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Proprietà del documento…
-pdfjs-document-properties-button-label = Proprietà del documento…
-pdfjs-document-properties-file-name = Nome file:
-pdfjs-document-properties-file-size = Dimensione file:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Titolo:
-pdfjs-document-properties-author = Autore:
-pdfjs-document-properties-subject = Oggetto:
-pdfjs-document-properties-keywords = Parole chiave:
-pdfjs-document-properties-creation-date = Data creazione:
-pdfjs-document-properties-modification-date = Data modifica:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Autore originale:
-pdfjs-document-properties-producer = Produttore PDF:
-pdfjs-document-properties-version = Versione PDF:
-pdfjs-document-properties-page-count = Conteggio pagine:
-pdfjs-document-properties-page-size = Dimensioni pagina:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = verticale
-pdfjs-document-properties-page-size-orientation-landscape = orizzontale
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Lettera
-pdfjs-document-properties-page-size-name-legal = Legale
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Visualizzazione web veloce:
-pdfjs-document-properties-linearized-yes = Sì
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Chiudi
-
-## Print
-
-pdfjs-print-progress-message = Preparazione documento per la stampa…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Annulla
-pdfjs-printing-not-supported = Attenzione: la stampa non è completamente supportata da questo browser.
-pdfjs-printing-not-ready = Attenzione: il PDF non è ancora stato caricato completamente per la stampa.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Attiva/disattiva barra laterale
-pdfjs-toggle-sidebar-notification-button =
- .title = Attiva/disattiva barra laterale (il documento contiene struttura/allegati/livelli)
-pdfjs-toggle-sidebar-button-label = Attiva/disattiva barra laterale
-pdfjs-document-outline-button =
- .title = Visualizza la struttura del documento (doppio clic per visualizzare/comprimere tutti gli elementi)
-pdfjs-document-outline-button-label = Struttura documento
-pdfjs-attachments-button =
- .title = Visualizza allegati
-pdfjs-attachments-button-label = Allegati
-pdfjs-layers-button =
- .title = Visualizza livelli (doppio clic per ripristinare tutti i livelli allo stato predefinito)
-pdfjs-layers-button-label = Livelli
-pdfjs-thumbs-button =
- .title = Mostra le miniature
-pdfjs-thumbs-button-label = Miniature
-pdfjs-current-outline-item-button =
- .title = Trova elemento struttura corrente
-pdfjs-current-outline-item-button-label = Elemento struttura corrente
-pdfjs-findbar-button =
- .title = Trova nel documento
-pdfjs-findbar-button-label = Trova
-pdfjs-additional-layers = Livelli aggiuntivi
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura della pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Trova
- .placeholder = Trova nel documento…
-pdfjs-find-previous-button =
- .title = Trova l’occorrenza precedente del testo da cercare
-pdfjs-find-previous-button-label = Precedente
-pdfjs-find-next-button =
- .title = Trova l’occorrenza successiva del testo da cercare
-pdfjs-find-next-button-label = Successivo
-pdfjs-find-highlight-checkbox = Evidenzia
-pdfjs-find-match-case-checkbox-label = Maiuscole/minuscole
-pdfjs-find-match-diacritics-checkbox-label = Segni diacritici
-pdfjs-find-entire-word-checkbox-label = Parole intere
-pdfjs-find-reached-top = Raggiunto l’inizio della pagina, continua dalla fine
-pdfjs-find-reached-bottom = Raggiunta la fine della pagina, continua dall’inizio
-
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } di { $total } corrispondenza
- *[other] { $current } di { $total } corrispondenze
- }
-
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Più di una { $limit } corrispondenza
- *[other] Più di { $limit } corrispondenze
- }
-
-pdfjs-find-not-found = Testo non trovato
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Larghezza pagina
-pdfjs-page-scale-fit = Adatta a una pagina
-pdfjs-page-scale-auto = Zoom automatico
-pdfjs-page-scale-actual = Dimensioni effettive
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Si è verificato un errore durante il caricamento del PDF.
-pdfjs-invalid-file-error = File PDF non valido o danneggiato.
-pdfjs-missing-file-error = File PDF non disponibile.
-pdfjs-unexpected-response-error = Risposta imprevista del server
-pdfjs-rendering-error = Si è verificato un errore durante il rendering della pagina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Annotazione: { $type }]
-
-## Password
-
-pdfjs-password-label = Inserire la password per aprire questo file PDF.
-pdfjs-password-invalid = Password non corretta. Riprovare.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Annulla
-pdfjs-web-fonts-disabled = I web font risultano disattivati: impossibile utilizzare i caratteri incorporati nel PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Testo
-pdfjs-editor-free-text-button-label = Testo
-pdfjs-editor-ink-button =
- .title = Disegno
-pdfjs-editor-ink-button-label = Disegno
-pdfjs-editor-stamp-button =
- .title = Aggiungi o rimuovi immagine
-pdfjs-editor-stamp-button-label = Aggiungi o rimuovi immagine
-pdfjs-editor-highlight-button =
- .title = Evidenzia
-pdfjs-editor-highlight-button-label = Evidenzia
-pdfjs-highlight-floating-button1 =
- .title = Evidenzia
- .aria-label = Evidenzia
-pdfjs-highlight-floating-button-label = Evidenzia
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Rimuovi disegno
-pdfjs-editor-remove-freetext-button =
- .title = Rimuovi testo
-pdfjs-editor-remove-stamp-button =
- .title = Rimuovi immagine
-pdfjs-editor-remove-highlight-button =
- .title = Rimuovi evidenziazione
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colore
-pdfjs-editor-free-text-size-input = Dimensione
-pdfjs-editor-ink-color-input = Colore
-pdfjs-editor-ink-thickness-input = Spessore
-pdfjs-editor-ink-opacity-input = Opacità
-pdfjs-editor-stamp-add-image-button =
- .title = Aggiungi immagine
-pdfjs-editor-stamp-add-image-button-label = Aggiungi immagine
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Spessore
-pdfjs-editor-free-highlight-thickness-title =
- .title = Modifica lo spessore della selezione per elementi non testuali
-
-pdfjs-free-text =
- .aria-label = Editor di testo
-pdfjs-free-text-default-content = Inizia a digitare…
-pdfjs-ink =
- .aria-label = Editor disegni
-pdfjs-ink-canvas =
- .aria-label = Immagine creata dall’utente
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Testo alternativo
-pdfjs-editor-alt-text-edit-button-label = Modifica testo alternativo
-pdfjs-editor-alt-text-dialog-label = Scegli un’opzione
-pdfjs-editor-alt-text-dialog-description = Il testo alternativo (“alt text”) aiuta quando le persone non possono vedere l’immagine o quando l’immagine non viene caricata.
-pdfjs-editor-alt-text-add-description-label = Aggiungi una descrizione
-pdfjs-editor-alt-text-add-description-description = Punta a una o due frasi che descrivono l’argomento, l’ambientazione o le azioni.
-pdfjs-editor-alt-text-mark-decorative-label = Contrassegna come decorativa
-pdfjs-editor-alt-text-mark-decorative-description = Viene utilizzato per immagini ornamentali, come bordi o filigrane.
-pdfjs-editor-alt-text-cancel-button = Annulla
-pdfjs-editor-alt-text-save-button = Salva
-pdfjs-editor-alt-text-decorative-tooltip = Contrassegnata come decorativa
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Ad esempio, “Un giovane si siede a tavola per mangiare”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Angolo in alto a sinistra — ridimensiona
-pdfjs-editor-resizer-label-top-middle = Lato superiore nel mezzo — ridimensiona
-pdfjs-editor-resizer-label-top-right = Angolo in alto a destra — ridimensiona
-pdfjs-editor-resizer-label-middle-right = Lato destro nel mezzo — ridimensiona
-pdfjs-editor-resizer-label-bottom-right = Angolo in basso a destra — ridimensiona
-pdfjs-editor-resizer-label-bottom-middle = Lato inferiore nel mezzo — ridimensiona
-pdfjs-editor-resizer-label-bottom-left = Angolo in basso a sinistra — ridimensiona
-pdfjs-editor-resizer-label-middle-left = Lato sinistro nel mezzo — ridimensiona
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Colore evidenziatore
-
-pdfjs-editor-colorpicker-button =
- .title = Cambia colore
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Colori disponibili
-pdfjs-editor-colorpicker-yellow =
- .title = Giallo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Blu
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Rosso
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostra tutto
-pdfjs-editor-highlight-show-all-button =
- .title = Mostra tutto
diff --git a/static/pdf.js/locale/it/viewer.properties b/static/pdf.js/locale/it/viewer.properties
new file mode 100644
index 00000000..9ddd35b4
--- /dev/null
+++ b/static/pdf.js/locale/it/viewer.properties
@@ -0,0 +1,111 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title = Pagina precedente
+previous_label = Precedente
+next.title = Pagina successiva
+next_label = Successiva
+page_label = Pagina:
+page_of = di {{pageCount}}
+zoom_out.title = Riduci zoom
+zoom_out_label = Riduci zoom
+zoom_in.title = Aumenta zoom
+zoom_in_label = Aumenta zoom
+zoom.title = Zoom
+presentation_mode.title = Passa alla modalità presentazione
+presentation_mode_label = Modalità presentazione
+open_file.title = Apri file
+open_file_label = Apri
+print.title = Stampa
+print_label = Stampa
+download.title = Scarica questo documento
+download_label = Download
+bookmark.title = Visualizzazione corrente (copia o apri in una nuova finestra)
+bookmark_label = Visualizzazione corrente
+tools.title = Strumenti
+tools_label = Strumenti
+first_page.title = Vai alla prima pagina
+first_page.label = Vai alla prima pagina
+first_page_label = Vai alla prima pagina
+last_page.title = Vai all’ultima pagina
+last_page.label = Vai all’ultima pagina
+last_page_label = Vai all’ultima pagina
+page_rotate_cw.title = Ruota in senso orario
+page_rotate_cw.label = Ruota in senso orario
+page_rotate_cw_label = Ruota in senso orario
+page_rotate_ccw.title = Ruota in senso antiorario
+page_rotate_ccw.label = Ruota in senso antiorario
+page_rotate_ccw_label = Ruota in senso antiorario
+hand_tool_enable.title = Attiva strumento mano
+hand_tool_enable_label = Attiva strumento mano
+hand_tool_disable.title = Disattiva strumento mano
+hand_tool_disable_label = Disattiva strumento mano
+document_properties.title = Proprietà del documento…
+document_properties_label = Proprietà del documento…
+document_properties_file_name = Nome file:
+document_properties_file_size = Dimensione file:
+document_properties_kb = {{size_kb}} kB ({{size_b}} byte)
+document_properties_mb = {{size_mb}} MB ({{size_b}} byte)
+document_properties_title = Titolo:
+document_properties_author = Autore:
+document_properties_subject = Oggetto:
+document_properties_keywords = Parole chiave:
+document_properties_creation_date = Data creazione:
+document_properties_modification_date = Data modifica:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Autore originale:
+document_properties_producer = Produttore PDF:
+document_properties_version = Versione PDF:
+document_properties_page_count = Conteggio pagine:
+document_properties_close = Chiudi
+toggle_sidebar.title = Attiva/disattiva barra laterale
+toggle_sidebar_label = Attiva/disattiva barra laterale
+outline.title = Visualizza la struttura del documento
+outline_label = Struttura documento
+attachments.title = Visualizza allegati
+attachments_label = Allegati
+thumbs.title = Mostra le miniature
+thumbs_label = Miniature
+findbar.title = Trova nel documento
+findbar_label = Trova
+thumb_page_title = Pagina {{page}}
+thumb_page_canvas = Miniatura della pagina {{page}}
+find_label = Trova:
+find_previous.title = Trova l’occorrenza precedente del testo da cercare
+find_previous_label = Precedente
+find_next.title = Trova l’occorrenza successiva del testo da cercare
+find_next_label = Successivo
+find_highlight = Evidenzia
+find_match_case_label = Maiuscole/minuscole
+find_reached_top = Raggiunto l’inizio della pagina, continua dalla fine
+find_reached_bottom = Raggiunta la fine della pagina, continua dall’inizio
+find_not_found = Testo non trovato
+error_more_info = Ulteriori informazioni
+error_less_info = Nascondi dettagli
+error_close = Chiudi
+error_version_info = PDF.js v{{version}} (build: {{build}})
+error_message = Messaggio: {{message}}
+error_stack = Stack: {{stack}}
+error_file = File: {{file}}
+error_line = Riga: {{line}}
+rendering_error = Si è verificato un errore durante il rendering della pagina.
+page_scale_width = Larghezza pagina
+page_scale_fit = Adatta a una pagina
+page_scale_auto = Zoom automatico
+page_scale_actual = Dimensioni effettive
+page_scale_percent = {{scale}}%
+loading_error_indicator = Errore
+loading_error = Si è verificato un errore durante il caricamento del PDF.
+invalid_file_error = File PDF non valido o danneggiato.
+missing_file_error = File PDF non disponibile.
+unexpected_response_error = Risposta imprevista del server
+text_annotation_type.alt = [Annotazione: {{type}}]
+password_label = Inserire la password per aprire questo file PDF.
+password_invalid = Password non corretta. Riprovare.
+password_ok = OK
+password_cancel = Annulla
+printing_not_supported = Attenzione: la stampa non è completamente supportata da questo browser.
+printing_not_ready = Attenzione: il PDF non è ancora stato caricato completamente per la stampa.
+web_fonts_disabled = I web font risultano disattivati: impossibile utilizzare i caratteri inclusi nel PDF.
+document_colors_not_allowed = Non è possibile visualizzare i colori originali definiti nel file PDF: l’opzione del browser “Consenti alle pagine di scegliere i propri colori invece di quelli impostati” è disattivata.
diff --git a/static/pdf.js/locale/ja/viewer.ftl b/static/pdf.js/locale/ja/viewer.ftl
deleted file mode 100644
index 9fd0d5b0..00000000
--- a/static/pdf.js/locale/ja/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = 前のページへ戻ります
-pdfjs-previous-button-label = 前へ
-pdfjs-next-button =
- .title = 次のページへ進みます
-pdfjs-next-button-label = 次へ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ページ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = 表示を縮小します
-pdfjs-zoom-out-button-label = 縮小
-pdfjs-zoom-in-button =
- .title = 表示を拡大します
-pdfjs-zoom-in-button-label = 拡大
-pdfjs-zoom-select =
- .title = 拡大/縮小
-pdfjs-presentation-mode-button =
- .title = プレゼンテーションモードに切り替えます
-pdfjs-presentation-mode-button-label = プレゼンテーションモード
-pdfjs-open-file-button =
- .title = ファイルを開きます
-pdfjs-open-file-button-label = 開く
-pdfjs-print-button =
- .title = 印刷します
-pdfjs-print-button-label = 印刷
-pdfjs-save-button =
- .title = 保存します
-pdfjs-save-button-label = 保存
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ダウンロードします
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ダウンロード
-pdfjs-bookmark-button =
- .title = 現在のページの URL です (現在のページを表示する URL)
-pdfjs-bookmark-button-label = 現在のページ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ツール
-pdfjs-tools-button-label = ツール
-pdfjs-first-page-button =
- .title = 最初のページへ移動します
-pdfjs-first-page-button-label = 最初のページへ移動
-pdfjs-last-page-button =
- .title = 最後のページへ移動します
-pdfjs-last-page-button-label = 最後のページへ移動
-pdfjs-page-rotate-cw-button =
- .title = ページを右へ回転します
-pdfjs-page-rotate-cw-button-label = 右回転
-pdfjs-page-rotate-ccw-button =
- .title = ページを左へ回転します
-pdfjs-page-rotate-ccw-button-label = 左回転
-pdfjs-cursor-text-select-tool-button =
- .title = テキスト選択ツールを有効にします
-pdfjs-cursor-text-select-tool-button-label = テキスト選択ツール
-pdfjs-cursor-hand-tool-button =
- .title = 手のひらツールを有効にします
-pdfjs-cursor-hand-tool-button-label = 手のひらツール
-pdfjs-scroll-page-button =
- .title = ページ単位でスクロールします
-pdfjs-scroll-page-button-label = ページ単位でスクロール
-pdfjs-scroll-vertical-button =
- .title = 縦スクロールにします
-pdfjs-scroll-vertical-button-label = 縦スクロール
-pdfjs-scroll-horizontal-button =
- .title = 横スクロールにします
-pdfjs-scroll-horizontal-button-label = 横スクロール
-pdfjs-scroll-wrapped-button =
- .title = 折り返しスクロールにします
-pdfjs-scroll-wrapped-button-label = 折り返しスクロール
-pdfjs-spread-none-button =
- .title = 見開きにしません
-pdfjs-spread-none-button-label = 見開きにしない
-pdfjs-spread-odd-button =
- .title = 奇数ページ開始で見開きにします
-pdfjs-spread-odd-button-label = 奇数ページ見開き
-pdfjs-spread-even-button =
- .title = 偶数ページ開始で見開きにします
-pdfjs-spread-even-button-label = 偶数ページ見開き
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = 文書のプロパティ...
-pdfjs-document-properties-button-label = 文書のプロパティ...
-pdfjs-document-properties-file-name = ファイル名:
-pdfjs-document-properties-file-size = ファイルサイズ:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } バイト)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } バイト)
-pdfjs-document-properties-title = タイトル:
-pdfjs-document-properties-author = 作成者:
-pdfjs-document-properties-subject = 件名:
-pdfjs-document-properties-keywords = キーワード:
-pdfjs-document-properties-creation-date = 作成日:
-pdfjs-document-properties-modification-date = 更新日:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = アプリケーション:
-pdfjs-document-properties-producer = PDF 作成:
-pdfjs-document-properties-version = PDF のバージョン:
-pdfjs-document-properties-page-count = ページ数:
-pdfjs-document-properties-page-size = ページサイズ:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = 縦
-pdfjs-document-properties-page-size-orientation-landscape = 横
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = レター
-pdfjs-document-properties-page-size-name-legal = リーガル
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = ウェブ表示用に最適化:
-pdfjs-document-properties-linearized-yes = はい
-pdfjs-document-properties-linearized-no = いいえ
-pdfjs-document-properties-close-button = 閉じる
-
-## Print
-
-pdfjs-print-progress-message = 文書の印刷を準備しています...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = キャンセル
-pdfjs-printing-not-supported = 警告: このブラウザーでは印刷が完全にサポートされていません。
-pdfjs-printing-not-ready = 警告: PDF を印刷するための読み込みが終了していません。
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = サイドバー表示を切り替えます
-pdfjs-toggle-sidebar-notification-button =
- .title = サイドバー表示を切り替えます (文書に含まれるアウトライン / 添付 / レイヤー)
-pdfjs-toggle-sidebar-button-label = サイドバーの切り替え
-pdfjs-document-outline-button =
- .title = 文書の目次を表示します (ダブルクリックで項目を開閉します)
-pdfjs-document-outline-button-label = 文書の目次
-pdfjs-attachments-button =
- .title = 添付ファイルを表示します
-pdfjs-attachments-button-label = 添付ファイル
-pdfjs-layers-button =
- .title = レイヤーを表示します (ダブルクリックですべてのレイヤーが初期状態に戻ります)
-pdfjs-layers-button-label = レイヤー
-pdfjs-thumbs-button =
- .title = 縮小版を表示します
-pdfjs-thumbs-button-label = 縮小版
-pdfjs-current-outline-item-button =
- .title = 現在のアウトライン項目を検索
-pdfjs-current-outline-item-button-label = 現在のアウトライン項目
-pdfjs-findbar-button =
- .title = 文書内を検索します
-pdfjs-findbar-button-label = 検索
-pdfjs-additional-layers = 追加レイヤー
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } ページ
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } ページの縮小版
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = 検索
- .placeholder = 文書内を検索...
-pdfjs-find-previous-button =
- .title = 現在より前の位置で指定文字列が現れる部分を検索します
-pdfjs-find-previous-button-label = 前へ
-pdfjs-find-next-button =
- .title = 現在より後の位置で指定文字列が現れる部分を検索します
-pdfjs-find-next-button-label = 次へ
-pdfjs-find-highlight-checkbox = すべて強調表示
-pdfjs-find-match-case-checkbox-label = 大文字/小文字を区別
-pdfjs-find-match-diacritics-checkbox-label = 発音区別符号を区別
-pdfjs-find-entire-word-checkbox-label = 単語一致
-pdfjs-find-reached-top = 文書先頭に到達したので末尾から続けて検索します
-pdfjs-find-reached-bottom = 文書末尾に到達したので先頭から続けて検索します
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $total } 件中 { $current } 件目
- *[other] { $total } 件中 { $current } 件目
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] { $limit } 件以上一致
- *[other] { $limit } 件以上一致
- }
-pdfjs-find-not-found = 見つかりませんでした
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = 幅に合わせる
-pdfjs-page-scale-fit = ページのサイズに合わせる
-pdfjs-page-scale-auto = 自動ズーム
-pdfjs-page-scale-actual = 実際のサイズ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page } ページ
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF の読み込み中にエラーが発生しました。
-pdfjs-invalid-file-error = 無効または破損した PDF ファイル。
-pdfjs-missing-file-error = PDF ファイルが見つかりません。
-pdfjs-unexpected-response-error = サーバーから予期せぬ応答がありました。
-pdfjs-rendering-error = ページのレンダリング中にエラーが発生しました。
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } 注釈]
-
-## Password
-
-pdfjs-password-label = この PDF ファイルを開くためのパスワードを入力してください。
-pdfjs-password-invalid = 無効なパスワードです。もう一度やり直してください。
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = キャンセル
-pdfjs-web-fonts-disabled = ウェブフォントが無効になっています: 埋め込まれた PDF のフォントを使用できません。
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = フリーテキスト注釈を追加します
-pdfjs-editor-free-text-button-label = フリーテキスト注釈
-pdfjs-editor-ink-button =
- .title = インク注釈を追加します
-pdfjs-editor-ink-button-label = インク注釈
-pdfjs-editor-stamp-button =
- .title = 画像を追加または編集します
-pdfjs-editor-stamp-button-label = 画像を追加または編集
-pdfjs-editor-highlight-button =
- .title = 強調します
-pdfjs-editor-highlight-button-label = 強調
-pdfjs-highlight-floating-button1 =
- .title = 強調
- .aria-label = 強調します
-pdfjs-highlight-floating-button-label = 強調
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = インク注釈を削除します
-pdfjs-editor-remove-freetext-button =
- .title = テキストを削除します
-pdfjs-editor-remove-stamp-button =
- .title = 画像を削除します
-pdfjs-editor-remove-highlight-button =
- .title = 強調を削除します
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = 色
-pdfjs-editor-free-text-size-input = サイズ
-pdfjs-editor-ink-color-input = 色
-pdfjs-editor-ink-thickness-input = 太さ
-pdfjs-editor-ink-opacity-input = 不透明度
-pdfjs-editor-stamp-add-image-button =
- .title = 画像を追加します
-pdfjs-editor-stamp-add-image-button-label = 画像を追加
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = 太さ
-pdfjs-editor-free-highlight-thickness-title =
- .title = テキスト以外のアイテムを強調する時の太さを変更します
-pdfjs-free-text =
- .aria-label = フリーテキスト注釈エディター
-pdfjs-free-text-default-content = テキストを入力してください...
-pdfjs-ink =
- .aria-label = インク注釈エディター
-pdfjs-ink-canvas =
- .aria-label = ユーザー作成画像
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = 代替テキスト
-pdfjs-editor-alt-text-edit-button-label = 代替テキストを編集
-pdfjs-editor-alt-text-dialog-label = オプションの選択
-pdfjs-editor-alt-text-dialog-description = 代替テキストは画像が表示されない場合や読み込まれない場合にユーザーの助けになります。
-pdfjs-editor-alt-text-add-description-label = 説明を追加
-pdfjs-editor-alt-text-add-description-description = 対象や設定、動作を説明する短い文章を記入してください。
-pdfjs-editor-alt-text-mark-decorative-label = 装飾マークを付ける
-pdfjs-editor-alt-text-mark-decorative-description = これは区切り線やウォーターマークなどの装飾画像に使用されます。
-pdfjs-editor-alt-text-cancel-button = キャンセル
-pdfjs-editor-alt-text-save-button = 保存
-pdfjs-editor-alt-text-decorative-tooltip = 装飾マークが付いています
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = 例:「若い人がテーブルの席について食事をしています」
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = 左上隅 — サイズ変更
-pdfjs-editor-resizer-label-top-middle = 上中央 — サイズ変更
-pdfjs-editor-resizer-label-top-right = 右上隅 — サイズ変更
-pdfjs-editor-resizer-label-middle-right = 右中央 — サイズ変更
-pdfjs-editor-resizer-label-bottom-right = 右下隅 — サイズ変更
-pdfjs-editor-resizer-label-bottom-middle = 下中央 — サイズ変更
-pdfjs-editor-resizer-label-bottom-left = 左下隅 — サイズ変更
-pdfjs-editor-resizer-label-middle-left = 左中央 — サイズ変更
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = 強調色
-pdfjs-editor-colorpicker-button =
- .title = 色を変更します
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = 色の選択
-pdfjs-editor-colorpicker-yellow =
- .title = 黄色
-pdfjs-editor-colorpicker-green =
- .title = 緑色
-pdfjs-editor-colorpicker-blue =
- .title = 青色
-pdfjs-editor-colorpicker-pink =
- .title = ピンク色
-pdfjs-editor-colorpicker-red =
- .title = 赤色
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = すべて表示
-pdfjs-editor-highlight-show-all-button =
- .title = 強調の表示を切り替えます
diff --git a/static/pdf.js/locale/ja/viewer.properties b/static/pdf.js/locale/ja/viewer.properties
new file mode 100644
index 00000000..4a499715
--- /dev/null
+++ b/static/pdf.js/locale/ja/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=前のページへ戻ります
+previous_label=前へ
+next.title=次のページへ進みます
+next_label=次へ
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=ページ:
+page_of=/ {{pageCount}}
+
+zoom_out.title=表示を縮小します
+zoom_out_label=縮小
+zoom_in.title=表示を拡大します
+zoom_in_label=拡大
+zoom.title=拡大/縮小
+presentation_mode.title=プレゼンテーションモードに切り替えます
+presentation_mode_label=プレゼンテーションモード
+open_file.title=ファイルを指定して開きます
+open_file_label=開く
+print.title=印刷します
+print_label=印刷
+download.title=ダウンロードします
+download_label=ダウンロード
+bookmark.title=現在のビューの URL です (コピーまたは新しいウィンドウに開く)
+bookmark_label=現在のビュー
+
+# Secondary toolbar and context menu
+tools.title=ツール
+tools_label=ツール
+first_page.title=最初のページへ移動します
+first_page.label=最初のページへ移動
+first_page_label=最初のページへ移動
+last_page.title=最後のページへ移動します
+last_page.label=最後のページへ移動
+last_page_label=最後のページへ移動
+page_rotate_cw.title=ページを右へ回転します
+page_rotate_cw.label=右回転
+page_rotate_cw_label=右回転
+page_rotate_ccw.title=ページを左へ回転します
+page_rotate_ccw.label=左回転
+page_rotate_ccw_label=左回転
+
+hand_tool_enable.title=手のひらツールを有効にします
+hand_tool_enable_label=手のひらツールを有効にする
+hand_tool_disable.title=手のひらツールを無効にします
+hand_tool_disable_label=手のひらツールを無効にする
+
+# Document properties dialog box
+document_properties.title=文書のプロパティ...
+document_properties_label=文書のプロパティ...
+document_properties_file_name=ファイル名:
+document_properties_file_size=ファイルサイズ:
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=タイトル:
+document_properties_author=作成者:
+document_properties_subject=件名:
+document_properties_keywords=キーワード:
+document_properties_creation_date=作成日:
+document_properties_modification_date=更新日:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=アプリケーション:
+document_properties_producer=PDF 作成:
+document_properties_version=PDF のバージョン:
+document_properties_page_count=ページ数:
+document_properties_close=閉じる
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=サイドバー表示を切り替えます
+toggle_sidebar_label=サイドバーの切り替え
+outline.title=文書の目次を表示します
+outline_label=文書の目次
+attachments.title=添付ファイルを表示します
+attachments_label=添付ファイル
+thumbs.title=縮小版を表示します
+thumbs_label=縮小版
+findbar.title=文書内を検索します
+findbar_label=検索
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}} ページ
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=ページの縮小版 {{page}}
+
+# Find panel button title and messages
+find_label=検索:
+find_previous.title=指定文字列に一致する 1 つ前の部分を検索します
+find_previous_label=前へ
+find_next.title=指定文字列に一致する次の部分を検索します
+find_next_label=次へ
+find_highlight=すべて強調表示
+find_match_case_label=大文字/小文字を区別
+find_reached_top=文書先頭に到達したので末尾に戻って検索しました。
+find_reached_bottom=文書末尾に到達したので先頭に戻って検索しました。
+find_not_found=見つかりませんでした。
+
+# Error panel labels
+error_more_info=詳細情報
+error_less_info=詳細情報の非表示
+error_close=閉じる
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (ビルド: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=メッセージ: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=スタック: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ファイル: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=行: {{line}}
+rendering_error=ページのレンダリング中にエラーが発生しました
+
+# Predefined zoom values
+page_scale_width=幅に合わせる
+page_scale_fit=ページのサイズに合わせる
+page_scale_auto=自動ズーム
+page_scale_actual=実際のサイズ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=エラー
+loading_error=PDF の読み込み中にエラーが発生しました
+invalid_file_error=無効または破損した PDF ファイル
+missing_file_error=PDF ファイルが見つかりません。
+unexpected_response_error=サーバから予期せぬ応答がありました。
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} 注釈]
+password_label=この PDF ファイルを開くためのパスワードを入力してください。
+password_invalid=無効なパスワードです。もう一度やり直してください。
+password_ok=OK
+password_cancel=キャンセル
+
+printing_not_supported=警告: このブラウザでは印刷が完全にサポートされていません
+printing_not_ready=警告: PDF を印刷するための読み込みが終了していません
+web_fonts_disabled=Web フォントが無効になっています: 埋め込まれた PDF のフォントを使用できません
+document_colors_not_allowed=PDF 文書は、Web ページが指定した配色を使用することができません: 'Web ページが指定した配色' はブラウザで無効になっています。
diff --git a/static/pdf.js/locale/ka/viewer.ftl b/static/pdf.js/locale/ka/viewer.ftl
deleted file mode 100644
index f31898fa..00000000
--- a/static/pdf.js/locale/ka/viewer.ftl
+++ /dev/null
@@ -1,387 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = წინა გვერდი
-pdfjs-previous-button-label = წინა
-pdfjs-next-button =
- .title = შემდეგი გვერდი
-pdfjs-next-button-label = შემდეგი
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = გვერდი
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount }-დან
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } { $pagesCount }-დან)
-pdfjs-zoom-out-button =
- .title = ზომის შემცირება
-pdfjs-zoom-out-button-label = დაშორება
-pdfjs-zoom-in-button =
- .title = ზომის გაზრდა
-pdfjs-zoom-in-button-label = მოახლოება
-pdfjs-zoom-select =
- .title = ზომა
-pdfjs-presentation-mode-button =
- .title = ჩვენების რეჟიმზე გადართვა
-pdfjs-presentation-mode-button-label = ჩვენების რეჟიმი
-pdfjs-open-file-button =
- .title = ფაილის გახსნა
-pdfjs-open-file-button-label = გახსნა
-pdfjs-print-button =
- .title = ამობეჭდვა
-pdfjs-print-button-label = ამობეჭდვა
-pdfjs-save-button =
- .title = შენახვა
-pdfjs-save-button-label = შენახვა
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ჩამოტვირთვა
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ჩამოტვირთვა
-pdfjs-bookmark-button =
- .title = მიმდინარე გვერდი (ბმული ამ გვერდისთვის)
-pdfjs-bookmark-button-label = მიმდინარე გვერდი
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = გახსნა პროგრამით
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = გახსნა პროგრამით
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ხელსაწყოები
-pdfjs-tools-button-label = ხელსაწყოები
-pdfjs-first-page-button =
- .title = პირველ გვერდზე გადასვლა
-pdfjs-first-page-button-label = პირველ გვერდზე გადასვლა
-pdfjs-last-page-button =
- .title = ბოლო გვერდზე გადასვლა
-pdfjs-last-page-button-label = ბოლო გვერდზე გადასვლა
-pdfjs-page-rotate-cw-button =
- .title = საათის ისრის მიმართულებით შებრუნება
-pdfjs-page-rotate-cw-button-label = მარჯვნივ გადაბრუნება
-pdfjs-page-rotate-ccw-button =
- .title = საათის ისრის საპირისპიროდ შებრუნება
-pdfjs-page-rotate-ccw-button-label = მარცხნივ გადაბრუნება
-pdfjs-cursor-text-select-tool-button =
- .title = მოსანიშნი მაჩვენებლის გამოყენება
-pdfjs-cursor-text-select-tool-button-label = მოსანიშნი მაჩვენებელი
-pdfjs-cursor-hand-tool-button =
- .title = გადასაადგილებელი მაჩვენებლის გამოყენება
-pdfjs-cursor-hand-tool-button-label = გადასაადგილებელი
-pdfjs-scroll-page-button =
- .title = გვერდზე გადაადგილების გამოყენება
-pdfjs-scroll-page-button-label = გვერდშივე გადაადგილება
-pdfjs-scroll-vertical-button =
- .title = გვერდების შვეულად ჩვენება
-pdfjs-scroll-vertical-button-label = შვეული გადაადგილება
-pdfjs-scroll-horizontal-button =
- .title = გვერდების თარაზულად ჩვენება
-pdfjs-scroll-horizontal-button-label = განივი გადაადგილება
-pdfjs-scroll-wrapped-button =
- .title = გვერდების ცხრილურად ჩვენება
-pdfjs-scroll-wrapped-button-label = ცხრილური გადაადგილება
-pdfjs-spread-none-button =
- .title = ორ გვერდზე გაშლის გარეშე
-pdfjs-spread-none-button-label = ცალგვერდიანი ჩვენება
-pdfjs-spread-odd-button =
- .title = ორ გვერდზე გაშლა კენტი გვერდიდან
-pdfjs-spread-odd-button-label = ორ გვერდზე კენტიდან
-pdfjs-spread-even-button =
- .title = ორ გვერდზე გაშლა ლუწი გვერდიდან
-pdfjs-spread-even-button-label = ორ გვერდზე ლუწიდან
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = დოკუმენტის შესახებ…
-pdfjs-document-properties-button-label = დოკუმენტის შესახებ…
-pdfjs-document-properties-file-name = ფაილის სახელი:
-pdfjs-document-properties-file-size = ფაილის მოცულობა:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } კბ ({ $size_b } ბაიტი)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } მბ ({ $size_b } ბაიტი)
-pdfjs-document-properties-title = სათაური:
-pdfjs-document-properties-author = შემქმნელი:
-pdfjs-document-properties-subject = თემა:
-pdfjs-document-properties-keywords = საკვანძო სიტყვები:
-pdfjs-document-properties-creation-date = შექმნის დრო:
-pdfjs-document-properties-modification-date = ჩასწორების დრო:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = შემდგენელი:
-pdfjs-document-properties-producer = PDF-შემდგენელი:
-pdfjs-document-properties-version = PDF-ვერსია:
-pdfjs-document-properties-page-count = გვერდები:
-pdfjs-document-properties-page-size = გვერდის ზომა:
-pdfjs-document-properties-page-size-unit-inches = დუიმი
-pdfjs-document-properties-page-size-unit-millimeters = მმ
-pdfjs-document-properties-page-size-orientation-portrait = შვეულად
-pdfjs-document-properties-page-size-orientation-landscape = თარაზულად
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = მსუბუქი ვებჩვენება:
-pdfjs-document-properties-linearized-yes = დიახ
-pdfjs-document-properties-linearized-no = არა
-pdfjs-document-properties-close-button = დახურვა
-
-## Print
-
-pdfjs-print-progress-message = დოკუმენტი მზადდება ამოსაბეჭდად…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = გაუქმება
-pdfjs-printing-not-supported = გაფრთხილება: ამობეჭდვა ამ ბრაუზერში არაა სრულად მხარდაჭერილი.
-pdfjs-printing-not-ready = გაფრთხილება: PDF სრულად ჩატვირთული არაა, ამობეჭდვის დასაწყებად.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = გვერდითა ზოლის გამოჩენა/დამალვა
-pdfjs-toggle-sidebar-notification-button =
- .title = გვერდითი ზოლის გამოჩენა (შეიცავს სარჩევს/დანართს/ფენებს)
-pdfjs-toggle-sidebar-button-label = გვერდითა ზოლის გამოჩენა/დამალვა
-pdfjs-document-outline-button =
- .title = დოკუმენტის სარჩევის ჩვენება (ორმაგი წკაპით თითოეულის ჩამოშლა/აკეცვა)
-pdfjs-document-outline-button-label = დოკუმენტის სარჩევი
-pdfjs-attachments-button =
- .title = დანართების ჩვენება
-pdfjs-attachments-button-label = დანართები
-pdfjs-layers-button =
- .title = ფენების გამოჩენა (ორმაგი წკაპით ყველა ფენის ნაგულისხმევზე დაბრუნება)
-pdfjs-layers-button-label = ფენები
-pdfjs-thumbs-button =
- .title = შეთვალიერება
-pdfjs-thumbs-button-label = ესკიზები
-pdfjs-current-outline-item-button =
- .title = მიმდინარე გვერდის მონახვა სარჩევში
-pdfjs-current-outline-item-button-label = მიმდინარე გვერდი სარჩევში
-pdfjs-findbar-button =
- .title = პოვნა დოკუმენტში
-pdfjs-findbar-button-label = ძიება
-pdfjs-additional-layers = დამატებითი ფენები
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = გვერდი { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = გვერდის შეთვალიერება { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ძიება
- .placeholder = პოვნა დოკუმენტში…
-pdfjs-find-previous-button =
- .title = ფრაზის წინა კონტექსტის პოვნა
-pdfjs-find-previous-button-label = წინა
-pdfjs-find-next-button =
- .title = ფრაზის შემდეგი კონტექსტის პოვნა
-pdfjs-find-next-button-label = შემდეგი
-pdfjs-find-highlight-checkbox = ყველაფრის მონიშვნა
-pdfjs-find-match-case-checkbox-label = მთავრულით
-pdfjs-find-match-diacritics-checkbox-label = ნიშნებით
-pdfjs-find-entire-word-checkbox-label = მთლიანი სიტყვები
-pdfjs-find-reached-top = მიღწეულია დოკუმენტის დასაწყისი, გრძელდება ბოლოდან
-pdfjs-find-reached-bottom = მიღწეულია დოკუმენტის ბოლო, გრძელდება დასაწყისიდან
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] თანხვედრა { $current }, სულ { $total }
- *[other] თანხვედრა { $current }, სულ { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] არანაკლებ { $limit } თანხვედრა
- *[other] არანაკლებ { $limit } თანხვედრა
- }
-pdfjs-find-not-found = ფრაზა ვერ მოიძებნა
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = გვერდის სიგანეზე
-pdfjs-page-scale-fit = მთლიანი გვერდი
-pdfjs-page-scale-auto = ავტომატური
-pdfjs-page-scale-actual = საწყისი ზომა
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = გვერდი { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = შეცდომა, PDF-ფაილის ჩატვირთვისას.
-pdfjs-invalid-file-error = არამართებული ან დაზიანებული PDF-ფაილი.
-pdfjs-missing-file-error = ნაკლული PDF-ფაილი.
-pdfjs-unexpected-response-error = სერვერის მოულოდნელი პასუხი.
-pdfjs-rendering-error = შეცდომა, გვერდის ჩვენებისას.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } შენიშვნა]
-
-## Password
-
-pdfjs-password-label = შეიყვანეთ პაროლი PDF-ფაილის გასახსნელად.
-pdfjs-password-invalid = არასწორი პაროლი. გთხოვთ, სცადოთ ხელახლა.
-pdfjs-password-ok-button = კარგი
-pdfjs-password-cancel-button = გაუქმება
-pdfjs-web-fonts-disabled = ვებშრიფტები გამორთულია: ჩაშენებული PDF-შრიფტების გამოყენება ვერ ხერხდება.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = წარწერა
-pdfjs-editor-free-text-button-label = ტექსტი
-pdfjs-editor-ink-button =
- .title = ხაზვა
-pdfjs-editor-ink-button-label = ხაზვა
-pdfjs-editor-stamp-button =
- .title = სურათების დართვა ან ჩასწორება
-pdfjs-editor-stamp-button-label = სურათების დართვა ან ჩასწორება
-pdfjs-editor-remove-button =
- .title = მოცილება
-pdfjs-editor-highlight-button =
- .title = მონიშვნა
-pdfjs-editor-highlight-button-label = მონიშვნა
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = დახაზულის მოცილება
-pdfjs-editor-remove-freetext-button =
- .title = წარწერის მოცილება
-pdfjs-editor-remove-stamp-button =
- .title = სურათის მოცილება
-pdfjs-editor-remove-highlight-button =
- .title = მონიშვნის მოცილება
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = ფერი
-pdfjs-editor-free-text-size-input = ზომა
-pdfjs-editor-ink-color-input = ფერი
-pdfjs-editor-ink-thickness-input = სისქე
-pdfjs-editor-ink-opacity-input = გაუმჭვირვალობა
-pdfjs-editor-stamp-add-image-button =
- .title = სურათის დამატება
-pdfjs-editor-stamp-add-image-button-label = სურათის დამატება
-pdfjs-free-text =
- .aria-label = ნაწერის ჩასწორება
-pdfjs-free-text-default-content = აკრიფეთ…
-pdfjs-ink =
- .aria-label = დახაზულის შესწორება
-pdfjs-ink-canvas =
- .aria-label = მომხმარებლის შექმნილი სურათი
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = თანდართული წარწერა
-pdfjs-editor-alt-text-edit-button-label = თანდართული წარწერის ჩასწორება
-pdfjs-editor-alt-text-dialog-label = არჩევა
-pdfjs-editor-alt-text-dialog-description = თანდართული (შემნაცვლებელი) წარწერა გამოსადეგია მათთვის, ვინც ვერ ხედავს სურათებს ან გამოისახება მაშინ, როცა სურათი ვერ ჩაიტვირთება.
-pdfjs-editor-alt-text-add-description-label = აღწერილობის მითითება
-pdfjs-editor-alt-text-add-description-description = განკუთვნილია 1-2 წინადადებით საგნის, მახასიათებლის ან მოქმედების აღსაწერად.
-pdfjs-editor-alt-text-mark-decorative-label = მოინიშნოს მორთულობად
-pdfjs-editor-alt-text-mark-decorative-description = განკუთვნილია შესამკობი სურათებისთვის, გარსშემოსავლები ჩარჩოებისა და ჭვირნიშნებისთვის.
-pdfjs-editor-alt-text-cancel-button = გაუქმება
-pdfjs-editor-alt-text-save-button = შენახვა
-pdfjs-editor-alt-text-decorative-tooltip = მოინიშნოს მორთულობად
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = მაგალითად, „ახალგაზრდა მამაკაცი მაგიდასთან ზის და სადილობს“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = ზევით მარცხნივ — ზომაცვლა
-pdfjs-editor-resizer-label-top-middle = ზევით შუაში — ზომაცვლა
-pdfjs-editor-resizer-label-top-right = ზევით მარჯვნივ — ზომაცვლა
-pdfjs-editor-resizer-label-middle-right = შუაში მარჯვნივ — ზომაცვლა
-pdfjs-editor-resizer-label-bottom-right = ქვევით მარჯვნივ — ზომაცვლა
-pdfjs-editor-resizer-label-bottom-middle = ქვევით შუაში — ზომაცვლა
-pdfjs-editor-resizer-label-bottom-left = ზვევით მარცხნივ — ზომაცვლა
-pdfjs-editor-resizer-label-middle-left = შუაში მარცხნივ — ზომაცვლა
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = მოსანიშნი ფერი
-pdfjs-editor-colorpicker-button =
- .title = ფერის შეცვლა
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = ფერის არჩევა
-pdfjs-editor-colorpicker-yellow =
- .title = ყვითელი
-pdfjs-editor-colorpicker-green =
- .title = მწვანე
-pdfjs-editor-colorpicker-blue =
- .title = ლურჯი
-pdfjs-editor-colorpicker-pink =
- .title = ვარდისფერი
-pdfjs-editor-colorpicker-red =
- .title = წითელი
diff --git a/static/pdf.js/locale/ka/viewer.properties b/static/pdf.js/locale/ka/viewer.properties
new file mode 100644
index 00000000..84bdd525
--- /dev/null
+++ b/static/pdf.js/locale/ka/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=წინა გვერდი
+previous_label=წინა
+next.title=შემდეგი გვერდი
+next_label=შემდეგი
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=გვერდი:
+page_of=/ {{pageCount}}
+
+zoom_out.title=დაშორება
+zoom_out_label=დაშორება
+zoom_in.title=მიახლოება
+zoom_in_label=მიახლოება
+zoom.title=მასშტაბი
+presentation_mode.title=პრეზენტაციის რეჟიმზე გადართვა
+presentation_mode_label=პრეზენტაციის რეჟიმი
+open_file.title=ფაილის გახსნა
+open_file_label=გახსნა
+print.title=დაბეჭდვა
+print_label=დაბეჭდვა
+download.title=ჩამოტვირთვა
+download_label=ჩამოტვირთვა
+bookmark.title=მიმდინარე ხედი (კოპირება ან გახსნა ახალ ფანჯარაში)
+bookmark_label=მიმდინარე ხედი
+
+# Secondary toolbar and context menu
+tools.title=ხელსაწყოები
+tools_label=ხელსაწყოები
+first_page.title=პირველ გვერდზე გადასვლა
+first_page.label=პირველ გვერდზე გადასვლა
+first_page_label=პირველ გვერდზე გადასვლა
+last_page.title=ბოლო გვერდზე გადასვლა
+last_page.label=ბოლო გვერდზე გადასვლა
+last_page_label=ბოლო გვერდზე გადასვლა
+page_rotate_cw.title=ისრის მიმართულებით შებრუნება
+page_rotate_cw.label=ისრის მიმართულებით შებრუნება
+page_rotate_cw_label=ისრის მიმართულებით შებრუნება
+page_rotate_ccw.title=ისრის საპირისპიროდ შებრუნება
+page_rotate_ccw.label=ისრის საპირისპიროდ შებრუნება
+page_rotate_ccw_label=ისრის საპირისპიროდ შებრუნება
+
+hand_tool_enable.title=ხელის ხელსაწყოს ჩართვა
+hand_tool_enable_label=ხელის ხელსაწყოს ჩართვა
+hand_tool_disable.title=ხელის ხელსაწყოს გამორთვა
+hand_tool_disable_label=ხელის ხელსაწყოს გამორთვა
+
+# Document properties dialog box
+document_properties.title=დოკუმენტის თვისებები…
+document_properties_label=დოკუმენტის თვისებები…
+document_properties_file_name=ფაილის სახელი:
+document_properties_file_size=ფაილის ზომა:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} ბაიტი)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} ბაიტი)
+document_properties_title=სათაური:
+document_properties_author=ავტორი:
+document_properties_subject=თემა:
+document_properties_keywords=საკვანძო სიტყვები:
+document_properties_creation_date=შექმნის თარიღი:
+document_properties_modification_date=სახეცვალების თარიღი:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=შემქმნელი:
+document_properties_producer=PDF მწარმოებელი:
+document_properties_version=PDF ვერსია:
+document_properties_page_count=გვერდების რაოდენობა:
+document_properties_close=დახურვა
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=გვერდითა ზოლის ბერკეტი
+toggle_sidebar_label=გვერდითა ზოლის ბერკეტი
+outline.title=დოკუმენტის კონტურის ჩვენება
+outline_label=დოკუმენტის კონტური
+attachments.title=დანართების ჩვენება
+attachments_label=დანართები
+thumbs.title=ესკიზების ჩვენება
+thumbs_label=ესკიზები
+findbar.title=პოვნა დოკუმენტში
+findbar_label=პოვნა
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=გვერდი {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=გვერდის ესკიზი {{page}}
+
+# Find panel button title and messages
+find_label=პოვნა:
+find_previous.title=ფრაზის წინა კონტექსტის პოვნა
+find_previous_label=წინა
+find_next.title=ფრაზის შემდეგი კონტექსტის პოვნა
+find_next_label=შემდეგი
+find_highlight=ყველას მონიშვნა
+find_match_case_label=მთავრულის გათვალისწინება
+find_reached_top=მიღწეულია დოკუმენტის უმაღლესი წერტილი, გრძელდება ქვემოდან
+find_reached_bottom=მიღწეულია დოკუმენტის ბოლი, გრძელდება ზემოდან
+find_not_found=კონტექსტი ვერ მოიძებნა
+
+# Error panel labels
+error_more_info=დამატებითი ინფორმაცია
+error_less_info=ნაკლები ინფორმაცია
+error_close=დახურვა
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=შეტყობინება: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=სტეკი: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ფაილი: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=ხაზი: {{line}}
+rendering_error=გვერდის რენდერისას დაფიქსირდა შეცდომა.
+
+# Predefined zoom values
+page_scale_width=გვერდის სიგანე
+page_scale_fit=გვერდის მორგება
+page_scale_auto=ავტომატური მასშტაბი
+page_scale_actual=აქტუალური ზომა
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=შეცდომა
+loading_error=PDF-ის ჩატვირთვისას დაფიქსირდა შეცდომა.
+invalid_file_error=არამართებული ან დაზიანებული PDF ფაილი.
+missing_file_error=ნაკლული PDF ფაილი.
+unexpected_response_error=სერვერის მოულოდნელი პასუხი.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} ანოტაცია]
+password_label=შეიყვანეთ პაროლი, რათა გახსნათ ეს PDF ფაილი.
+password_invalid=არასწორი პაროლი. გთხოვთ, სცადეთ ხელახლა.
+password_ok=დიახ
+password_cancel=გაუქმება
+
+printing_not_supported=გაფრთხილება: ამ ბრაუზერის მიერ დაბეჭდვა ბოლომდე მხარდაჭერილი არაა.
+printing_not_ready=გაფრთხილება: PDF ამობეჭდვისთვის ბოლომდე ჩატვირთული არაა.
+web_fonts_disabled=ვებ-შრიფტები გამორთულია: ჩაშენებული PDF შრიფტების გამოყენება ვერ ხერხდება.
+document_colors_not_allowed=PDF დოკუმენტებს არ აქვთ საკუთარი ფერების გამოყენების უფლება: ბრაუზერში გამორთულია "გვერდებისთვის საკუთარი ფერების გამოყენების უფლება".
diff --git a/static/pdf.js/locale/kab/viewer.ftl b/static/pdf.js/locale/kab/viewer.ftl
deleted file mode 100644
index cfe0ba33..00000000
--- a/static/pdf.js/locale/kab/viewer.ftl
+++ /dev/null
@@ -1,386 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Asebter azewwar
-pdfjs-previous-button-label = Azewwar
-pdfjs-next-button =
- .title = Asebter d-iteddun
-pdfjs-next-button-label = Ddu ɣer zdat
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Asebter
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = ɣef { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } n { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Semẓi
-pdfjs-zoom-out-button-label = Semẓi
-pdfjs-zoom-in-button =
- .title = Semɣeṛ
-pdfjs-zoom-in-button-label = Semɣeṛ
-pdfjs-zoom-select =
- .title = Semɣeṛ/Semẓi
-pdfjs-presentation-mode-button =
- .title = Uɣal ɣer Uskar Tihawt
-pdfjs-presentation-mode-button-label = Askar Tihawt
-pdfjs-open-file-button =
- .title = Ldi Afaylu
-pdfjs-open-file-button-label = Ldi
-pdfjs-print-button =
- .title = Siggez
-pdfjs-print-button-label = Siggez
-pdfjs-save-button =
- .title = Sekles
-pdfjs-save-button-label = Sekles
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Sader
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Sader
-pdfjs-bookmark-button =
- .title = Asebter amiran (Sken-d tansa URL seg usebter amiran)
-pdfjs-bookmark-button-label = Asebter amiran
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ifecka
-pdfjs-tools-button-label = Ifecka
-pdfjs-first-page-button =
- .title = Ddu ɣer usebter amezwaru
-pdfjs-first-page-button-label = Ddu ɣer usebter amezwaru
-pdfjs-last-page-button =
- .title = Ddu ɣer usebter aneggaru
-pdfjs-last-page-button-label = Ddu ɣer usebter aneggaru
-pdfjs-page-rotate-cw-button =
- .title = Tuzzya tusrigt
-pdfjs-page-rotate-cw-button-label = Tuzzya tusrigt
-pdfjs-page-rotate-ccw-button =
- .title = Tuzzya amgal-usrig
-pdfjs-page-rotate-ccw-button-label = Tuzzya amgal-usrig
-pdfjs-cursor-text-select-tool-button =
- .title = Rmed afecku n tefrant n uḍris
-pdfjs-cursor-text-select-tool-button-label = Afecku n tefrant n uḍris
-pdfjs-cursor-hand-tool-button =
- .title = Rmed afecku afus
-pdfjs-cursor-hand-tool-button-label = Afecku afus
-pdfjs-scroll-page-button =
- .title = Seqdec adrurem n usebter
-pdfjs-scroll-page-button-label = Adrurem n usebter
-pdfjs-scroll-vertical-button =
- .title = Seqdec adrurem ubdid
-pdfjs-scroll-vertical-button-label = Adrurem ubdid
-pdfjs-scroll-horizontal-button =
- .title = Seqdec adrurem aglawan
-pdfjs-scroll-horizontal-button-label = Adrurem aglawan
-pdfjs-scroll-wrapped-button =
- .title = Seqdec adrurem yuẓen
-pdfjs-scroll-wrapped-button-label = Adrurem yuẓen
-pdfjs-spread-none-button =
- .title = Ur sedday ara isiɣzaf n usebter
-pdfjs-spread-none-button-label = Ulac isiɣzaf
-pdfjs-spread-odd-button =
- .title = Seddu isiɣzaf n usebter ibeddun s yisebtar irayuganen
-pdfjs-spread-odd-button-label = Isiɣzaf irayuganen
-pdfjs-spread-even-button =
- .title = Seddu isiɣzaf n usebter ibeddun s yisebtar iyuganen
-pdfjs-spread-even-button-label = Isiɣzaf iyuganen
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Taɣaṛa n isemli…
-pdfjs-document-properties-button-label = Taɣaṛa n isemli…
-pdfjs-document-properties-file-name = Isem n ufaylu:
-pdfjs-document-properties-file-size = Teɣzi n ufaylu:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KAṬ ({ $size_b } ibiten)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MAṬ ({ $size_b } iṭamḍanen)
-pdfjs-document-properties-title = Azwel:
-pdfjs-document-properties-author = Ameskar:
-pdfjs-document-properties-subject = Amgay:
-pdfjs-document-properties-keywords = Awalen n tsaruţ
-pdfjs-document-properties-creation-date = Azemz n tmerna:
-pdfjs-document-properties-modification-date = Azemz n usnifel:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Yerna-t:
-pdfjs-document-properties-producer = Afecku n uselket PDF:
-pdfjs-document-properties-version = Lqem PDF:
-pdfjs-document-properties-page-count = Amḍan n yisebtar:
-pdfjs-document-properties-page-size = Tuγzi n usebter:
-pdfjs-document-properties-page-size-unit-inches = deg
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = s teɣzi
-pdfjs-document-properties-page-size-orientation-landscape = s tehri
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Asekkil
-pdfjs-document-properties-page-size-name-legal = Usḍif
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Taskant Web taruradt:
-pdfjs-document-properties-linearized-yes = Ih
-pdfjs-document-properties-linearized-no = Ala
-pdfjs-document-properties-close-button = Mdel
-
-## Print
-
-pdfjs-print-progress-message = Aheggi i usiggez n isemli…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Sefsex
-pdfjs-printing-not-supported = Ɣuṛ-k: Asiggez ur ittusefrak ara yakan imaṛṛa deg iminig-a.
-pdfjs-printing-not-ready = Ɣuṛ-k: Afaylu PDF ur d-yuli ara imeṛṛa akken ad ittusiggez.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Sken/Fer agalis adisan
-pdfjs-toggle-sidebar-notification-button =
- .title = Ffer/Sekn agalis adisan (isemli yegber aɣawas/ticeqqufin yeddan/tissiwin)
-pdfjs-toggle-sidebar-button-label = Sken/Fer agalis adisan
-pdfjs-document-outline-button =
- .title = Sken isemli (Senned snat tikal i wesemɣer/Afneẓ n iferdisen meṛṛa)
-pdfjs-document-outline-button-label = Isɣalen n isebtar
-pdfjs-attachments-button =
- .title = Sken ticeqqufin yeddan
-pdfjs-attachments-button-label = Ticeqqufin yeddan
-pdfjs-layers-button =
- .title = Skeen tissiwin (sit sin yiberdan i uwennez n meṛṛa tissiwin ɣer waddad amezwer)
-pdfjs-layers-button-label = Tissiwin
-pdfjs-thumbs-button =
- .title = Sken tanfult.
-pdfjs-thumbs-button-label = Tinfulin
-pdfjs-current-outline-item-button =
- .title = Af-d aferdis n uɣawas amiran
-pdfjs-current-outline-item-button-label = Aferdis n uɣawas amiran
-pdfjs-findbar-button =
- .title = Nadi deg isemli
-pdfjs-findbar-button-label = Nadi
-pdfjs-additional-layers = Tissiwin-nniḍen
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Asebter { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Tanfult n usebter { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Nadi
- .placeholder = Nadi deg isemli…
-pdfjs-find-previous-button =
- .title = Aff-d tamseḍriwt n twinest n deffir
-pdfjs-find-previous-button-label = Azewwar
-pdfjs-find-next-button =
- .title = Aff-d timseḍriwt n twinest d-iteddun
-pdfjs-find-next-button-label = Ddu ɣer zdat
-pdfjs-find-highlight-checkbox = Err izirig imaṛṛa
-pdfjs-find-match-case-checkbox-label = Qadeṛ amasal n isekkilen
-pdfjs-find-match-diacritics-checkbox-label = Qadeṛ ifeskilen
-pdfjs-find-entire-word-checkbox-label = Awalen iččuranen
-pdfjs-find-reached-top = Yabbeḍ s afella n usebter, tuɣalin s wadda
-pdfjs-find-reached-bottom = Tebḍeḍ s adda n usebter, tuɣalin s afella
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] Timeḍriwt { $current } ɣef { $total }
- *[other] Timeḍriwin { $current } ɣef { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Ugar n { $limit } umṣada
- *[other] Ugar n { $limit } yimṣadayen
- }
-pdfjs-find-not-found = Ulac tawinest
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Tehri n usebter
-pdfjs-page-scale-fit = Asebter imaṛṛa
-pdfjs-page-scale-auto = Asemɣeṛ/Asemẓi awurman
-pdfjs-page-scale-actual = Teɣzi tilawt
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Asebter { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Teḍra-d tuccḍa deg alluy n PDF:
-pdfjs-invalid-file-error = Afaylu PDF arameɣtu neɣ yexṣeṛ.
-pdfjs-missing-file-error = Ulac afaylu PDF.
-pdfjs-unexpected-response-error = Aqeddac yerra-d yir tiririt ur nettwaṛǧi ara.
-pdfjs-rendering-error = Teḍra-d tuccḍa deg uskan n usebter.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Tabzimt { $type }]
-
-## Password
-
-pdfjs-password-label = Sekcem awal uffir akken ad ldiḍ afaylu-yagi PDF
-pdfjs-password-invalid = Awal uffir mačči d ameɣtu, Ɛreḍ tikelt-nniḍen.
-pdfjs-password-ok-button = IH
-pdfjs-password-cancel-button = Sefsex
-pdfjs-web-fonts-disabled = Tisefsiyin web ttwassensent; D awezɣi useqdec n tsefsiyin yettwarnan ɣer PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Aḍris
-pdfjs-editor-free-text-button-label = Aḍris
-pdfjs-editor-ink-button =
- .title = Suneɣ
-pdfjs-editor-ink-button-label = Suneɣ
-pdfjs-editor-stamp-button =
- .title = Rnu neɣ ẓreg tugniwin
-pdfjs-editor-stamp-button-label = Rnu neɣ ẓreg tugniwin
-pdfjs-editor-highlight-button =
- .title = Derrer
-pdfjs-editor-highlight-button-label = Derrer
-pdfjs-highlight-floating-button1 =
- .title = Derrer
- .aria-label = Derrer
-pdfjs-highlight-floating-button-label = Derrer
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Kkes asuneɣ
-pdfjs-editor-remove-freetext-button =
- .title = Kkes aḍris
-pdfjs-editor-remove-stamp-button =
- .title = Kkes tugna
-pdfjs-editor-remove-highlight-button =
- .title = Kkes aderrer
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Initen
-pdfjs-editor-free-text-size-input = Teɣzi
-pdfjs-editor-ink-color-input = Ini
-pdfjs-editor-ink-thickness-input = Tuzert
-pdfjs-editor-ink-opacity-input = Tebrek
-pdfjs-editor-stamp-add-image-button =
- .title = Rnu tawlaft
-pdfjs-editor-stamp-add-image-button-label = Rnu tawlaft
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tuzert
-pdfjs-free-text =
- .aria-label = Amaẓrag n uḍris
-pdfjs-free-text-default-content = Bdu tira...
-pdfjs-ink =
- .aria-label = Amaẓrag n usuneɣ
-pdfjs-ink-canvas =
- .aria-label = Tugna yettwarnan sɣur useqdac
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Aḍris amaskal
-pdfjs-editor-alt-text-edit-button-label = Ẓreg aḍris amaskal
-pdfjs-editor-alt-text-dialog-label = Fren taxtirt
-pdfjs-editor-alt-text-add-description-label = Rnu aglam
-pdfjs-editor-alt-text-mark-decorative-label = Creḍ d adlag
-pdfjs-editor-alt-text-cancel-button = Sefsex
-pdfjs-editor-alt-text-save-button = Sekles
-pdfjs-editor-alt-text-decorative-tooltip = Yettwacreḍ d adlag
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Tiɣmert n ufella n zelmeḍ — semsawi teɣzi
-pdfjs-editor-resizer-label-top-middle = Talemmat n ufella — semsawi teɣzi
-pdfjs-editor-resizer-label-top-right = Tiɣmert n ufella n yeffus — semsawi teɣzi
-pdfjs-editor-resizer-label-middle-right = Talemmast tayeffust — semsawi teɣzi
-pdfjs-editor-resizer-label-bottom-right = Tiɣmert n wadda n yeffus — semsawi teɣzi
-pdfjs-editor-resizer-label-bottom-middle = Talemmat n wadda — semsawi teɣzi
-pdfjs-editor-resizer-label-bottom-left = Tiɣmert n wadda n zelmeḍ — semsawi teɣzi
-pdfjs-editor-resizer-label-middle-left = Talemmast tazelmdaḍt — semsawi teɣzi
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Ini n uderrer
-pdfjs-editor-colorpicker-button =
- .title = Senfel ini
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Afran n yiniten
-pdfjs-editor-colorpicker-yellow =
- .title = Awraɣ
-pdfjs-editor-colorpicker-green =
- .title = Azegzaw
-pdfjs-editor-colorpicker-blue =
- .title = Amidadi
-pdfjs-editor-colorpicker-pink =
- .title = Axuxi
-pdfjs-editor-colorpicker-red =
- .title = Azggaɣ
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Sken akk
-pdfjs-editor-highlight-show-all-button =
- .title = Sken akk
diff --git a/static/pdf.js/locale/kk/viewer.ftl b/static/pdf.js/locale/kk/viewer.ftl
deleted file mode 100644
index 57260a2d..00000000
--- a/static/pdf.js/locale/kk/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Алдыңғы парақ
-pdfjs-previous-button-label = Алдыңғысы
-pdfjs-next-button =
- .title = Келесі парақ
-pdfjs-next-button-label = Келесі
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Парақ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } ішінен
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = (парақ { $pageNumber }, { $pagesCount } ішінен)
-pdfjs-zoom-out-button =
- .title = Кішірейту
-pdfjs-zoom-out-button-label = Кішірейту
-pdfjs-zoom-in-button =
- .title = Үлкейту
-pdfjs-zoom-in-button-label = Үлкейту
-pdfjs-zoom-select =
- .title = Масштаб
-pdfjs-presentation-mode-button =
- .title = Презентация режиміне ауысу
-pdfjs-presentation-mode-button-label = Презентация режимі
-pdfjs-open-file-button =
- .title = Файлды ашу
-pdfjs-open-file-button-label = Ашу
-pdfjs-print-button =
- .title = Баспаға шығару
-pdfjs-print-button-label = Баспаға шығару
-pdfjs-save-button =
- .title = Сақтау
-pdfjs-save-button-label = Сақтау
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Жүктеп алу
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Жүктеп алу
-pdfjs-bookmark-button =
- .title = Ағымдағы бет (Ағымдағы беттен URL адресін көру)
-pdfjs-bookmark-button-label = Ағымдағы бет
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Қолданбада ашу
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Қолданбада ашу
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Құралдар
-pdfjs-tools-button-label = Құралдар
-pdfjs-first-page-button =
- .title = Алғашқы параққа өту
-pdfjs-first-page-button-label = Алғашқы параққа өту
-pdfjs-last-page-button =
- .title = Соңғы параққа өту
-pdfjs-last-page-button-label = Соңғы параққа өту
-pdfjs-page-rotate-cw-button =
- .title = Сағат тілі бағытымен айналдыру
-pdfjs-page-rotate-cw-button-label = Сағат тілі бағытымен бұру
-pdfjs-page-rotate-ccw-button =
- .title = Сағат тілі бағытына қарсы бұру
-pdfjs-page-rotate-ccw-button-label = Сағат тілі бағытына қарсы бұру
-pdfjs-cursor-text-select-tool-button =
- .title = Мәтінді таңдау құралын іске қосу
-pdfjs-cursor-text-select-tool-button-label = Мәтінді таңдау құралы
-pdfjs-cursor-hand-tool-button =
- .title = Қол құралын іске қосу
-pdfjs-cursor-hand-tool-button-label = Қол құралы
-pdfjs-scroll-page-button =
- .title = Беттерді айналдыруды пайдалану
-pdfjs-scroll-page-button-label = Беттерді айналдыру
-pdfjs-scroll-vertical-button =
- .title = Вертикалды айналдыруды қолдану
-pdfjs-scroll-vertical-button-label = Вертикалды айналдыру
-pdfjs-scroll-horizontal-button =
- .title = Горизонталды айналдыруды қолдану
-pdfjs-scroll-horizontal-button-label = Горизонталды айналдыру
-pdfjs-scroll-wrapped-button =
- .title = Масштабталатын айналдыруды қолдану
-pdfjs-scroll-wrapped-button-label = Масштабталатын айналдыру
-pdfjs-spread-none-button =
- .title = Жазық беттер режимін қолданбау
-pdfjs-spread-none-button-label = Жазық беттер режимсіз
-pdfjs-spread-odd-button =
- .title = Жазық беттер тақ нөмірлі беттерден басталады
-pdfjs-spread-odd-button-label = Тақ нөмірлі беттер сол жақтан
-pdfjs-spread-even-button =
- .title = Жазық беттер жұп нөмірлі беттерден басталады
-pdfjs-spread-even-button-label = Жұп нөмірлі беттер сол жақтан
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Құжат қасиеттері…
-pdfjs-document-properties-button-label = Құжат қасиеттері…
-pdfjs-document-properties-file-name = Файл аты:
-pdfjs-document-properties-file-size = Файл өлшемі:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байт)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байт)
-pdfjs-document-properties-title = Тақырыбы:
-pdfjs-document-properties-author = Авторы:
-pdfjs-document-properties-subject = Тақырыбы:
-pdfjs-document-properties-keywords = Кілт сөздер:
-pdfjs-document-properties-creation-date = Жасалған күні:
-pdfjs-document-properties-modification-date = Түзету күні:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Жасаған:
-pdfjs-document-properties-producer = PDF өндірген:
-pdfjs-document-properties-version = PDF нұсқасы:
-pdfjs-document-properties-page-count = Беттер саны:
-pdfjs-document-properties-page-size = Бет өлшемі:
-pdfjs-document-properties-page-size-unit-inches = дюйм
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = тік
-pdfjs-document-properties-page-size-orientation-landscape = жатық
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Жылдам Web көрінісі:
-pdfjs-document-properties-linearized-yes = Иә
-pdfjs-document-properties-linearized-no = Жоқ
-pdfjs-document-properties-close-button = Жабу
-
-## Print
-
-pdfjs-print-progress-message = Құжатты баспаға шығару үшін дайындау…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Бас тарту
-pdfjs-printing-not-supported = Ескерту: Баспаға шығаруды бұл браузер толығымен қолдамайды.
-pdfjs-printing-not-ready = Ескерту: Баспаға шығару үшін, бұл PDF толығымен жүктеліп алынбады.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Бүйір панелін көрсету/жасыру
-pdfjs-toggle-sidebar-notification-button =
- .title = Бүйір панелін көрсету/жасыру (құжатта құрылымы/салынымдар/қабаттар бар)
-pdfjs-toggle-sidebar-button-label = Бүйір панелін көрсету/жасыру
-pdfjs-document-outline-button =
- .title = Құжат құрылымын көрсету (барлық нәрселерді жазық қылу/жинау үшін қос шерту керек)
-pdfjs-document-outline-button-label = Құжат құрамасы
-pdfjs-attachments-button =
- .title = Салынымдарды көрсету
-pdfjs-attachments-button-label = Салынымдар
-pdfjs-layers-button =
- .title = Қабаттарды көрсету (барлық қабаттарды бастапқы күйге келтіру үшін екі рет шертіңіз)
-pdfjs-layers-button-label = Қабаттар
-pdfjs-thumbs-button =
- .title = Кіші көріністерді көрсету
-pdfjs-thumbs-button-label = Кіші көріністер
-pdfjs-current-outline-item-button =
- .title = Құрылымның ағымдағы элементін табу
-pdfjs-current-outline-item-button-label = Құрылымның ағымдағы элементі
-pdfjs-findbar-button =
- .title = Құжаттан табу
-pdfjs-findbar-button-label = Табу
-pdfjs-additional-layers = Қосымша қабаттар
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } парағы
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } парағы үшін кіші көрінісі
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Табу
- .placeholder = Құжаттан табу…
-pdfjs-find-previous-button =
- .title = Осы сөздердің мәтіннен алдыңғы кездесуін табу
-pdfjs-find-previous-button-label = Алдыңғысы
-pdfjs-find-next-button =
- .title = Осы сөздердің мәтіннен келесі кездесуін табу
-pdfjs-find-next-button-label = Келесі
-pdfjs-find-highlight-checkbox = Барлығын түспен ерекшелеу
-pdfjs-find-match-case-checkbox-label = Регистрді ескеру
-pdfjs-find-match-diacritics-checkbox-label = Диакритиканы ескеру
-pdfjs-find-entire-word-checkbox-label = Сөздер толығымен
-pdfjs-find-reached-top = Құжаттың басына жеттік, соңынан бастап жалғастырамыз
-pdfjs-find-reached-bottom = Құжаттың соңына жеттік, басынан бастап жалғастырамыз
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } сәйкестік, барлығы { $total }
- *[other] { $current } сәйкестік, барлығы { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] { $limit } сәйкестіктен көп
- *[other] { $limit } сәйкестіктен көп
- }
-pdfjs-find-not-found = Сөз(дер) табылмады
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Парақ ені
-pdfjs-page-scale-fit = Парақты сыйдыру
-pdfjs-page-scale-auto = Автомасштабтау
-pdfjs-page-scale-actual = Нақты өлшемі
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Бет { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF жүктеу кезінде қате кетті.
-pdfjs-invalid-file-error = Зақымдалған немесе қате PDF файл.
-pdfjs-missing-file-error = PDF файлы жоқ.
-pdfjs-unexpected-response-error = Сервердің күтпеген жауабы.
-pdfjs-rendering-error = Парақты өңдеу кезінде қате кетті.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } аңдатпасы]
-
-## Password
-
-pdfjs-password-label = Бұл PDF файлын ашу үшін парольді енгізіңіз.
-pdfjs-password-invalid = Пароль дұрыс емес. Қайталап көріңіз.
-pdfjs-password-ok-button = ОК
-pdfjs-password-cancel-button = Бас тарту
-pdfjs-web-fonts-disabled = Веб қаріптері сөндірілген: құрамына енгізілген PDF қаріптерін қолдану мүмкін емес.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Мәтін
-pdfjs-editor-free-text-button-label = Мәтін
-pdfjs-editor-ink-button =
- .title = Сурет салу
-pdfjs-editor-ink-button-label = Сурет салу
-pdfjs-editor-stamp-button =
- .title = Суреттерді қосу немесе түзету
-pdfjs-editor-stamp-button-label = Суреттерді қосу немесе түзету
-pdfjs-editor-highlight-button =
- .title = Ерекшелеу
-pdfjs-editor-highlight-button-label = Ерекшелеу
-pdfjs-highlight-floating-button =
- .title = Ерекшелеу
-pdfjs-highlight-floating-button1 =
- .title = Ерекшелеу
- .aria-label = Ерекшелеу
-pdfjs-highlight-floating-button-label = Ерекшелеу
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Сызбаны өшіру
-pdfjs-editor-remove-freetext-button =
- .title = Мәтінді өшіру
-pdfjs-editor-remove-stamp-button =
- .title = Суретті өшіру
-pdfjs-editor-remove-highlight-button =
- .title = Түспен ерекшелеуді өшіру
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Түс
-pdfjs-editor-free-text-size-input = Өлшемі
-pdfjs-editor-ink-color-input = Түс
-pdfjs-editor-ink-thickness-input = Қалыңдығы
-pdfjs-editor-ink-opacity-input = Мөлдірсіздігі
-pdfjs-editor-stamp-add-image-button =
- .title = Суретті қосу
-pdfjs-editor-stamp-add-image-button-label = Суретті қосу
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Қалыңдығы
-pdfjs-editor-free-highlight-thickness-title =
- .title = Мәтіннен басқа элементтерді ерекшелеу кезінде қалыңдықты өзгерту
-pdfjs-free-text =
- .aria-label = Мәтін түзеткіші
-pdfjs-free-text-default-content = Теруді бастау…
-pdfjs-ink =
- .aria-label = Сурет түзеткіші
-pdfjs-ink-canvas =
- .aria-label = Пайдаланушы жасаған сурет
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Балама мәтін
-pdfjs-editor-alt-text-edit-button-label = Балама мәтінді өңдеу
-pdfjs-editor-alt-text-dialog-label = Опцияны таңдау
-pdfjs-editor-alt-text-dialog-description = Балама мәтін адамдар суретті көре алмағанда немесе ол жүктелмегенде көмектеседі.
-pdfjs-editor-alt-text-add-description-label = Сипаттаманы қосу
-pdfjs-editor-alt-text-add-description-description = Тақырыпты, баптауды немесе әрекетті сипаттайтын 1-2 сөйлемді қолдануға тырысыңыз.
-pdfjs-editor-alt-text-mark-decorative-label = Декоративті деп белгілеу
-pdfjs-editor-alt-text-mark-decorative-description = Бұл жиектер немесе су белгілері сияқты оюлық суреттер үшін пайдаланылады.
-pdfjs-editor-alt-text-cancel-button = Бас тарту
-pdfjs-editor-alt-text-save-button = Сақтау
-pdfjs-editor-alt-text-decorative-tooltip = Декоративті деп белгіленген
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Мысалы, "Жас жігіт тамақ ішу үшін үстел басына отырады"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Жоғарғы сол жақ бұрыш — өлшемін өзгерту
-pdfjs-editor-resizer-label-top-middle = Жоғарғы ортасы — өлшемін өзгерту
-pdfjs-editor-resizer-label-top-right = Жоғарғы оң жақ бұрыш — өлшемін өзгерту
-pdfjs-editor-resizer-label-middle-right = Ортаңғы оң жақ — өлшемін өзгерту
-pdfjs-editor-resizer-label-bottom-right = Төменгі оң жақ бұрыш — өлшемін өзгерту
-pdfjs-editor-resizer-label-bottom-middle = Төменгі ортасы — өлшемін өзгерту
-pdfjs-editor-resizer-label-bottom-left = Төменгі сол жақ бұрыш — өлшемін өзгерту
-pdfjs-editor-resizer-label-middle-left = Ортаңғы сол жақ — өлшемін өзгерту
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Ерекшелеу түсі
-pdfjs-editor-colorpicker-button =
- .title = Түсті өзгерту
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Түс таңдаулары
-pdfjs-editor-colorpicker-yellow =
- .title = Сары
-pdfjs-editor-colorpicker-green =
- .title = Жасыл
-pdfjs-editor-colorpicker-blue =
- .title = Көк
-pdfjs-editor-colorpicker-pink =
- .title = Қызғылт
-pdfjs-editor-colorpicker-red =
- .title = Қызыл
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Барлығын көрсету
-pdfjs-editor-highlight-show-all-button =
- .title = Барлығын көрсету
diff --git a/static/pdf.js/locale/kk/viewer.properties b/static/pdf.js/locale/kk/viewer.properties
new file mode 100644
index 00000000..39e7118b
--- /dev/null
+++ b/static/pdf.js/locale/kk/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Алдыңғы парақ
+previous_label=Алдыңғысы
+next.title=Келесі парақ
+next_label=Келесі
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Парақ:
+page_of={{pageCount}} ішінен
+
+zoom_out.title=Кішірейту
+zoom_out_label=Кішірейту
+zoom_in.title=Үлкейту
+zoom_in_label=Үлкейту
+zoom.title=Масштаб
+presentation_mode.title=Презентация режиміне ауысу
+presentation_mode_label=Презентация режимі
+open_file.title=Файлды ашу
+open_file_label=Ашу
+print.title=Баспаға шығару
+print_label=Баспаға шығару
+download.title=Жүктеп алу
+download_label=Жүктеп алу
+bookmark.title=Ағымдағы көрініс (көшіру не жаңа терезеде ашу)
+bookmark_label=Ағымдағы көрініс
+
+# Secondary toolbar and context menu
+tools.title=Саймандар
+tools_label=Саймандар
+first_page.title=Алғашқы параққа өту
+first_page.label=Алғашқы параққа өту
+first_page_label=Алғашқы параққа өту
+last_page.title=Соңғы параққа өту
+last_page.label=Соңғы параққа өту
+last_page_label=Соңғы параққа өту
+page_rotate_cw.title=Сағат тілі бағытымен айналдыру
+page_rotate_cw.label=Сағат тілі бағытымен бұру
+page_rotate_cw_label=Сағат тілі бағытымен бұру
+page_rotate_ccw.title=Сағат тілі бағытына қарсы бұру
+page_rotate_ccw.label=Сағат тілі бағытына қарсы бұру
+page_rotate_ccw_label=Сағат тілі бағытына қарсы бұру
+
+hand_tool_enable.title=Қол сайманын іске қосу
+hand_tool_enable_label=Қол сайманын іске қосу
+hand_tool_disable.title=Қол сайманын сөндіру
+hand_tool_disable_label=Қол сайманын сөндіру
+
+# Document properties dialog box
+document_properties.title=Құжат қасиеттері…
+document_properties_label=Құжат қасиеттері…
+document_properties_file_name=Файл аты:
+document_properties_file_size=Файл өлшемі:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} КБ ({{size_b}} байт)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} МБ ({{size_b}} байт)
+document_properties_title=Тақырыбы...
+document_properties_author=Авторы:
+document_properties_subject=Тақырыбы:
+document_properties_keywords=Кілт сөздер:
+document_properties_creation_date=Жасалған күні:
+document_properties_modification_date=Түзету күні:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Жасаған:
+document_properties_producer=PDF өндірген:
+document_properties_version=PDF нұсқасы:
+document_properties_page_count=Беттер саны:
+document_properties_close=Жабу
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Бүйір панелін көрсету/жасыру
+toggle_sidebar_label=Бүйір панелін көрсету/жасыру
+outline.title=Құжат құрамасын көрсету
+outline_label=Құжат құрамасы
+attachments.title=Салынымдарды көрсету
+attachments_label=Салынымдар
+thumbs.title=Кіші көріністерді көрсету
+thumbs_label=Кіші көріністер
+findbar.title=Құжаттан табу
+findbar_label=Табу
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}} парағы
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} парағы үшін кіші көрінісі
+
+# Find panel button title and messages
+find_label=Табу:
+find_previous.title=Осы сөздердің мәтіннен алдыңғы кездесуін табу
+find_previous_label=Алдыңғысы
+find_next.title=Осы сөздердің мәтіннен келесі кездесуін табу
+find_next_label=Келесі
+find_highlight=Барлығын түспен ерекшелеу
+find_match_case_label=Регистрді ескеру
+find_reached_top=Құжаттың басына жеттік, соңынан бастап жалғастырамыз
+find_reached_bottom=Құжаттың соңына жеттік, басынан бастап жалғастырамыз
+find_not_found=Сөз(дер) табылмады
+
+# Error panel labels
+error_more_info=Көбірек ақпарат
+error_less_info=Азырақ ақпарат
+error_close=Жабу
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (жинақ: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Хабарлама: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Стек: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Файл: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Жол: {{line}}
+rendering_error=Парақты өңдеу кезінде қате кетті.
+
+# Predefined zoom values
+page_scale_width=Парақ ені
+page_scale_fit=Парақты сыйдыру
+page_scale_auto=Автомасштабтау
+page_scale_actual=Нақты өлшемі
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Қате
+loading_error=PDF жүктеу кезінде қате кетті.
+invalid_file_error=Зақымдалған немесе қате PDF файл.
+missing_file_error=PDF файлы жоқ.
+unexpected_response_error=Сервердің күтпеген жауабы.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} аңдатпасы]
+password_label=Бұл PDF файлын ашу үшін парольді енгізіңіз.
+password_invalid=Пароль дұрыс емес. Қайталап көріңіз.
+password_ok=ОК
+password_cancel=Бас тарту
+
+printing_not_supported=Ескерту: Баспаға шығаруды бұл браузер толығымен қолдамайды.
+printing_not_ready=Ескерту: Баспаға шығару үшін, бұл PDF толығымен жүктеліп алынбады.
+web_fonts_disabled=Веб қаріптері сөндірілген: құрамына енгізілген PDF қаріптерін қолдану мүмкін емес.
+document_colors_not_allowed=PDF құжаттарына өздік түстерді қолдану рұқсат етілмеген: бұл браузерде 'Веб-сайттарға өздерінің түстерін қолдануға рұқсат беру' мүмкіндігі сөндірулі тұр.
diff --git a/static/pdf.js/locale/km/viewer.ftl b/static/pdf.js/locale/km/viewer.ftl
deleted file mode 100644
index 6efd1054..00000000
--- a/static/pdf.js/locale/km/viewer.ftl
+++ /dev/null
@@ -1,223 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = ទំព័រមុន
-pdfjs-previous-button-label = មុន
-pdfjs-next-button =
- .title = ទំព័របន្ទាប់
-pdfjs-next-button-label = បន្ទាប់
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ទំព័រ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = នៃ { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } នៃ { $pagesCount })
-pdfjs-zoom-out-button =
- .title = បង្រួម
-pdfjs-zoom-out-button-label = បង្រួម
-pdfjs-zoom-in-button =
- .title = ពង្រីក
-pdfjs-zoom-in-button-label = ពង្រីក
-pdfjs-zoom-select =
- .title = ពង្រីក
-pdfjs-presentation-mode-button =
- .title = ប្ដូរទៅរបៀបបទបង្ហាញ
-pdfjs-presentation-mode-button-label = របៀបបទបង្ហាញ
-pdfjs-open-file-button =
- .title = បើកឯកសារ
-pdfjs-open-file-button-label = បើក
-pdfjs-print-button =
- .title = បោះពុម្ព
-pdfjs-print-button-label = បោះពុម្ព
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ឧបករណ៍
-pdfjs-tools-button-label = ឧបករណ៍
-pdfjs-first-page-button =
- .title = ទៅកាន់ទំព័រដំបូង
-pdfjs-first-page-button-label = ទៅកាន់ទំព័រដំបូង
-pdfjs-last-page-button =
- .title = ទៅកាន់ទំព័រចុងក្រោយ
-pdfjs-last-page-button-label = ទៅកាន់ទំព័រចុងក្រោយ
-pdfjs-page-rotate-cw-button =
- .title = បង្វិលស្របទ្រនិចនាឡិកា
-pdfjs-page-rotate-cw-button-label = បង្វិលស្របទ្រនិចនាឡិកា
-pdfjs-page-rotate-ccw-button =
- .title = បង្វិលច្រាសទ្រនិចនាឡិកា
-pdfjs-page-rotate-ccw-button-label = បង្វិលច្រាសទ្រនិចនាឡិកា
-pdfjs-cursor-text-select-tool-button =
- .title = បើកឧបករណ៍ជ្រើសអត្ថបទ
-pdfjs-cursor-text-select-tool-button-label = ឧបករណ៍ជ្រើសអត្ថបទ
-pdfjs-cursor-hand-tool-button =
- .title = បើកឧបករណ៍ដៃ
-pdfjs-cursor-hand-tool-button-label = ឧបករណ៍ដៃ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = លក្ខណសម្បត្តិឯកសារ…
-pdfjs-document-properties-button-label = លក្ខណសម្បត្តិឯកសារ…
-pdfjs-document-properties-file-name = ឈ្មោះឯកសារ៖
-pdfjs-document-properties-file-size = ទំហំឯកសារ៖
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } បៃ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } បៃ)
-pdfjs-document-properties-title = ចំណងជើង៖
-pdfjs-document-properties-author = អ្នកនិពន្ធ៖
-pdfjs-document-properties-subject = ប្រធានបទ៖
-pdfjs-document-properties-keywords = ពាក្យគន្លឹះ៖
-pdfjs-document-properties-creation-date = កាលបរិច្ឆេទបង្កើត៖
-pdfjs-document-properties-modification-date = កាលបរិច្ឆេទកែប្រែ៖
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = អ្នកបង្កើត៖
-pdfjs-document-properties-producer = កម្មវិធីបង្កើត PDF ៖
-pdfjs-document-properties-version = កំណែ PDF ៖
-pdfjs-document-properties-page-count = ចំនួនទំព័រ៖
-pdfjs-document-properties-page-size-unit-inches = អ៊ីញ
-pdfjs-document-properties-page-size-unit-millimeters = មម
-pdfjs-document-properties-page-size-orientation-portrait = បញ្ឈរ
-pdfjs-document-properties-page-size-orientation-landscape = ផ្តេក
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = សំបុត្រ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = បាទ/ចាស
-pdfjs-document-properties-linearized-no = ទេ
-pdfjs-document-properties-close-button = បិទ
-
-## Print
-
-pdfjs-print-progress-message = កំពុងរៀបចំឯកសារសម្រាប់បោះពុម្ព…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = បោះបង់
-pdfjs-printing-not-supported = ការព្រមាន ៖ ការបោះពុម្ពមិនត្រូវបានគាំទ្រពេញលេញដោយកម្មវិធីរុករកនេះទេ ។
-pdfjs-printing-not-ready = ព្រមាន៖ PDF មិនត្រូវបានផ្ទុកទាំងស្រុងដើម្បីបោះពុម្ពទេ។
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = បិទ/បើកគ្រាប់រំកិល
-pdfjs-toggle-sidebar-button-label = បិទ/បើកគ្រាប់រំកិល
-pdfjs-document-outline-button =
- .title = បង្ហាញគ្រោងឯកសារ (ចុចទ្វេដងដើម្បីពង្រីក/បង្រួមធាតុទាំងអស់)
-pdfjs-document-outline-button-label = គ្រោងឯកសារ
-pdfjs-attachments-button =
- .title = បង្ហាញឯកសារភ្ជាប់
-pdfjs-attachments-button-label = ឯកសារភ្ជាប់
-pdfjs-thumbs-button =
- .title = បង្ហាញរូបភាពតូចៗ
-pdfjs-thumbs-button-label = រួបភាពតូចៗ
-pdfjs-findbar-button =
- .title = រកនៅក្នុងឯកសារ
-pdfjs-findbar-button-label = រក
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = ទំព័រ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = រូបភាពតូចរបស់ទំព័រ { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = រក
- .placeholder = រកនៅក្នុងឯកសារ...
-pdfjs-find-previous-button =
- .title = រកពាក្យ ឬឃ្លាដែលបានជួបមុន
-pdfjs-find-previous-button-label = មុន
-pdfjs-find-next-button =
- .title = រកពាក្យ ឬឃ្លាដែលបានជួបបន្ទាប់
-pdfjs-find-next-button-label = បន្ទាប់
-pdfjs-find-highlight-checkbox = បន្លិចទាំងអស់
-pdfjs-find-match-case-checkbox-label = ករណីដំណូច
-pdfjs-find-reached-top = បានបន្តពីខាងក្រោម ទៅដល់ខាងលើនៃឯកសារ
-pdfjs-find-reached-bottom = បានបន្តពីខាងលើ ទៅដល់ចុងនៃឯកសារ
-pdfjs-find-not-found = រកមិនឃើញពាក្យ ឬឃ្លា
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ទទឹងទំព័រ
-pdfjs-page-scale-fit = សមទំព័រ
-pdfjs-page-scale-auto = ពង្រីកស្វ័យប្រវត្តិ
-pdfjs-page-scale-actual = ទំហំជាក់ស្ដែង
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = មានកំហុសបានកើតឡើងពេលកំពុងផ្ទុក PDF ។
-pdfjs-invalid-file-error = ឯកសារ PDF ខូច ឬមិនត្រឹមត្រូវ ។
-pdfjs-missing-file-error = បាត់ឯកសារ PDF
-pdfjs-unexpected-response-error = ការឆ្លើយតមម៉ាស៊ីនមេដែលមិនបានរំពឹង។
-pdfjs-rendering-error = មានកំហុសបានកើតឡើងពេលបង្ហាញទំព័រ ។
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ចំណារពន្យល់]
-
-## Password
-
-pdfjs-password-label = បញ្ចូលពាក្យសម្ងាត់ដើម្បីបើកឯកសារ PDF នេះ។
-pdfjs-password-invalid = ពាក្យសម្ងាត់មិនត្រឹមត្រូវ។ សូមព្យាយាមម្ដងទៀត។
-pdfjs-password-ok-button = យល់ព្រម
-pdfjs-password-cancel-button = បោះបង់
-pdfjs-web-fonts-disabled = បានបិទពុម្ពអក្សរបណ្ដាញ ៖ មិនអាចប្រើពុម្ពអក្សរ PDF ដែលបានបង្កប់បានទេ ។
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/km/viewer.properties b/static/pdf.js/locale/km/viewer.properties
new file mode 100644
index 00000000..87f700e6
--- /dev/null
+++ b/static/pdf.js/locale/km/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=ទំព័រមុន
+previous_label=មុន
+next.title=ទំព័របន្ទាប់
+next_label=បន្ទាប់
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=ទំព័រ ៖
+page_of=នៃ {{pageCount}}
+
+zoom_out.title=បង្រួម
+zoom_out_label=បង្រួម
+zoom_in.title=ពង្រីក
+zoom_in_label=ពង្រីក
+zoom.title=ពង្រីក
+presentation_mode.title=ប្ដូរទៅរបៀបបទបង្ហាញ
+presentation_mode_label=របៀបបទបង្ហាញ
+open_file.title=បើកឯកសារ
+open_file_label=បើក
+print.title=បោះពុម្ព
+print_label=បោះពុម្ព
+download.title=ទាញយក
+download_label=ទាញយក
+bookmark.title=ទិដ្ឋភាពបច្ចុប្បន្ន (ចម្លង ឬបើកនៅក្នុងបង្អួចថ្មី)
+bookmark_label=ទិដ្ឋភាពបច្ចុប្បន្ន
+
+# Secondary toolbar and context menu
+tools.title=ឧបករណ៍
+tools_label=ឧបករណ៍
+first_page.title=ទៅកាន់ទំព័រដំបូង
+first_page.label=ទៅកាន់ទំព័រដំបូង
+first_page_label=ទៅកាន់ទំព័រដំបូង
+last_page.title=ទៅកាន់ទំព័រចុងក្រោយ
+last_page.label=ទៅកាន់ទំព័រចុងក្រោយ
+last_page_label=ទៅកាន់ទំព័រចុងក្រោយ
+page_rotate_cw.title=បង្វិលស្របទ្រនិចនាឡិកា
+page_rotate_cw.label=បង្វិលស្របទ្រនិចនាឡិកា
+page_rotate_cw_label=បង្វិលស្របទ្រនិចនាឡិកា
+page_rotate_ccw.title=បង្វិលច្រាសទ្រនិចនាឡិកា
+page_rotate_ccw.label=បង្វិលច្រាសទ្រនិចនាឡិកា
+page_rotate_ccw_label=បង្វិលច្រាសទ្រនិចនាឡិកា
+
+hand_tool_enable.title=បើកឧបករណ៍ដោយដៃ
+hand_tool_enable_label=បើកឧបករណ៍ដោយដៃ
+hand_tool_disable.title=បិទឧបករណ៍ប្រើដៃ
+hand_tool_disable_label=បិទឧបករណ៍ប្រើដៃ
+
+# Document properties dialog box
+document_properties.title=លក្ខណសម្បត្តិឯកសារ…
+document_properties_label=លក្ខណសម្បត្តិឯកសារ…
+document_properties_file_name=ឈ្មោះឯកសារ៖
+document_properties_file_size=ទំហំឯកសារ៖
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=ចំណងជើង ៖
+document_properties_author=អ្នកនិពន្ធ៖
+document_properties_subject=ប្រធានបទ៖
+document_properties_keywords=ពាក្យគន្លឹះ៖
+document_properties_creation_date=កាលបរិច្ឆេទបង្កើត៖
+document_properties_modification_date=កាលបរិច្ឆេទកែប្រែ៖
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=អ្នកបង្កើត៖
+document_properties_producer=កម្មវិធីបង្កើត PDF ៖
+document_properties_version=កំណែ PDF ៖
+document_properties_page_count=ចំនួនទំព័រ៖
+document_properties_close=បិទ
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=បិទ/បើកគ្រាប់រំកិល
+toggle_sidebar_label=បិទ/បើកគ្រាប់រំកិល
+outline.title=បង្ហាញគ្រោងឯកសារ
+outline_label=គ្រោងឯកសារ
+attachments.title=បង្ហាញឯកសារភ្ជាប់
+attachments_label=ឯកសារភ្ជាប់
+thumbs.title=បង្ហាញរូបភាពតូចៗ
+thumbs_label=រួបភាពតូចៗ
+findbar.title=រកនៅក្នុងឯកសារ
+findbar_label=រក
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=ទំព័រ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=រូបភាពតូចរបស់ទំព័រ {{page}}
+
+# Find panel button title and messages
+find_label=រក ៖
+find_previous.title=រកពាក្យ ឬឃ្លាដែលបានជួបមុន
+find_previous_label=មុន
+find_next.title=រកពាក្យ ឬឃ្លាដែលបានជួបបន្ទាប់
+find_next_label=បន្ទាប់
+find_highlight=បន្លិចទាំងអស់
+find_match_case_label=ករណីដំណូច
+find_reached_top=បានបន្តពីខាងក្រោម ទៅដល់ខាងលើនៃឯកសារ
+find_reached_bottom=បានបន្តពីខាងលើ ទៅដល់ចុងនៃឯកសារ
+find_not_found=រកមិនឃើញពាក្យ ឬឃ្លា
+
+# Error panel labels
+error_more_info=ព័ត៌មានបន្ថែម
+error_less_info=ព័ត៌មានតិចតួច
+error_close=បិទ
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=សារ ៖ {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=ជង់ ៖ {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ឯកសារ ៖ {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=ជួរ ៖ {{line}}
+rendering_error=មានកំហុសបានកើតឡើងពេលបង្ហាញទំព័រ ។
+
+# Predefined zoom values
+page_scale_width=ទទឹងទំព័រ
+page_scale_fit=សមទំព័រ
+page_scale_auto=ពង្រីកស្វ័យប្រវត្តិ
+page_scale_actual=ទំហំជាក់ស្ដែង
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=កំហុស
+loading_error=មានកំហុសបានកើតឡើងពេលកំពុងផ្ទុក PDF ។
+invalid_file_error=ឯកសារ PDF ខូច ឬមិនត្រឹមត្រូវ ។
+missing_file_error=បាត់ឯកសារ PDF
+unexpected_response_error=ការឆ្លើយតមម៉ាស៊ីនមេដែលមិនបានរំពឹង។
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} ចំណារពន្យល់]
+password_label=បញ្ចូលពាក្យសម្ងាត់ដើម្បីបើកឯកសារ PDF នេះ។
+password_invalid=ពាក្យសម្ងាត់មិនត្រឹមត្រូវ។ សូមព្យាយាមម្ដងទៀត។
+password_ok=យល់ព្រម
+password_cancel=បោះបង់
+
+printing_not_supported=ការព្រមាន ៖ ការបោះពុម្ពមិនត្រូវបានគាំទ្រពេញលេញដោយកម្មវិធីរុករកនេះទេ ។
+printing_not_ready=ព្រមាន៖ PDF មិនត្រូវបានផ្ទុកទាំងស្រុងដើម្បីបោះពុម្ពទេ។
+web_fonts_disabled=បានបិទពុម្ពអក្សរបណ្ដាញ ៖ មិនអាចប្រើពុម្ពអក្សរ PDF ដែលបានបង្កប់បានទេ ។
+document_colors_not_allowed=ឯកសារ PDF មិនត្រូវបានអនុញ្ញាតឲ្យប្រើពណ៌ផ្ទាល់របស់វាទេ៖ 'អនុញ្ញាតឲ្យទំព័រជ្រើសពណ៌ផ្ទាល់ខ្លួន' ត្រូវបានធ្វើឲ្យអសកម្មក្នុងកម្មវិធីរុករក។
diff --git a/static/pdf.js/locale/kn/viewer.ftl b/static/pdf.js/locale/kn/viewer.ftl
deleted file mode 100644
index 03322555..00000000
--- a/static/pdf.js/locale/kn/viewer.ftl
+++ /dev/null
@@ -1,213 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = ಹಿಂದಿನ ಪುಟ
-pdfjs-previous-button-label = ಹಿಂದಿನ
-pdfjs-next-button =
- .title = ಮುಂದಿನ ಪುಟ
-pdfjs-next-button-label = ಮುಂದಿನ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ಪುಟ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } ರಲ್ಲಿ
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } ರಲ್ಲಿ { $pageNumber })
-pdfjs-zoom-out-button =
- .title = ಕಿರಿದಾಗಿಸು
-pdfjs-zoom-out-button-label = ಕಿರಿದಾಗಿಸಿ
-pdfjs-zoom-in-button =
- .title = ಹಿರಿದಾಗಿಸು
-pdfjs-zoom-in-button-label = ಹಿರಿದಾಗಿಸಿ
-pdfjs-zoom-select =
- .title = ಗಾತ್ರಬದಲಿಸು
-pdfjs-presentation-mode-button =
- .title = ಪ್ರಸ್ತುತಿ (ಪ್ರಸೆಂಟೇಶನ್) ಕ್ರಮಕ್ಕೆ ಬದಲಾಯಿಸು
-pdfjs-presentation-mode-button-label = ಪ್ರಸ್ತುತಿ (ಪ್ರಸೆಂಟೇಶನ್) ಕ್ರಮ
-pdfjs-open-file-button =
- .title = ಕಡತವನ್ನು ತೆರೆ
-pdfjs-open-file-button-label = ತೆರೆಯಿರಿ
-pdfjs-print-button =
- .title = ಮುದ್ರಿಸು
-pdfjs-print-button-label = ಮುದ್ರಿಸಿ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ಉಪಕರಣಗಳು
-pdfjs-tools-button-label = ಉಪಕರಣಗಳು
-pdfjs-first-page-button =
- .title = ಮೊದಲ ಪುಟಕ್ಕೆ ತೆರಳು
-pdfjs-first-page-button-label = ಮೊದಲ ಪುಟಕ್ಕೆ ತೆರಳು
-pdfjs-last-page-button =
- .title = ಕೊನೆಯ ಪುಟಕ್ಕೆ ತೆರಳು
-pdfjs-last-page-button-label = ಕೊನೆಯ ಪುಟಕ್ಕೆ ತೆರಳು
-pdfjs-page-rotate-cw-button =
- .title = ಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
-pdfjs-page-rotate-cw-button-label = ಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
-pdfjs-page-rotate-ccw-button =
- .title = ಅಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
-pdfjs-page-rotate-ccw-button-label = ಅಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
-pdfjs-cursor-text-select-tool-button =
- .title = ಪಠ್ಯ ಆಯ್ಕೆ ಉಪಕರಣವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ
-pdfjs-cursor-text-select-tool-button-label = ಪಠ್ಯ ಆಯ್ಕೆಯ ಉಪಕರಣ
-pdfjs-cursor-hand-tool-button =
- .title = ಕೈ ಉಪಕರಣವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ
-pdfjs-cursor-hand-tool-button-label = ಕೈ ಉಪಕರಣ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = ಡಾಕ್ಯುಮೆಂಟ್ ಗುಣಗಳು...
-pdfjs-document-properties-button-label = ಡಾಕ್ಯುಮೆಂಟ್ ಗುಣಗಳು...
-pdfjs-document-properties-file-name = ಕಡತದ ಹೆಸರು:
-pdfjs-document-properties-file-size = ಕಡತದ ಗಾತ್ರ:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } ಬೈಟ್ಗಳು)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } ಬೈಟ್ಗಳು)
-pdfjs-document-properties-title = ಶೀರ್ಷಿಕೆ:
-pdfjs-document-properties-author = ಕರ್ತೃ:
-pdfjs-document-properties-subject = ವಿಷಯ:
-pdfjs-document-properties-keywords = ಮುಖ್ಯಪದಗಳು:
-pdfjs-document-properties-creation-date = ರಚಿಸಿದ ದಿನಾಂಕ:
-pdfjs-document-properties-modification-date = ಮಾರ್ಪಡಿಸಲಾದ ದಿನಾಂಕ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ರಚಿಸಿದವರು:
-pdfjs-document-properties-producer = PDF ಉತ್ಪಾದಕ:
-pdfjs-document-properties-version = PDF ಆವೃತ್ತಿ:
-pdfjs-document-properties-page-count = ಪುಟದ ಎಣಿಕೆ:
-pdfjs-document-properties-page-size-unit-inches = ಇದರಲ್ಲಿ
-pdfjs-document-properties-page-size-orientation-portrait = ಭಾವಚಿತ್ರ
-pdfjs-document-properties-page-size-orientation-landscape = ಪ್ರಕೃತಿ ಚಿತ್ರ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = ಮುಚ್ಚು
-
-## Print
-
-pdfjs-print-progress-message = ಮುದ್ರಿಸುವುದಕ್ಕಾಗಿ ದಸ್ತಾವೇಜನ್ನು ಸಿದ್ಧಗೊಳಿಸಲಾಗುತ್ತಿದೆ…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ರದ್ದು ಮಾಡು
-pdfjs-printing-not-supported = ಎಚ್ಚರಿಕೆ: ಈ ಜಾಲವೀಕ್ಷಕದಲ್ಲಿ ಮುದ್ರಣಕ್ಕೆ ಸಂಪೂರ್ಣ ಬೆಂಬಲವಿಲ್ಲ.
-pdfjs-printing-not-ready = ಎಚ್ಚರಿಕೆ: PDF ಕಡತವು ಮುದ್ರಿಸಲು ಸಂಪೂರ್ಣವಾಗಿ ಲೋಡ್ ಆಗಿಲ್ಲ.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ಬದಿಪಟ್ಟಿಯನ್ನು ಹೊರಳಿಸು
-pdfjs-toggle-sidebar-button-label = ಬದಿಪಟ್ಟಿಯನ್ನು ಹೊರಳಿಸು
-pdfjs-document-outline-button-label = ದಸ್ತಾವೇಜಿನ ಹೊರರೇಖೆ
-pdfjs-attachments-button =
- .title = ಲಗತ್ತುಗಳನ್ನು ತೋರಿಸು
-pdfjs-attachments-button-label = ಲಗತ್ತುಗಳು
-pdfjs-thumbs-button =
- .title = ಚಿಕ್ಕಚಿತ್ರದಂತೆ ತೋರಿಸು
-pdfjs-thumbs-button-label = ಚಿಕ್ಕಚಿತ್ರಗಳು
-pdfjs-findbar-button =
- .title = ದಸ್ತಾವೇಜಿನಲ್ಲಿ ಹುಡುಕು
-pdfjs-findbar-button-label = ಹುಡುಕು
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = ಪುಟ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = ಪುಟವನ್ನು ಚಿಕ್ಕಚಿತ್ರದಂತೆ ತೋರಿಸು { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ಹುಡುಕು
- .placeholder = ದಸ್ತಾವೇಜಿನಲ್ಲಿ ಹುಡುಕು…
-pdfjs-find-previous-button =
- .title = ವಾಕ್ಯದ ಹಿಂದಿನ ಇರುವಿಕೆಯನ್ನು ಹುಡುಕು
-pdfjs-find-previous-button-label = ಹಿಂದಿನ
-pdfjs-find-next-button =
- .title = ವಾಕ್ಯದ ಮುಂದಿನ ಇರುವಿಕೆಯನ್ನು ಹುಡುಕು
-pdfjs-find-next-button-label = ಮುಂದಿನ
-pdfjs-find-highlight-checkbox = ಎಲ್ಲವನ್ನು ಹೈಲೈಟ್ ಮಾಡು
-pdfjs-find-match-case-checkbox-label = ಕೇಸನ್ನು ಹೊಂದಿಸು
-pdfjs-find-reached-top = ದಸ್ತಾವೇಜಿನ ಮೇಲ್ಭಾಗವನ್ನು ತಲುಪಿದೆ, ಕೆಳಗಿನಿಂದ ಆರಂಭಿಸು
-pdfjs-find-reached-bottom = ದಸ್ತಾವೇಜಿನ ಕೊನೆಯನ್ನು ತಲುಪಿದೆ, ಮೇಲಿನಿಂದ ಆರಂಭಿಸು
-pdfjs-find-not-found = ವಾಕ್ಯವು ಕಂಡು ಬಂದಿಲ್ಲ
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ಪುಟದ ಅಗಲ
-pdfjs-page-scale-fit = ಪುಟದ ಸರಿಹೊಂದಿಕೆ
-pdfjs-page-scale-auto = ಸ್ವಯಂಚಾಲಿತ ಗಾತ್ರಬದಲಾವಣೆ
-pdfjs-page-scale-actual = ನಿಜವಾದ ಗಾತ್ರ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ಅನ್ನು ಲೋಡ್ ಮಾಡುವಾಗ ಒಂದು ದೋಷ ಎದುರಾಗಿದೆ.
-pdfjs-invalid-file-error = ಅಮಾನ್ಯವಾದ ಅಥವ ಹಾಳಾದ PDF ಕಡತ.
-pdfjs-missing-file-error = PDF ಕಡತ ಇಲ್ಲ.
-pdfjs-unexpected-response-error = ಅನಿರೀಕ್ಷಿತವಾದ ಪೂರೈಕೆಗಣಕದ ಪ್ರತಿಕ್ರಿಯೆ.
-pdfjs-rendering-error = ಪುಟವನ್ನು ನಿರೂಪಿಸುವಾಗ ಒಂದು ದೋಷ ಎದುರಾಗಿದೆ.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ಟಿಪ್ಪಣಿ]
-
-## Password
-
-pdfjs-password-label = PDF ಅನ್ನು ತೆರೆಯಲು ಗುಪ್ತಪದವನ್ನು ನಮೂದಿಸಿ.
-pdfjs-password-invalid = ಅಮಾನ್ಯವಾದ ಗುಪ್ತಪದ, ದಯವಿಟ್ಟು ಇನ್ನೊಮ್ಮೆ ಪ್ರಯತ್ನಿಸಿ.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = ರದ್ದು ಮಾಡು
-pdfjs-web-fonts-disabled = ಜಾಲ ಅಕ್ಷರಶೈಲಿಯನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ: ಅಡಕಗೊಳಿಸಿದ PDF ಅಕ್ಷರಶೈಲಿಗಳನ್ನು ಬಳಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/kn/viewer.properties b/static/pdf.js/locale/kn/viewer.properties
new file mode 100644
index 00000000..f206717d
--- /dev/null
+++ b/static/pdf.js/locale/kn/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=ಹಿಂದಿನ ಪುಟ
+previous_label=ಹಿಂದಿನ
+next.title=ಮುಂದಿನ ಪುಟ
+next_label=ಮುಂದಿನ
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=ಪುಟ:
+page_of={{pageCount}} ರಲ್ಲಿ
+
+zoom_out.title=ಕಿರಿದಾಗಿಸು
+zoom_out_label=ಕಿರಿದಾಗಿಸಿ
+zoom_in.title=ಹಿರಿದಾಗಿಸು
+zoom_in_label=ಹಿರಿದಾಗಿಸಿ
+zoom.title=ಗಾತ್ರಬದಲಿಸು
+presentation_mode.title=ಪ್ರಸ್ತುತಿ (ಪ್ರಸೆಂಟೇಶನ್) ಕ್ರಮಕ್ಕೆ ಬದಲಾಯಿಸು
+presentation_mode_label=ಪ್ರಸ್ತುತಿ (ಪ್ರಸೆಂಟೇಶನ್) ಕ್ರಮ
+open_file.title=ಕಡತವನ್ನು ತೆರೆ
+open_file_label=ತೆರೆಯಿರಿ
+print.title=ಮುದ್ರಿಸು
+print_label=ಮುದ್ರಿಸಿ
+download.title=ಇಳಿಸು
+download_label=ಇಳಿಸಿಕೊಳ್ಳಿ
+bookmark.title=ಪ್ರಸಕ್ತ ನೋಟ (ಪ್ರತಿ ಮಾಡು ಅಥವ ಹೊಸ ಕಿಟಕಿಯಲ್ಲಿ ತೆರೆ)
+bookmark_label=ಪ್ರಸಕ್ತ ನೋಟ
+
+# Secondary toolbar and context menu
+tools.title=ಉಪಕರಣಗಳು
+tools_label=ಉಪಕರಣಗಳು
+first_page.title=ಮೊದಲ ಪುಟಕ್ಕೆ ತೆರಳು
+first_page.label=ಮೊದಲ ಪುಟಕ್ಕೆ ತೆರಳು
+first_page_label=ಮೊದಲ ಪುಟಕ್ಕೆ ತೆರಳು
+last_page.title=ಕೊನೆಯ ಪುಟಕ್ಕೆ ತೆರಳು
+last_page.label=ಕೊನೆಯ ಪುಟಕ್ಕೆ ತೆರಳು
+last_page_label=ಕೊನೆಯ ಪುಟಕ್ಕೆ ತೆರಳು
+page_rotate_cw.title=ಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+page_rotate_cw.label=ಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+page_rotate_cw_label=ಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+page_rotate_ccw.title=ಅಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+page_rotate_ccw.label=ಅಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+page_rotate_ccw_label=ಅಪ್ರದಕ್ಷಿಣೆಯಲ್ಲಿ ತಿರುಗಿಸು
+
+hand_tool_enable.title=ಕೈ ಉಪಕರಣವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸು
+hand_tool_enable_label=ಕೈ ಉಪಕರಣವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸು
+hand_tool_disable.title=ಕೈ ಉಪಕರಣವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸು
+hand_tool_disable_label=ಕೈ ಉಪಕರಣವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸು
+
+# Document properties dialog box
+document_properties.title=ಡಾಕ್ಯುಮೆಂಟ್ ಗುಣಗಳು...
+document_properties_label=ಡಾಕ್ಯುಮೆಂಟ್ ಗುಣಗಳು...
+document_properties_file_name=ಕಡತದ ಹೆಸರು:
+document_properties_file_size=ಕಡತದ ಗಾತ್ರ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} ಬೈಟ್ಗಳು)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} ಬೈಟ್ಗಳು)
+document_properties_title=ಶೀರ್ಷಿಕೆ:
+document_properties_author=ಕರ್ತೃ:
+document_properties_subject=ವಿಷಯ:
+document_properties_keywords=ಮುಖ್ಯಪದಗಳು:
+document_properties_creation_date=ರಚಿಸಿದ ದಿನಾಂಕ:
+document_properties_modification_date=ಮಾರ್ಪಡಿಸಲಾದ ದಿನಾಂಕ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=ರಚಿಸಿದವರು:
+document_properties_producer=PDF ಉತ್ಪಾದಕ:
+document_properties_version=PDF ಆವೃತ್ತಿ:
+document_properties_page_count=ಪುಟದ ಎಣಿಕೆ:
+document_properties_close=ಮುಚ್ಚು
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=ಬದಿಪಟ್ಟಿಯನ್ನು ಹೊರಳಿಸು
+toggle_sidebar_label=ಬದಿಪಟ್ಟಿಯನ್ನು ಹೊರಳಿಸು
+outline.title=ದಸ್ತಾವೇಜಿನ ಹೊರರೇಖೆಯನ್ನು ತೋರಿಸು
+outline_label=ದಸ್ತಾವೇಜಿನ ಹೊರರೇಖೆ
+attachments.title=ಲಗತ್ತುಗಳನ್ನು ತೋರಿಸು
+attachments_label=ಲಗತ್ತುಗಳು
+thumbs.title=ಚಿಕ್ಕಚಿತ್ರದಂತೆ ತೋರಿಸು
+thumbs_label=ಚಿಕ್ಕಚಿತ್ರಗಳು
+findbar.title=ದಸ್ತಾವೇಜಿನಲ್ಲಿ ಹುಡುಕು
+findbar_label=ಹುಡುಕು
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=ಪುಟ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=ಪುಟವನ್ನು ಚಿಕ್ಕಚಿತ್ರದಂತೆ ತೋರಿಸು {{page}}
+
+# Find panel button title and messages
+find_label=ಹುಡುಕು:
+find_previous.title=ವಾಕ್ಯದ ಹಿಂದಿನ ಇರುವಿಕೆಯನ್ನು ಹುಡುಕು
+find_previous_label=ಹಿಂದಿನ
+find_next.title=ವಾಕ್ಯದ ಮುಂದಿನ ಇರುವಿಕೆಯನ್ನು ಹುಡುಕು
+find_next_label=ಮುಂದಿನ
+find_highlight=ಎಲ್ಲವನ್ನು ಹೈಲೈಟ್ ಮಾಡು
+find_match_case_label=ಕೇಸನ್ನು ಹೊಂದಿಸು
+find_reached_top=ದಸ್ತಾವೇಜಿನ ಮೇಲ್ಭಾಗವನ್ನು ತಲುಪಿದೆ, ಕೆಳಗಿನಿಂದ ಆರಂಭಿಸು
+find_reached_bottom=ದಸ್ತಾವೇಜಿನ ಕೊನೆಯನ್ನು ತಲುಪಿದೆ, ಮೇಲಿನಿಂದ ಆರಂಭಿಸು
+find_not_found=ವಾಕ್ಯವು ಕಂಡು ಬಂದಿಲ್ಲ
+
+# Error panel labels
+error_more_info=ಹೆಚ್ಚಿನ ಮಾಹಿತಿ
+error_less_info=ಕಡಿಮೆ ಮಾಹಿತಿ
+error_close=ಮುಚ್ಚು
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=ಸಂದೇಶ: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=ರಾಶಿ: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ಕಡತ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=ಸಾಲು: {{line}}
+rendering_error=ಪುಟವನ್ನು ನಿರೂಪಿಸುವಾಗ ಒಂದು ದೋಷ ಎದುರಾಗಿದೆ.
+
+# Predefined zoom values
+page_scale_width=ಪುಟದ ಅಗಲ
+page_scale_fit=ಪುಟದ ಸರಿಹೊಂದಿಕೆ
+page_scale_auto=ಸ್ವಯಂಚಾಲಿತ ಗಾತ್ರಬದಲಾವಣೆ
+page_scale_actual=ನಿಜವಾದ ಗಾತ್ರ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=ದೋಷ
+loading_error=PDF ಅನ್ನು ಲೋಡ್ ಮಾಡುವಾಗ ಒಂದು ದೋಷ ಎದುರಾಗಿದೆ.
+invalid_file_error=ಅಮಾನ್ಯವಾದ ಅಥವ ಹಾಳಾದ PDF ಕಡತ.
+missing_file_error=PDF ಕಡತ ಇಲ್ಲ.
+unexpected_response_error=ಅನಿರೀಕ್ಷಿತವಾದ ಪೂರೈಕೆಗಣಕದ ಪ್ರತಿಕ್ರಿಯೆ.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} ಟಿಪ್ಪಣಿ]
+password_label=PDF ಅನ್ನು ತೆರೆಯಲು ಗುಪ್ತಪದವನ್ನು ನಮೂದಿಸಿ.
+password_invalid=ಅಮಾನ್ಯವಾದ ಗುಪ್ತಪದ, ದಯವಿಟ್ಟು ಇನ್ನೊಮ್ಮೆ ಪ್ರಯತ್ನಿಸಿ.
+password_ok=OK
+password_cancel=ರದ್ದು ಮಾಡು
+
+printing_not_supported=ಎಚ್ಚರಿಕೆ: ಈ ಜಾಲವೀಕ್ಷಕದಲ್ಲಿ ಮುದ್ರಣಕ್ಕೆ ಸಂಪೂರ್ಣ ಬೆಂಬಲವಿಲ್ಲ.
+printing_not_ready=ಎಚ್ಚರಿಕೆ: PDF ಕಡತವು ಮುದ್ರಿಸಲು ಸಂಪೂರ್ಣವಾಗಿ ಲೋಡ್ ಆಗಿಲ್ಲ.
+web_fonts_disabled=ಜಾಲ ಅಕ್ಷರಶೈಲಿಯನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ: ಅಡಕಗೊಳಿಸಿದ PDF ಅಕ್ಷರಶೈಲಿಗಳನ್ನು ಬಳಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ.
+document_colors_not_allowed=PDF ದಸ್ತಾವೇಜುಗಳು ತಮ್ಮದೆ ಆದ ಬಣ್ಣಗಳನ್ನು ಬಳಸಲು ಅನುಮತಿ ಇರುವುದಿಲ್ಲ: 'ಪುಟಗಳು ತಮ್ಮದೆ ಆದ ಬಣ್ಣವನ್ನು ಆಯ್ಕೆ ಮಾಡಲು ಅನುಮತಿಸು' ಅನ್ನು ಜಾಲವೀಕ್ಷಕದಲ್ಲಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿರುತ್ತದೆ.
diff --git a/static/pdf.js/locale/ko/viewer.ftl b/static/pdf.js/locale/ko/viewer.ftl
deleted file mode 100644
index 2afce144..00000000
--- a/static/pdf.js/locale/ko/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = 이전 페이지
-pdfjs-previous-button-label = 이전
-pdfjs-next-button =
- .title = 다음 페이지
-pdfjs-next-button-label = 다음
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = 페이지
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = 축소
-pdfjs-zoom-out-button-label = 축소
-pdfjs-zoom-in-button =
- .title = 확대
-pdfjs-zoom-in-button-label = 확대
-pdfjs-zoom-select =
- .title = 확대/축소
-pdfjs-presentation-mode-button =
- .title = 프레젠테이션 모드로 전환
-pdfjs-presentation-mode-button-label = 프레젠테이션 모드
-pdfjs-open-file-button =
- .title = 파일 열기
-pdfjs-open-file-button-label = 열기
-pdfjs-print-button =
- .title = 인쇄
-pdfjs-print-button-label = 인쇄
-pdfjs-save-button =
- .title = 저장
-pdfjs-save-button-label = 저장
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = 다운로드
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = 다운로드
-pdfjs-bookmark-button =
- .title = 현재 페이지 (현재 페이지에서 URL 보기)
-pdfjs-bookmark-button-label = 현재 페이지
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = 앱에서 열기
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = 앱에서 열기
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = 도구
-pdfjs-tools-button-label = 도구
-pdfjs-first-page-button =
- .title = 첫 페이지로 이동
-pdfjs-first-page-button-label = 첫 페이지로 이동
-pdfjs-last-page-button =
- .title = 마지막 페이지로 이동
-pdfjs-last-page-button-label = 마지막 페이지로 이동
-pdfjs-page-rotate-cw-button =
- .title = 시계방향으로 회전
-pdfjs-page-rotate-cw-button-label = 시계방향으로 회전
-pdfjs-page-rotate-ccw-button =
- .title = 시계 반대방향으로 회전
-pdfjs-page-rotate-ccw-button-label = 시계 반대방향으로 회전
-pdfjs-cursor-text-select-tool-button =
- .title = 텍스트 선택 도구 활성화
-pdfjs-cursor-text-select-tool-button-label = 텍스트 선택 도구
-pdfjs-cursor-hand-tool-button =
- .title = 손 도구 활성화
-pdfjs-cursor-hand-tool-button-label = 손 도구
-pdfjs-scroll-page-button =
- .title = 페이지 스크롤 사용
-pdfjs-scroll-page-button-label = 페이지 스크롤
-pdfjs-scroll-vertical-button =
- .title = 세로 스크롤 사용
-pdfjs-scroll-vertical-button-label = 세로 스크롤
-pdfjs-scroll-horizontal-button =
- .title = 가로 스크롤 사용
-pdfjs-scroll-horizontal-button-label = 가로 스크롤
-pdfjs-scroll-wrapped-button =
- .title = 래핑(자동 줄 바꿈) 스크롤 사용
-pdfjs-scroll-wrapped-button-label = 래핑 스크롤
-pdfjs-spread-none-button =
- .title = 한 페이지 보기
-pdfjs-spread-none-button-label = 펼침 없음
-pdfjs-spread-odd-button =
- .title = 홀수 페이지로 시작하는 두 페이지 보기
-pdfjs-spread-odd-button-label = 홀수 펼침
-pdfjs-spread-even-button =
- .title = 짝수 페이지로 시작하는 두 페이지 보기
-pdfjs-spread-even-button-label = 짝수 펼침
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = 문서 속성…
-pdfjs-document-properties-button-label = 문서 속성…
-pdfjs-document-properties-file-name = 파일 이름:
-pdfjs-document-properties-file-size = 파일 크기:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b }바이트)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b }바이트)
-pdfjs-document-properties-title = 제목:
-pdfjs-document-properties-author = 작성자:
-pdfjs-document-properties-subject = 주제:
-pdfjs-document-properties-keywords = 키워드:
-pdfjs-document-properties-creation-date = 작성 날짜:
-pdfjs-document-properties-modification-date = 수정 날짜:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = 작성 프로그램:
-pdfjs-document-properties-producer = PDF 변환 소프트웨어:
-pdfjs-document-properties-version = PDF 버전:
-pdfjs-document-properties-page-count = 페이지 수:
-pdfjs-document-properties-page-size = 페이지 크기:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = 세로 방향
-pdfjs-document-properties-page-size-orientation-landscape = 가로 방향
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = 레터
-pdfjs-document-properties-page-size-name-legal = 리걸
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = 빠른 웹 보기:
-pdfjs-document-properties-linearized-yes = 예
-pdfjs-document-properties-linearized-no = 아니요
-pdfjs-document-properties-close-button = 닫기
-
-## Print
-
-pdfjs-print-progress-message = 인쇄 문서 준비 중…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = 취소
-pdfjs-printing-not-supported = 경고: 이 브라우저는 인쇄를 완전히 지원하지 않습니다.
-pdfjs-printing-not-ready = 경고: 이 PDF를 인쇄를 할 수 있을 정도로 읽어들이지 못했습니다.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = 사이드바 표시/숨기기
-pdfjs-toggle-sidebar-notification-button =
- .title = 사이드바 표시/숨기기 (문서에 아웃라인/첨부파일/레이어 포함됨)
-pdfjs-toggle-sidebar-button-label = 사이드바 표시/숨기기
-pdfjs-document-outline-button =
- .title = 문서 아웃라인 보기 (더블 클릭해서 모든 항목 펼치기/접기)
-pdfjs-document-outline-button-label = 문서 아웃라인
-pdfjs-attachments-button =
- .title = 첨부파일 보기
-pdfjs-attachments-button-label = 첨부파일
-pdfjs-layers-button =
- .title = 레이어 보기 (더블 클릭해서 모든 레이어를 기본 상태로 재설정)
-pdfjs-layers-button-label = 레이어
-pdfjs-thumbs-button =
- .title = 미리보기
-pdfjs-thumbs-button-label = 미리보기
-pdfjs-current-outline-item-button =
- .title = 현재 아웃라인 항목 찾기
-pdfjs-current-outline-item-button-label = 현재 아웃라인 항목
-pdfjs-findbar-button =
- .title = 검색
-pdfjs-findbar-button-label = 검색
-pdfjs-additional-layers = 추가 레이어
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } 페이지
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } 페이지 미리보기
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = 찾기
- .placeholder = 문서에서 찾기…
-pdfjs-find-previous-button =
- .title = 지정 문자열에 일치하는 1개 부분을 검색
-pdfjs-find-previous-button-label = 이전
-pdfjs-find-next-button =
- .title = 지정 문자열에 일치하는 다음 부분을 검색
-pdfjs-find-next-button-label = 다음
-pdfjs-find-highlight-checkbox = 모두 강조 표시
-pdfjs-find-match-case-checkbox-label = 대/소문자 구분
-pdfjs-find-match-diacritics-checkbox-label = 분음 부호 일치
-pdfjs-find-entire-word-checkbox-label = 단어 단위로
-pdfjs-find-reached-top = 문서 처음까지 검색하고 끝으로 돌아와 검색했습니다.
-pdfjs-find-reached-bottom = 문서 끝까지 검색하고 앞으로 돌아와 검색했습니다.
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = { $current } / { $total } 일치
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit = { $limit }개 이상 일치
-pdfjs-find-not-found = 검색 결과 없음
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = 페이지 너비에 맞추기
-pdfjs-page-scale-fit = 페이지에 맞추기
-pdfjs-page-scale-auto = 자동
-pdfjs-page-scale-actual = 실제 크기
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page } 페이지
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF를 로드하는 동안 오류가 발생했습니다.
-pdfjs-invalid-file-error = 잘못되었거나 손상된 PDF 파일.
-pdfjs-missing-file-error = PDF 파일 없음.
-pdfjs-unexpected-response-error = 예기치 않은 서버 응답입니다.
-pdfjs-rendering-error = 페이지를 렌더링하는 동안 오류가 발생했습니다.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } 주석]
-
-## Password
-
-pdfjs-password-label = 이 PDF 파일을 열 수 있는 비밀번호를 입력하세요.
-pdfjs-password-invalid = 잘못된 비밀번호입니다. 다시 시도하세요.
-pdfjs-password-ok-button = 확인
-pdfjs-password-cancel-button = 취소
-pdfjs-web-fonts-disabled = 웹 폰트가 비활성화됨: 내장된 PDF 글꼴을 사용할 수 없습니다.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = 텍스트
-pdfjs-editor-free-text-button-label = 텍스트
-pdfjs-editor-ink-button =
- .title = 그리기
-pdfjs-editor-ink-button-label = 그리기
-pdfjs-editor-stamp-button =
- .title = 이미지 추가 또는 편집
-pdfjs-editor-stamp-button-label = 이미지 추가 또는 편집
-pdfjs-editor-highlight-button =
- .title = 강조 표시
-pdfjs-editor-highlight-button-label = 강조 표시
-pdfjs-highlight-floating-button =
- .title = 강조 표시
-pdfjs-highlight-floating-button1 =
- .title = 강조 표시
- .aria-label = 강조 표시
-pdfjs-highlight-floating-button-label = 강조 표시
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = 그리기 제거
-pdfjs-editor-remove-freetext-button =
- .title = 텍스트 제거
-pdfjs-editor-remove-stamp-button =
- .title = 이미지 제거
-pdfjs-editor-remove-highlight-button =
- .title = 강조 표시 제거
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = 색상
-pdfjs-editor-free-text-size-input = 크기
-pdfjs-editor-ink-color-input = 색상
-pdfjs-editor-ink-thickness-input = 두께
-pdfjs-editor-ink-opacity-input = 불투명도
-pdfjs-editor-stamp-add-image-button =
- .title = 이미지 추가
-pdfjs-editor-stamp-add-image-button-label = 이미지 추가
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = 두께
-pdfjs-editor-free-highlight-thickness-title =
- .title = 텍스트 이외의 항목을 강조 표시할 때 두께 변경
-pdfjs-free-text =
- .aria-label = 텍스트 편집기
-pdfjs-free-text-default-content = 입력하세요…
-pdfjs-ink =
- .aria-label = 그리기 편집기
-pdfjs-ink-canvas =
- .aria-label = 사용자 생성 이미지
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = 대체 텍스트
-pdfjs-editor-alt-text-edit-button-label = 대체 텍스트 편집
-pdfjs-editor-alt-text-dialog-label = 옵션을 선택하세요
-pdfjs-editor-alt-text-dialog-description = 대체 텍스트는 사람들이 이미지를 볼 수 없거나 이미지가 로드되지 않을 때 도움이 됩니다.
-pdfjs-editor-alt-text-add-description-label = 설명 추가
-pdfjs-editor-alt-text-add-description-description = 주제, 설정, 동작을 설명하는 1~2개의 문장을 목표로 하세요.
-pdfjs-editor-alt-text-mark-decorative-label = 장식용으로 표시
-pdfjs-editor-alt-text-mark-decorative-description = 테두리나 워터마크와 같은 장식적인 이미지에 사용됩니다.
-pdfjs-editor-alt-text-cancel-button = 취소
-pdfjs-editor-alt-text-save-button = 저장
-pdfjs-editor-alt-text-decorative-tooltip = 장식용으로 표시됨
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = 예를 들어, “한 청년이 식탁에 앉아 식사를 하고 있습니다.”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = 왼쪽 위 — 크기 조정
-pdfjs-editor-resizer-label-top-middle = 가운데 위 - 크기 조정
-pdfjs-editor-resizer-label-top-right = 오른쪽 위 — 크기 조정
-pdfjs-editor-resizer-label-middle-right = 오른쪽 가운데 — 크기 조정
-pdfjs-editor-resizer-label-bottom-right = 오른쪽 아래 - 크기 조정
-pdfjs-editor-resizer-label-bottom-middle = 가운데 아래 — 크기 조정
-pdfjs-editor-resizer-label-bottom-left = 왼쪽 아래 - 크기 조정
-pdfjs-editor-resizer-label-middle-left = 왼쪽 가운데 — 크기 조정
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = 색상
-pdfjs-editor-colorpicker-button =
- .title = 색상 변경
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = 색상 선택
-pdfjs-editor-colorpicker-yellow =
- .title = 노란색
-pdfjs-editor-colorpicker-green =
- .title = 녹색
-pdfjs-editor-colorpicker-blue =
- .title = 파란색
-pdfjs-editor-colorpicker-pink =
- .title = 분홍색
-pdfjs-editor-colorpicker-red =
- .title = 빨간색
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = 모두 보기
-pdfjs-editor-highlight-show-all-button =
- .title = 모두 보기
diff --git a/static/pdf.js/locale/ko/viewer.properties b/static/pdf.js/locale/ko/viewer.properties
new file mode 100644
index 00000000..132a5f7c
--- /dev/null
+++ b/static/pdf.js/locale/ko/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=이전 페이지
+previous_label=이전
+next.title=다음 페이지
+next_label=다음
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=페이지:
+page_of=/{{pageCount}}
+
+zoom_out.title=축소
+zoom_out_label=축소
+zoom_in.title=확대
+zoom_in_label=확대
+zoom.title=크기
+presentation_mode.title=발표 모드로 전환
+presentation_mode_label=발표 모드
+open_file.title=파일 열기
+open_file_label=열기
+print.title=인쇄
+print_label=인쇄
+download.title=다운로드
+download_label=다운로드
+bookmark.title=지금 보이는 그대로 (복사하거나 새 창에 열기)
+bookmark_label=지금 보이는 그대로
+
+# Secondary toolbar and context menu
+tools.title=도구
+tools_label=도구
+first_page.title=첫 페이지로 이동
+first_page.label=첫 페이지로 이동
+first_page_label=첫 페이지로 이동
+last_page.title=마지막 페이지로 이동
+last_page.label=마지막 페이지로 이동
+last_page_label=마지막 페이지로 이동
+page_rotate_cw.title=시계방향으로 회전
+page_rotate_cw.label=시계방향으로 회전
+page_rotate_cw_label=시계방향으로 회전
+page_rotate_ccw.title=시계 반대방향으로 회전
+page_rotate_ccw.label=시계 반대방향으로 회전
+page_rotate_ccw_label=시계 반대방향으로 회전
+
+hand_tool_enable.title=손 도구 켜기
+hand_tool_enable_label=손 도구 켜기
+hand_tool_disable.title=손 도구 끄기
+hand_tool_disable_label=손 도구 끄기
+
+# Document properties dialog box
+document_properties.title=문서 속성…
+document_properties_label=문서 속성…
+document_properties_file_name=파일 이름:
+document_properties_file_size=파일 사이즈:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}}바이트)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}}바이트)
+document_properties_title=제목:
+document_properties_author=저자:
+document_properties_subject=주제:
+document_properties_keywords=키워드:
+document_properties_creation_date=생성일:
+document_properties_modification_date=수정일:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=생성자:
+document_properties_producer=PDF 생성기:
+document_properties_version=PDF 버전:
+document_properties_page_count=총 페이지:
+document_properties_close=닫기
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=탐색창 열고 닫기
+toggle_sidebar_label=탐색창 열고 닫기
+outline.title=문서 개요 보기
+outline_label=문서 개요
+attachments.title=첨부파일 보기
+attachments_label=첨부파일
+thumbs.title=미리보기
+thumbs_label=미리보기
+findbar.title=검색
+findbar_label=검색
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}}쪽
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}}쪽 미리보기
+
+# Find panel button title and messages
+find_label=검색:
+find_previous.title=지정 문자열에 일치하는 1개 부분을 검색
+find_previous_label=이전
+find_next.title=지정 문자열에 일치하는 다음 부분을 검색
+find_next_label=다음
+find_highlight=모두 강조 표시
+find_match_case_label=대문자/소문자 구별
+find_reached_top=문서 처음까지 검색하고 끝으로 돌아와 검색했습니다.
+find_reached_bottom=문서 끝까지 검색하고 앞으로 돌아와 검색했습니다.
+find_not_found=검색 결과 없음
+
+# Error panel labels
+error_more_info=정보 더 보기
+error_less_info=정보 간단히 보기
+error_close=닫기
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (빌드: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=메시지: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=스택: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=파일: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=줄 번호: {{line}}
+rendering_error=페이지를 렌더링하다 오류가 났습니다.
+
+# Predefined zoom values
+page_scale_width=페이지 너비에 맞춤
+page_scale_fit=페이지에 맞춤
+page_scale_auto=알아서 맞춤
+page_scale_actual=실제 크기에 맞춤
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=오류
+loading_error=PDF를 읽는 중 오류가 생겼습니다.
+invalid_file_error=유효하지 않거나 파손된 PDF 파일
+missing_file_error=PDF 파일이 없습니다.
+unexpected_response_error=알 수 없는 서버 응답입니다.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} 주석]
+password_label=이 PDF 파일을 열 수 있는 암호를 입력하십시오.
+password_invalid=잘못된 암호입니다. 다시 시도해 주십시오.
+password_ok=확인
+password_cancel=취소
+
+printing_not_supported=경고: 이 브라우저는 인쇄를 완전히 지원하지 않습니다.
+printing_not_ready=경고: 이 PDF를 인쇄를 할 수 있을 정도로 읽어들이지 못했습니다.
+web_fonts_disabled=웹 폰트가 꺼져있음: 내장된 PDF 글꼴을 쓸 수 없습니다.
+document_colors_not_allowed=PDF 문서의 색상을 쓰지 못하게 되어 있음: '웹 페이지 자체 색상 사용 허용'이 브라우저에서 꺼져 있습니다.
diff --git a/static/pdf.js/locale/ku/viewer.properties b/static/pdf.js/locale/ku/viewer.properties
new file mode 100644
index 00000000..8f40dbac
--- /dev/null
+++ b/static/pdf.js/locale/ku/viewer.properties
@@ -0,0 +1,147 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Rûpela berê
+previous_label=Paşve
+next.title=Rûpela pêş
+next_label=Pêş
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Rûpel:
+page_of=/ {{pageCount}}
+
+zoom_out.title=Dûr bike
+zoom_out_label=Dûr bike
+zoom_in.title=Nêzîk bike
+zoom_in_label=Nêzîk bike
+zoom.title=Nêzîk Bike
+presentation_mode.title=Derbasî mûda pêşkêşkariyê bibe
+presentation_mode_label=Moda Pêşkêşkariyê
+open_file.title=Pelî veke
+open_file_label=Veke
+print.title=Çap bike
+print_label=Çap bike
+download.title=Jêbar bike
+download_label=Jêbar bike
+bookmark.title=Xuyakirina niha (kopî yan jî di pencereyeke nû de veke)
+bookmark_label=Xuyakirina niha
+
+# Secondary toolbar and context menu
+tools.title=Amûr
+tools_label=Amûr
+first_page.title=Here rûpela yekemîn
+first_page.label=Here rûpela yekemîn
+first_page_label=Here rûpela yekemîn
+last_page.title=Here rûpela dawîn
+last_page.label=Here rûpela dawîn
+last_page_label=Here rûpela dawîn
+page_rotate_cw.title=Bi aliyê saetê ve bizivirîne
+page_rotate_cw.label=Bi aliyê saetê ve bizivirîne
+page_rotate_cw_label=Bi aliyê saetê ve bizivirîne
+page_rotate_ccw.title=Berevajî aliyê saetê ve bizivirîne
+page_rotate_ccw.label=Berevajî aliyê saetê ve bizivirîne
+page_rotate_ccw_label=Berevajî aliyê saetê ve bizivirîne
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Sernav:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Darikê kêlekê veke/bigire
+toggle_sidebar_label=Darikê kêlekê veke/bigire
+outline.title=Şemaya belgeyê nîşan bide
+outline_label=Şemaya belgeyê
+thumbs.title=Wênekokan nîşan bide
+thumbs_label=Wênekok
+findbar.title=Di belgeyê de bibîne
+findbar_label=Bibîne
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Rûpel {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Wênekoka rûpelê {{page}}
+
+# Find panel button title and messages
+find_label=Bibîne:
+find_previous.title=Peyva berê bibîne
+find_previous_label=Paşve
+find_next.title=Peyya pêş bibîne
+find_next_label=Pêşve
+find_highlight=Tevî beloq bike
+find_match_case_label=Ji bo tîpên hûrdek-girdek bihîstyar
+find_reached_top=Gihîşt serê rûpelê, ji dawiya rûpelê bidomîne
+find_reached_bottom=Gihîşt dawiya rûpelê, ji serê rûpelê bidomîne
+find_not_found=Peyv nehat dîtin
+
+# Error panel labels
+error_more_info=Zêdetir agahî
+error_less_info=Zêdetir agahî
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js versiyon {{version}} (avanî: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Peyam: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Komik: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Pel: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rêzik: {{line}}
+rendering_error=Di vehûrandina rûpelê de çewtî çêbû.
+
+# Predefined zoom values
+page_scale_width=Firehiya rûpelê
+page_scale_fit=Di rûpelê de bicî bike
+page_scale_auto=Xweber nêzîk bike
+page_scale_actual=Mezinahiya rastîn
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Xeletî
+loading_error=Dema ku PDF dihat barkirin çewtiyek çêbû.
+invalid_file_error=Pelê PDFê nederbasdar yan jî xirabe ye.
+missing_file_error=Pelê PDFê kêm e.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Nîşaneya {{type}}ê]
+password_label=Ji bo PDFê vekî şîfreyê binivîse.
+password_invalid=Şîfre çewt e. Tika ye dîsa biceribîne.
+password_ok=Temam
+password_cancel=Betal
+
+printing_not_supported=Hişyarî: Çapkirin ji hêla vê gerokê ve bi temamî nayê destekirin.
+printing_not_ready=Hişyarî: PDF bi temamî nehat barkirin û ji bo çapê ne amade ye.
+web_fonts_disabled=Fontên Webê neçalak in: Fontên PDFê yên veşartî nayên bikaranîn.
+document_colors_not_allowed=Destûr tune ye ku belgeyên PDFê rengên xwe bi kar bînin: Di gerokê de 'destûrê bide rûpelan ku rengên xwe bi kar bînin' nehatiye çalakirin.
diff --git a/static/pdf.js/locale/lg/viewer.properties b/static/pdf.js/locale/lg/viewer.properties
new file mode 100644
index 00000000..3cac56e0
--- /dev/null
+++ b/static/pdf.js/locale/lg/viewer.properties
@@ -0,0 +1,111 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Omuko Ogubadewo
+next.title=Omuko Oguddako
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Omuko:
+page_of=ku {{pageCount}}
+
+zoom_out.title=Zimbulukusa
+zoom_out_label=Zimbulukusa
+zoom_in.title=Funza Munda
+zoom_in_label=Funza Munda
+zoom.title=Gezzamu
+open_file.title=Bikula Fayiro
+open_file_label=Ggulawo
+print.title=Fulumya
+print_label=Fulumya
+download.title=Tikula
+download_label=Tikula
+bookmark.title=Endabika eriwo (koppa oba gulawo mu diriisa epya)
+bookmark_label=Endabika Eriwo
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+outline.title=Laga Ensalo ze Kiwandiko
+outline_label=Ensalo ze Ekiwandiko
+thumbs.title=Laga Ekifanyi Mubufunze
+thumbs_label=Ekifanyi Mubufunze
+findbar_label=Zuula
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Omuko {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Ekifananyi kyo Omuko Mubufunze {{page}}
+
+# Find panel button title and messages
+find_previous.title=Zuula awayise mukweddamu mumiteddera
+find_next.title=Zuula ekidako mukweddamu mumiteddera
+find_highlight=Londa byonna
+find_not_found=Emiteddera tezuuliddwa
+
+# Error panel labels
+error_more_info=Ebisingawo
+error_less_info=Mubumpimpi
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Obubaaka: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Ebipangiddwa: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fayiro {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Layini: {{line}}
+rendering_error=Wabadewo ensobi muku tekawo omuko.
+
+# Predefined zoom values
+page_scale_width=Obugazi bwo Omuko
+page_scale_fit=Okutuka kwo Omuko
+page_scale_auto=Okwefunza no Kwegeza
+page_scale_actual=Obunene Obutufu
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Ensobi
+loading_error=Wabadewo ensobi mukutika PDF.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Enyonyola]
+password_ok=OK
+password_cancel=Sazaamu
+
+printing_not_supported=Okulaabula: Okulumya empapula tekuwagirwa enonyeso enno.
diff --git a/static/pdf.js/locale/lij/viewer.ftl b/static/pdf.js/locale/lij/viewer.ftl
deleted file mode 100644
index b2941f9f..00000000
--- a/static/pdf.js/locale/lij/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina primma
-pdfjs-previous-button-label = Precedente
-pdfjs-next-button =
- .title = Pagina dòppo
-pdfjs-next-button-label = Pròscima
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Diminoisci zoom
-pdfjs-zoom-out-button-label = Diminoisci zoom
-pdfjs-zoom-in-button =
- .title = Aomenta zoom
-pdfjs-zoom-in-button-label = Aomenta zoom
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Vanni into mòddo de prezentaçion
-pdfjs-presentation-mode-button-label = Mòddo de prezentaçion
-pdfjs-open-file-button =
- .title = Arvi file
-pdfjs-open-file-button-label = Arvi
-pdfjs-print-button =
- .title = Stanpa
-pdfjs-print-button-label = Stanpa
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Atressi
-pdfjs-tools-button-label = Atressi
-pdfjs-first-page-button =
- .title = Vanni a-a primma pagina
-pdfjs-first-page-button-label = Vanni a-a primma pagina
-pdfjs-last-page-button =
- .title = Vanni a l'urtima pagina
-pdfjs-last-page-button-label = Vanni a l'urtima pagina
-pdfjs-page-rotate-cw-button =
- .title = Gia into verso oraio
-pdfjs-page-rotate-cw-button-label = Gia into verso oraio
-pdfjs-page-rotate-ccw-button =
- .title = Gia into verso antioraio
-pdfjs-page-rotate-ccw-button-label = Gia into verso antioraio
-pdfjs-cursor-text-select-tool-button =
- .title = Abilita strumento de seleçion do testo
-pdfjs-cursor-text-select-tool-button-label = Strumento de seleçion do testo
-pdfjs-cursor-hand-tool-button =
- .title = Abilita strumento man
-pdfjs-cursor-hand-tool-button-label = Strumento man
-pdfjs-scroll-vertical-button =
- .title = Deuvia rebelamento verticale
-pdfjs-scroll-vertical-button-label = Rebelamento verticale
-pdfjs-scroll-horizontal-button =
- .title = Deuvia rebelamento orizontâ
-pdfjs-scroll-horizontal-button-label = Rebelamento orizontâ
-pdfjs-scroll-wrapped-button =
- .title = Deuvia rebelamento incapsolou
-pdfjs-scroll-wrapped-button-label = Rebelamento incapsolou
-pdfjs-spread-none-button =
- .title = No unite a-a difuxon de pagina
-pdfjs-spread-none-button-label = No difuxon
-pdfjs-spread-odd-button =
- .title = Uniscite a-a difuxon de pagina co-o numero dèspa
-pdfjs-spread-odd-button-label = Difuxon dèspa
-pdfjs-spread-even-button =
- .title = Uniscite a-a difuxon de pagina co-o numero pari
-pdfjs-spread-even-button-label = Difuxon pari
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propietæ do documento…
-pdfjs-document-properties-button-label = Propietæ do documento…
-pdfjs-document-properties-file-name = Nomme schedaio:
-pdfjs-document-properties-file-size = Dimenscion schedaio:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Titolo:
-pdfjs-document-properties-author = Aoto:
-pdfjs-document-properties-subject = Ogetto:
-pdfjs-document-properties-keywords = Paròlle ciave:
-pdfjs-document-properties-creation-date = Dæta creaçion:
-pdfjs-document-properties-modification-date = Dæta cangiamento:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Aotô originale:
-pdfjs-document-properties-producer = Produtô PDF:
-pdfjs-document-properties-version = Verscion PDF:
-pdfjs-document-properties-page-count = Contezzo pagine:
-pdfjs-document-properties-page-size = Dimenscion da pagina:
-pdfjs-document-properties-page-size-unit-inches = dii gròsci
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = drito
-pdfjs-document-properties-page-size-orientation-landscape = desteizo
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letia
-pdfjs-document-properties-page-size-name-legal = Lezze
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista veloce do Web:
-pdfjs-document-properties-linearized-yes = Sci
-pdfjs-document-properties-linearized-no = No
-pdfjs-document-properties-close-button = Særa
-
-## Print
-
-pdfjs-print-progress-message = Praparo o documento pe-a stanpa…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Anulla
-pdfjs-printing-not-supported = Atençion: a stanpa a no l'é conpletamente soportâ da sto navegatô.
-pdfjs-printing-not-ready = Atençion: o PDF o no l'é ancon caregou conpletamente pe-a stanpa.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Ativa/dizativa bara de scianco
-pdfjs-toggle-sidebar-button-label = Ativa/dizativa bara de scianco
-pdfjs-document-outline-button =
- .title = Fanni vedde o contorno do documento (scicca doggio pe espande/ridue tutti i elementi)
-pdfjs-document-outline-button-label = Contorno do documento
-pdfjs-attachments-button =
- .title = Fanni vedde alegæ
-pdfjs-attachments-button-label = Alegæ
-pdfjs-thumbs-button =
- .title = Mostra miniatue
-pdfjs-thumbs-button-label = Miniatue
-pdfjs-findbar-button =
- .title = Treuva into documento
-pdfjs-findbar-button-label = Treuva
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatua da pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Treuva
- .placeholder = Treuva into documento…
-pdfjs-find-previous-button =
- .title = Treuva a ripetiçion precedente do testo da çercâ
-pdfjs-find-previous-button-label = Precedente
-pdfjs-find-next-button =
- .title = Treuva a ripetiçion dòppo do testo da çercâ
-pdfjs-find-next-button-label = Segoente
-pdfjs-find-highlight-checkbox = Evidençia
-pdfjs-find-match-case-checkbox-label = Maioscole/minoscole
-pdfjs-find-entire-word-checkbox-label = Poula intrega
-pdfjs-find-reached-top = Razonto a fin da pagina, continoa da l'iniçio
-pdfjs-find-reached-bottom = Razonto l'iniçio da pagina, continoa da-a fin
-pdfjs-find-not-found = Testo no trovou
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Larghessa pagina
-pdfjs-page-scale-fit = Adatta a una pagina
-pdfjs-page-scale-auto = Zoom aotomatico
-pdfjs-page-scale-actual = Dimenscioin efetive
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = S'é verificou 'n'erô itno caregamento do PDF.
-pdfjs-invalid-file-error = O schedaio PDF o l'é no valido ò aroinou.
-pdfjs-missing-file-error = O schedaio PDF o no gh'é.
-pdfjs-unexpected-response-error = Risposta inprevista do-u server
-pdfjs-rendering-error = Gh'é stæto 'n'erô itno rendering da pagina.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotaçion: { $type }]
-
-## Password
-
-pdfjs-password-label = Dimme a paròlla segreta pe arvî sto schedaio PDF.
-pdfjs-password-invalid = Paròlla segreta sbalia. Preuva torna.
-pdfjs-password-ok-button = Va ben
-pdfjs-password-cancel-button = Anulla
-pdfjs-web-fonts-disabled = I font do web en dizativæ: inposcibile adeuviâ i carateri do PDF.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/lij/viewer.properties b/static/pdf.js/locale/lij/viewer.properties
new file mode 100644
index 00000000..04445c0e
--- /dev/null
+++ b/static/pdf.js/locale/lij/viewer.properties
@@ -0,0 +1,124 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title = Pagina precedente
+previous_label = Precedente
+next.title = Pagina dòppo
+next_label = Pròscima
+page_label = Pagina:
+page_of = de {{pageCount}}
+zoom_out.title = Diminoisci zoom
+zoom_out_label = Diminoisci zoom
+zoom_in.title = Aomenta zoom
+zoom_in_label = Aomenta zoom
+zoom.title = Zoom
+print.title = Stanpa
+print_label = Stanpa
+open_file.title = Arvi file
+open_file_label = Arvi
+download.title = Descaregamento
+download_label = Descaregamento
+bookmark.title = Vixon corente (còpia ò arvi inte 'n neuvo barcon)
+bookmark_label = Vixon corente
+outline.title = Veddi strutua documento
+outline_label = Strutua documento
+thumbs.title = Mostra miniatue
+thumbs_label = Miniatue
+thumb_page_title = Pagina {{page}}
+thumb_page_canvas = Miniatua da pagina {{page}}
+error_more_info = Ciù informaçioin
+error_less_info = Meno informaçioin
+error_version_info = PDF.js v{{version}} (build: {{build}})
+error_close = Særa
+missing_file_error = O file PDF o no gh'é.
+toggle_sidebar.title = Ativa/dizativa bara de scianco
+toggle_sidebar_label = Ativa/dizativa bara de scianco
+error_message = Mesaggio: {{message}}
+error_stack = Stack: {{stack}}
+error_file = File: {{file}}
+error_line = Linia: {{line}}
+rendering_error = Gh'é stæto 'n'erô itno rendering da pagina.
+page_scale_width = Larghessa pagina
+page_scale_fit = Adatta a una pagina
+page_scale_auto = Zoom aotomatico
+page_scale_actual = Dimenscioin efetive
+loading_error_indicator = Erô
+loading_error = S'é verificou 'n'erô itno caregamento do PDF.
+printing_not_supported = Atençion: a stanpa a no l'é conpletamente soportâ da sto navegatô.
+
+# Context menu
+page_rotate_cw.label=Gia in senso do releuio
+page_rotate_ccw.label=Gia in senso do releuio a-a reversa
+
+presentation_mode.title=Vanni into mòddo de prezentaçion
+presentation_mode_label=Mòddo de prezentaçion
+
+find_label = Treuva:
+find_previous.title = Treuva a ripetiçion precedente do testo da çercâ
+find_previous_label = Precedente
+find_next.title = Treuva a ripetiçion dòppo do testo da çercâ
+find_next_label = Segoente
+find_highlight = Evidençia
+find_match_case_label = Maioscole/minoscole
+find_reached_bottom = Razonto l'iniçio da pagina, continoa da-a fin
+find_reached_top = Razonto a fin da pagina, continoa da l'iniçio
+find_not_found = Testo no trovou
+findbar.title = Treuva into documento
+findbar_label = Treuva
+first_page.label = Vanni a-a primma pagina
+last_page.label = Vanni a l'urtima pagina
+invalid_file_error = O file PDF o l'é no valido ò aroinou.
+
+web_fonts_disabled = I font do web en dizativæ: inposcibile adeuviâ i carateri do PDF.
+printing_not_ready = Atençion: o PDF o no l'é ancon caregou conpletamente pe-a stanpa.
+
+document_colors_not_allowed = No l'é poscibile adeuviâ i pròpi coî pe-i documenti PDF: l'opçion do navegatô “Permetti a-e pagine de çerne i pròpi coî in cangio de quelli inpostæ” a l'é dizativâ.
+text_annotation_type.alt = [Anotaçion: {{type}}]
+
+first_page.title = Vanni a-a primma pagina
+first_page_label = Vanni a-a primma pagina
+last_page.title = Vanni a l'urtima pagina
+last_page_label = Vanni a l'urtima pagina
+page_rotate_ccw.title = Gia into verso antioraio
+page_rotate_ccw_label = Gia into verso antioraio
+page_rotate_cw.title = Gia into verso oraio
+page_rotate_cw_label = Gia into verso oraio
+tools.title = Strumenti
+tools_label = Strumenti
+password_label = Dimme a paròlla segreta pe arvî sto file PDF.
+password_invalid = Paròlla segreta sbalia. Preuva torna.
+password_ok = Va ben
+password_cancel = Anulla
+
+document_properties.title = Propietæ do documento…
+document_properties_label = Propietæ do documento…
+document_properties_file_name = Nomme file:
+document_properties_file_size = Dimenscion file:
+document_properties_kb = {{size_kb}} kB ({{size_b}} byte)
+document_properties_mb = {{size_kb}} MB ({{size_b}} byte)
+document_properties_title = Titolo:
+document_properties_author = Aoto:
+document_properties_subject = Ogetto:
+document_properties_keywords = Paròlle ciave:
+document_properties_creation_date = Dæta creaçion:
+document_properties_modification_date = Dæta cangiamento:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Aotô originale:
+document_properties_producer = Produtô PDF:
+document_properties_version = Verscion PDF:
+document_properties_page_count = Contezzo pagine:
+document_properties_close = Særa
+
+hand_tool_enable.title = Ativa strumento man
+hand_tool_enable_label = Ativa strumento man
+hand_tool_disable.title = Dizativa strumento man
+hand_tool_disable_label = Dizativa strumento man
+attachments.title = Fanni vedde alegæ
+attachments_label = Alegæ
+page_scale_percent = {{scale}}%
+unexpected_response_error = Risposta inprevista do-u server
+
+
+
+
diff --git a/static/pdf.js/locale/lo/viewer.ftl b/static/pdf.js/locale/lo/viewer.ftl
deleted file mode 100644
index fdad16ad..00000000
--- a/static/pdf.js/locale/lo/viewer.ftl
+++ /dev/null
@@ -1,299 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = ຫນ້າກ່ອນຫນ້າ
-pdfjs-previous-button-label = ກ່ອນຫນ້າ
-pdfjs-next-button =
- .title = ຫນ້າຖັດໄປ
-pdfjs-next-button-label = ຖັດໄປ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ຫນ້າ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = ຈາກ { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } ຈາກ { $pagesCount })
-pdfjs-zoom-out-button =
- .title = ຂະຫຍາຍອອກ
-pdfjs-zoom-out-button-label = ຂະຫຍາຍອອກ
-pdfjs-zoom-in-button =
- .title = ຂະຫຍາຍເຂົ້າ
-pdfjs-zoom-in-button-label = ຂະຫຍາຍເຂົ້າ
-pdfjs-zoom-select =
- .title = ຂະຫຍາຍ
-pdfjs-presentation-mode-button =
- .title = ສັບປ່ຽນເປັນໂຫມດການນຳສະເຫນີ
-pdfjs-presentation-mode-button-label = ໂຫມດການນຳສະເຫນີ
-pdfjs-open-file-button =
- .title = ເປີດໄຟລ໌
-pdfjs-open-file-button-label = ເປີດ
-pdfjs-print-button =
- .title = ພິມ
-pdfjs-print-button-label = ພິມ
-pdfjs-save-button =
- .title = ບັນທຶກ
-pdfjs-save-button-label = ບັນທຶກ
-pdfjs-bookmark-button =
- .title = ໜ້າປັດຈຸບັນ (ເບິ່ງ URL ຈາກໜ້າປັດຈຸບັນ)
-pdfjs-bookmark-button-label = ຫນ້າປັດຈຸບັນ
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = ເປີດໃນ App
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = ເປີດໃນ App
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ເຄື່ອງມື
-pdfjs-tools-button-label = ເຄື່ອງມື
-pdfjs-first-page-button =
- .title = ໄປທີ່ຫນ້າທຳອິດ
-pdfjs-first-page-button-label = ໄປທີ່ຫນ້າທຳອິດ
-pdfjs-last-page-button =
- .title = ໄປທີ່ຫນ້າສຸດທ້າຍ
-pdfjs-last-page-button-label = ໄປທີ່ຫນ້າສຸດທ້າຍ
-pdfjs-page-rotate-cw-button =
- .title = ຫມູນຕາມເຂັມໂມງ
-pdfjs-page-rotate-cw-button-label = ຫມູນຕາມເຂັມໂມງ
-pdfjs-page-rotate-ccw-button =
- .title = ຫມູນທວນເຂັມໂມງ
-pdfjs-page-rotate-ccw-button-label = ຫມູນທວນເຂັມໂມງ
-pdfjs-cursor-text-select-tool-button =
- .title = ເປີດໃຊ້ເຄື່ອງມືການເລືອກຂໍ້ຄວາມ
-pdfjs-cursor-text-select-tool-button-label = ເຄື່ອງມືເລືອກຂໍ້ຄວາມ
-pdfjs-cursor-hand-tool-button =
- .title = ເປີດໃຊ້ເຄື່ອງມືມື
-pdfjs-cursor-hand-tool-button-label = ເຄື່ອງມືມື
-pdfjs-scroll-page-button =
- .title = ໃຊ້ການເລື່ອນໜ້າ
-pdfjs-scroll-page-button-label = ເລື່ອນໜ້າ
-pdfjs-scroll-vertical-button =
- .title = ໃຊ້ການເລື່ອນແນວຕັ້ງ
-pdfjs-scroll-vertical-button-label = ເລື່ອນແນວຕັ້ງ
-pdfjs-scroll-horizontal-button =
- .title = ໃຊ້ການເລື່ອນແນວນອນ
-pdfjs-scroll-horizontal-button-label = ເລື່ອນແນວນອນ
-pdfjs-scroll-wrapped-button =
- .title = ໃຊ້ Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = ບໍ່ຕ້ອງຮ່ວມການແຜ່ກະຈາຍຫນ້າ
-pdfjs-spread-none-button-label = ບໍ່ມີການແຜ່ກະຈາຍ
-pdfjs-spread-odd-button =
- .title = ເຂົ້າຮ່ວມການແຜ່ກະຈາຍຫນ້າເລີ່ມຕົ້ນດ້ວຍຫນ້າເລກຄີກ
-pdfjs-spread-odd-button-label = ການແຜ່ກະຈາຍຄີກ
-pdfjs-spread-even-button =
- .title = ເຂົ້າຮ່ວມການແຜ່ກະຈາຍຂອງຫນ້າເລີ່ມຕົ້ນດ້ວຍຫນ້າເລກຄູ່
-pdfjs-spread-even-button-label = ການແຜ່ກະຈາຍຄູ່
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = ຄຸນສົມບັດເອກະສານ...
-pdfjs-document-properties-button-label = ຄຸນສົມບັດເອກະສານ...
-pdfjs-document-properties-file-name = ຊື່ໄຟລ໌:
-pdfjs-document-properties-file-size = ຂະຫນາດໄຟລ໌:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } ໄບຕ໌)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } ໄບຕ໌)
-pdfjs-document-properties-title = ຫົວຂໍ້:
-pdfjs-document-properties-author = ຜູ້ຂຽນ:
-pdfjs-document-properties-subject = ຫົວຂໍ້:
-pdfjs-document-properties-keywords = ຄໍາທີ່ຕ້ອງການຄົ້ນຫາ:
-pdfjs-document-properties-creation-date = ວັນທີສ້າງ:
-pdfjs-document-properties-modification-date = ວັນທີແກ້ໄຂ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ຜູ້ສ້າງ:
-pdfjs-document-properties-producer = ຜູ້ຜະລິດ PDF:
-pdfjs-document-properties-version = ເວີຊັ່ນ PDF:
-pdfjs-document-properties-page-count = ຈຳນວນໜ້າ:
-pdfjs-document-properties-page-size = ຂະໜາດໜ້າ:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = ລວງຕັ້ງ
-pdfjs-document-properties-page-size-orientation-landscape = ລວງນອນ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = ຈົດໝາຍ
-pdfjs-document-properties-page-size-name-legal = ຂໍ້ກົດຫມາຍ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = ມຸມມອງເວັບທີ່ໄວ:
-pdfjs-document-properties-linearized-yes = ແມ່ນ
-pdfjs-document-properties-linearized-no = ບໍ່
-pdfjs-document-properties-close-button = ປິດ
-
-## Print
-
-pdfjs-print-progress-message = ກຳລັງກະກຽມເອກະສານສຳລັບການພິມ...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ຍົກເລີກ
-pdfjs-printing-not-supported = ຄຳເຕືອນ: ບຼາວເຊີນີ້ບໍ່ຮອງຮັບການພິມຢ່າງເຕັມທີ່.
-pdfjs-printing-not-ready = ຄໍາເຕືອນ: PDF ບໍ່ໄດ້ຖືກໂຫຼດຢ່າງເຕັມທີ່ສໍາລັບການພິມ.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ເປີດ/ປິດແຖບຂ້າງ
-pdfjs-toggle-sidebar-notification-button =
- .title = ສະຫຼັບແຖບດ້ານຂ້າງ (ເອກະສານປະກອບມີໂຄງຮ່າງ/ໄຟລ໌ແນບ/ຊັ້ນຂໍ້ມູນ)
-pdfjs-toggle-sidebar-button-label = ເປີດ/ປິດແຖບຂ້າງ
-pdfjs-document-outline-button =
- .title = ສະແດງໂຄງຮ່າງເອກະສານ (ກົດສອງຄັ້ງເພື່ອຂະຫຍາຍ / ຫຍໍ້ລາຍການທັງຫມົດ)
-pdfjs-document-outline-button-label = ເຄົ້າຮ່າງເອກະສານ
-pdfjs-attachments-button =
- .title = ສະແດງໄຟລ໌ແນບ
-pdfjs-attachments-button-label = ໄຟລ໌ແນບ
-pdfjs-layers-button =
- .title = ສະແດງຊັ້ນຂໍ້ມູນ (ຄລິກສອງເທື່ອເພື່ອຣີເຊັດຊັ້ນຂໍ້ມູນທັງໝົດໃຫ້ເປັນສະຖານະເລີ່ມຕົ້ນ)
-pdfjs-layers-button-label = ຊັ້ນ
-pdfjs-thumbs-button =
- .title = ສະແດງຮູບຫຍໍ້
-pdfjs-thumbs-button-label = ຮູບຕົວຢ່າງ
-pdfjs-current-outline-item-button =
- .title = ຊອກຫາລາຍການໂຄງຮ່າງປະຈຸບັນ
-pdfjs-current-outline-item-button-label = ລາຍການໂຄງຮ່າງປະຈຸບັນ
-pdfjs-findbar-button =
- .title = ຊອກຫາໃນເອກະສານ
-pdfjs-findbar-button-label = ຄົ້ນຫາ
-pdfjs-additional-layers = ຊັ້ນຂໍ້ມູນເພີ່ມເຕີມ
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = ໜ້າ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = ຮູບຕົວຢ່າງຂອງໜ້າ { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ຄົ້ນຫາ
- .placeholder = ຊອກຫາໃນເອກະສານ...
-pdfjs-find-previous-button =
- .title = ຊອກຫາການປະກົດຕົວທີ່ຜ່ານມາຂອງປະໂຫຍກ
-pdfjs-find-previous-button-label = ກ່ອນຫນ້ານີ້
-pdfjs-find-next-button =
- .title = ຊອກຫາຕຳແຫນ່ງຖັດໄປຂອງວະລີ
-pdfjs-find-next-button-label = ຕໍ່ໄປ
-pdfjs-find-highlight-checkbox = ໄຮໄລທ໌ທັງຫມົດ
-pdfjs-find-match-case-checkbox-label = ກໍລະນີທີ່ກົງກັນ
-pdfjs-find-match-diacritics-checkbox-label = ເຄື່ອງໝາຍກຳກັບການອອກສຽງກົງກັນ
-pdfjs-find-entire-word-checkbox-label = ກົງກັນທຸກຄຳ
-pdfjs-find-reached-top = ມາຮອດເທິງຂອງເອກະສານ, ສືບຕໍ່ຈາກລຸ່ມ
-pdfjs-find-reached-bottom = ຮອດຕອນທ້າຍຂອງເອກະສານ, ສືບຕໍ່ຈາກເທິງ
-pdfjs-find-not-found = ບໍ່ພົບວະລີທີ່ຕ້ອງການ
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ຄວາມກວ້າງໜ້າ
-pdfjs-page-scale-fit = ໜ້າພໍດີ
-pdfjs-page-scale-auto = ຊູມອັດຕະໂນມັດ
-pdfjs-page-scale-actual = ຂະໜາດຕົວຈິງ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = ໜ້າ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = ມີຂໍ້ຜິດພາດເກີດຂື້ນຂະນະທີ່ກຳລັງໂຫລດ PDF.
-pdfjs-invalid-file-error = ໄຟລ໌ PDF ບໍ່ຖືກຕ້ອງຫລືເສຍຫາຍ.
-pdfjs-missing-file-error = ບໍ່ມີໄຟລ໌ PDF.
-pdfjs-unexpected-response-error = ການຕອບສະໜອງຂອງເຊີບເວີທີ່ບໍ່ຄາດຄິດ.
-pdfjs-rendering-error = ມີຂໍ້ຜິດພາດເກີດຂື້ນຂະນະທີ່ກຳລັງເຣັນເດີຫນ້າ.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ຄຳບັນຍາຍ]
-
-## Password
-
-pdfjs-password-label = ໃສ່ລະຫັດຜ່ານເພື່ອເປີດໄຟລ໌ PDF ນີ້.
-pdfjs-password-invalid = ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ. ກະລຸນາລອງອີກຄັ້ງ.
-pdfjs-password-ok-button = ຕົກລົງ
-pdfjs-password-cancel-button = ຍົກເລີກ
-pdfjs-web-fonts-disabled = ຟອນເວັບຖືກປິດໃຊ້ງານ: ບໍ່ສາມາດໃຊ້ຟອນ PDF ທີ່ຝັງໄວ້ໄດ້.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = ຂໍ້ຄວາມ
-pdfjs-editor-free-text-button-label = ຂໍ້ຄວາມ
-pdfjs-editor-ink-button =
- .title = ແຕ້ມ
-pdfjs-editor-ink-button-label = ແຕ້ມ
-# Editor Parameters
-pdfjs-editor-free-text-color-input = ສີ
-pdfjs-editor-free-text-size-input = ຂະຫນາດ
-pdfjs-editor-ink-color-input = ສີ
-pdfjs-editor-ink-thickness-input = ຄວາມຫນາ
-pdfjs-editor-ink-opacity-input = ຄວາມໂປ່ງໃສ
-pdfjs-free-text =
- .aria-label = ຕົວແກ້ໄຂຂໍ້ຄວາມ
-pdfjs-free-text-default-content = ເລີ່ມພິມ...
-pdfjs-ink =
- .aria-label = ຕົວແກ້ໄຂຮູບແຕ້ມ
-pdfjs-ink-canvas =
- .aria-label = ຮູບພາບທີ່ຜູ້ໃຊ້ສ້າງ
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/locale.json b/static/pdf.js/locale/locale.json
deleted file mode 100644
index 20122111..00000000
--- a/static/pdf.js/locale/locale.json
+++ /dev/null
@@ -1 +0,0 @@
-{"ach":"ach/viewer.ftl","af":"af/viewer.ftl","an":"an/viewer.ftl","ar":"ar/viewer.ftl","ast":"ast/viewer.ftl","az":"az/viewer.ftl","be":"be/viewer.ftl","bg":"bg/viewer.ftl","bn":"bn/viewer.ftl","bo":"bo/viewer.ftl","br":"br/viewer.ftl","brx":"brx/viewer.ftl","bs":"bs/viewer.ftl","ca":"ca/viewer.ftl","cak":"cak/viewer.ftl","ckb":"ckb/viewer.ftl","cs":"cs/viewer.ftl","cy":"cy/viewer.ftl","da":"da/viewer.ftl","de":"de/viewer.ftl","dsb":"dsb/viewer.ftl","el":"el/viewer.ftl","en-ca":"en-CA/viewer.ftl","en-gb":"en-GB/viewer.ftl","en-us":"en-US/viewer.ftl","eo":"eo/viewer.ftl","es-ar":"es-AR/viewer.ftl","es-cl":"es-CL/viewer.ftl","es-es":"es-ES/viewer.ftl","es-mx":"es-MX/viewer.ftl","et":"et/viewer.ftl","eu":"eu/viewer.ftl","fa":"fa/viewer.ftl","ff":"ff/viewer.ftl","fi":"fi/viewer.ftl","fr":"fr/viewer.ftl","fur":"fur/viewer.ftl","fy-nl":"fy-NL/viewer.ftl","ga-ie":"ga-IE/viewer.ftl","gd":"gd/viewer.ftl","gl":"gl/viewer.ftl","gn":"gn/viewer.ftl","gu-in":"gu-IN/viewer.ftl","he":"he/viewer.ftl","hi-in":"hi-IN/viewer.ftl","hr":"hr/viewer.ftl","hsb":"hsb/viewer.ftl","hu":"hu/viewer.ftl","hy-am":"hy-AM/viewer.ftl","hye":"hye/viewer.ftl","ia":"ia/viewer.ftl","id":"id/viewer.ftl","is":"is/viewer.ftl","it":"it/viewer.ftl","ja":"ja/viewer.ftl","ka":"ka/viewer.ftl","kab":"kab/viewer.ftl","kk":"kk/viewer.ftl","km":"km/viewer.ftl","kn":"kn/viewer.ftl","ko":"ko/viewer.ftl","lij":"lij/viewer.ftl","lo":"lo/viewer.ftl","lt":"lt/viewer.ftl","ltg":"ltg/viewer.ftl","lv":"lv/viewer.ftl","meh":"meh/viewer.ftl","mk":"mk/viewer.ftl","mr":"mr/viewer.ftl","ms":"ms/viewer.ftl","my":"my/viewer.ftl","nb-no":"nb-NO/viewer.ftl","ne-np":"ne-NP/viewer.ftl","nl":"nl/viewer.ftl","nn-no":"nn-NO/viewer.ftl","oc":"oc/viewer.ftl","pa-in":"pa-IN/viewer.ftl","pl":"pl/viewer.ftl","pt-br":"pt-BR/viewer.ftl","pt-pt":"pt-PT/viewer.ftl","rm":"rm/viewer.ftl","ro":"ro/viewer.ftl","ru":"ru/viewer.ftl","sat":"sat/viewer.ftl","sc":"sc/viewer.ftl","scn":"scn/viewer.ftl","sco":"sco/viewer.ftl","si":"si/viewer.ftl","sk":"sk/viewer.ftl","skr":"skr/viewer.ftl","sl":"sl/viewer.ftl","son":"son/viewer.ftl","sq":"sq/viewer.ftl","sr":"sr/viewer.ftl","sv-se":"sv-SE/viewer.ftl","szl":"szl/viewer.ftl","ta":"ta/viewer.ftl","te":"te/viewer.ftl","tg":"tg/viewer.ftl","th":"th/viewer.ftl","tl":"tl/viewer.ftl","tr":"tr/viewer.ftl","trs":"trs/viewer.ftl","uk":"uk/viewer.ftl","ur":"ur/viewer.ftl","uz":"uz/viewer.ftl","vi":"vi/viewer.ftl","wo":"wo/viewer.ftl","xh":"xh/viewer.ftl","zh-cn":"zh-CN/viewer.ftl","zh-tw":"zh-TW/viewer.ftl"}
\ No newline at end of file
diff --git a/static/pdf.js/locale/locale.properties b/static/pdf.js/locale/locale.properties
new file mode 100644
index 00000000..9aded1b5
--- /dev/null
+++ b/static/pdf.js/locale/locale.properties
@@ -0,0 +1,312 @@
+[ach]
+@import url(ach/viewer.properties)
+
+[af]
+@import url(af/viewer.properties)
+
+[ak]
+@import url(ak/viewer.properties)
+
+[an]
+@import url(an/viewer.properties)
+
+[ar]
+@import url(ar/viewer.properties)
+
+[as]
+@import url(as/viewer.properties)
+
+[ast]
+@import url(ast/viewer.properties)
+
+[az]
+@import url(az/viewer.properties)
+
+[be]
+@import url(be/viewer.properties)
+
+[bg]
+@import url(bg/viewer.properties)
+
+[bn-BD]
+@import url(bn-BD/viewer.properties)
+
+[bn-IN]
+@import url(bn-IN/viewer.properties)
+
+[br]
+@import url(br/viewer.properties)
+
+[bs]
+@import url(bs/viewer.properties)
+
+[ca]
+@import url(ca/viewer.properties)
+
+[cs]
+@import url(cs/viewer.properties)
+
+[csb]
+@import url(csb/viewer.properties)
+
+[cy]
+@import url(cy/viewer.properties)
+
+[da]
+@import url(da/viewer.properties)
+
+[de]
+@import url(de/viewer.properties)
+
+[el]
+@import url(el/viewer.properties)
+
+[en-GB]
+@import url(en-GB/viewer.properties)
+
+[en-US]
+@import url(en-US/viewer.properties)
+
+[en-ZA]
+@import url(en-ZA/viewer.properties)
+
+[eo]
+@import url(eo/viewer.properties)
+
+[es-AR]
+@import url(es-AR/viewer.properties)
+
+[es-CL]
+@import url(es-CL/viewer.properties)
+
+[es-ES]
+@import url(es-ES/viewer.properties)
+
+[es-MX]
+@import url(es-MX/viewer.properties)
+
+[et]
+@import url(et/viewer.properties)
+
+[eu]
+@import url(eu/viewer.properties)
+
+[fa]
+@import url(fa/viewer.properties)
+
+[ff]
+@import url(ff/viewer.properties)
+
+[fi]
+@import url(fi/viewer.properties)
+
+[fr]
+@import url(fr/viewer.properties)
+
+[fy-NL]
+@import url(fy-NL/viewer.properties)
+
+[ga-IE]
+@import url(ga-IE/viewer.properties)
+
+[gd]
+@import url(gd/viewer.properties)
+
+[gl]
+@import url(gl/viewer.properties)
+
+[gu-IN]
+@import url(gu-IN/viewer.properties)
+
+[he]
+@import url(he/viewer.properties)
+
+[hi-IN]
+@import url(hi-IN/viewer.properties)
+
+[hr]
+@import url(hr/viewer.properties)
+
+[hu]
+@import url(hu/viewer.properties)
+
+[hy-AM]
+@import url(hy-AM/viewer.properties)
+
+[id]
+@import url(id/viewer.properties)
+
+[is]
+@import url(is/viewer.properties)
+
+[it]
+@import url(it/viewer.properties)
+
+[ja]
+@import url(ja/viewer.properties)
+
+[ka]
+@import url(ka/viewer.properties)
+
+[kk]
+@import url(kk/viewer.properties)
+
+[km]
+@import url(km/viewer.properties)
+
+[kn]
+@import url(kn/viewer.properties)
+
+[ko]
+@import url(ko/viewer.properties)
+
+[ku]
+@import url(ku/viewer.properties)
+
+[lg]
+@import url(lg/viewer.properties)
+
+[lij]
+@import url(lij/viewer.properties)
+
+[lt]
+@import url(lt/viewer.properties)
+
+[lv]
+@import url(lv/viewer.properties)
+
+[mai]
+@import url(mai/viewer.properties)
+
+[mk]
+@import url(mk/viewer.properties)
+
+[ml]
+@import url(ml/viewer.properties)
+
+[mn]
+@import url(mn/viewer.properties)
+
+[mr]
+@import url(mr/viewer.properties)
+
+[ms]
+@import url(ms/viewer.properties)
+
+[my]
+@import url(my/viewer.properties)
+
+[nb-NO]
+@import url(nb-NO/viewer.properties)
+
+[nl]
+@import url(nl/viewer.properties)
+
+[nn-NO]
+@import url(nn-NO/viewer.properties)
+
+[nso]
+@import url(nso/viewer.properties)
+
+[oc]
+@import url(oc/viewer.properties)
+
+[or]
+@import url(or/viewer.properties)
+
+[pa-IN]
+@import url(pa-IN/viewer.properties)
+
+[pl]
+@import url(pl/viewer.properties)
+
+[pt-BR]
+@import url(pt-BR/viewer.properties)
+
+[pt-PT]
+@import url(pt-PT/viewer.properties)
+
+[rm]
+@import url(rm/viewer.properties)
+
+[ro]
+@import url(ro/viewer.properties)
+
+[ru]
+@import url(ru/viewer.properties)
+
+[rw]
+@import url(rw/viewer.properties)
+
+[sah]
+@import url(sah/viewer.properties)
+
+[si]
+@import url(si/viewer.properties)
+
+[sk]
+@import url(sk/viewer.properties)
+
+[sl]
+@import url(sl/viewer.properties)
+
+[son]
+@import url(son/viewer.properties)
+
+[sq]
+@import url(sq/viewer.properties)
+
+[sr]
+@import url(sr/viewer.properties)
+
+[sv-SE]
+@import url(sv-SE/viewer.properties)
+
+[sw]
+@import url(sw/viewer.properties)
+
+[ta]
+@import url(ta/viewer.properties)
+
+[ta-LK]
+@import url(ta-LK/viewer.properties)
+
+[te]
+@import url(te/viewer.properties)
+
+[th]
+@import url(th/viewer.properties)
+
+[tl]
+@import url(tl/viewer.properties)
+
+[tn]
+@import url(tn/viewer.properties)
+
+[tr]
+@import url(tr/viewer.properties)
+
+[uk]
+@import url(uk/viewer.properties)
+
+[ur]
+@import url(ur/viewer.properties)
+
+[vi]
+@import url(vi/viewer.properties)
+
+[wo]
+@import url(wo/viewer.properties)
+
+[xh]
+@import url(xh/viewer.properties)
+
+[zh-CN]
+@import url(zh-CN/viewer.properties)
+
+[zh-TW]
+@import url(zh-TW/viewer.properties)
+
+[zu]
+@import url(zu/viewer.properties)
+
diff --git a/static/pdf.js/locale/lt/viewer.ftl b/static/pdf.js/locale/lt/viewer.ftl
deleted file mode 100644
index a8ee7a08..00000000
--- a/static/pdf.js/locale/lt/viewer.ftl
+++ /dev/null
@@ -1,268 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Ankstesnis puslapis
-pdfjs-previous-button-label = Ankstesnis
-pdfjs-next-button =
- .title = Kitas puslapis
-pdfjs-next-button-label = Kitas
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Puslapis
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = iš { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } iš { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Sumažinti
-pdfjs-zoom-out-button-label = Sumažinti
-pdfjs-zoom-in-button =
- .title = Padidinti
-pdfjs-zoom-in-button-label = Padidinti
-pdfjs-zoom-select =
- .title = Mastelis
-pdfjs-presentation-mode-button =
- .title = Pereiti į pateikties veikseną
-pdfjs-presentation-mode-button-label = Pateikties veiksena
-pdfjs-open-file-button =
- .title = Atverti failą
-pdfjs-open-file-button-label = Atverti
-pdfjs-print-button =
- .title = Spausdinti
-pdfjs-print-button-label = Spausdinti
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Priemonės
-pdfjs-tools-button-label = Priemonės
-pdfjs-first-page-button =
- .title = Eiti į pirmą puslapį
-pdfjs-first-page-button-label = Eiti į pirmą puslapį
-pdfjs-last-page-button =
- .title = Eiti į paskutinį puslapį
-pdfjs-last-page-button-label = Eiti į paskutinį puslapį
-pdfjs-page-rotate-cw-button =
- .title = Pasukti pagal laikrodžio rodyklę
-pdfjs-page-rotate-cw-button-label = Pasukti pagal laikrodžio rodyklę
-pdfjs-page-rotate-ccw-button =
- .title = Pasukti prieš laikrodžio rodyklę
-pdfjs-page-rotate-ccw-button-label = Pasukti prieš laikrodžio rodyklę
-pdfjs-cursor-text-select-tool-button =
- .title = Įjungti teksto žymėjimo įrankį
-pdfjs-cursor-text-select-tool-button-label = Teksto žymėjimo įrankis
-pdfjs-cursor-hand-tool-button =
- .title = Įjungti vilkimo įrankį
-pdfjs-cursor-hand-tool-button-label = Vilkimo įrankis
-pdfjs-scroll-page-button =
- .title = Naudoti puslapio slinkimą
-pdfjs-scroll-page-button-label = Puslapio slinkimas
-pdfjs-scroll-vertical-button =
- .title = Naudoti vertikalų slinkimą
-pdfjs-scroll-vertical-button-label = Vertikalus slinkimas
-pdfjs-scroll-horizontal-button =
- .title = Naudoti horizontalų slinkimą
-pdfjs-scroll-horizontal-button-label = Horizontalus slinkimas
-pdfjs-scroll-wrapped-button =
- .title = Naudoti išklotą slinkimą
-pdfjs-scroll-wrapped-button-label = Išklotas slinkimas
-pdfjs-spread-none-button =
- .title = Nejungti puslapių į dvilapius
-pdfjs-spread-none-button-label = Be dvilapių
-pdfjs-spread-odd-button =
- .title = Sujungti į dvilapius pradedant nelyginiais puslapiais
-pdfjs-spread-odd-button-label = Nelyginiai dvilapiai
-pdfjs-spread-even-button =
- .title = Sujungti į dvilapius pradedant lyginiais puslapiais
-pdfjs-spread-even-button-label = Lyginiai dvilapiai
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumento savybės…
-pdfjs-document-properties-button-label = Dokumento savybės…
-pdfjs-document-properties-file-name = Failo vardas:
-pdfjs-document-properties-file-size = Failo dydis:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } B)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } B)
-pdfjs-document-properties-title = Antraštė:
-pdfjs-document-properties-author = Autorius:
-pdfjs-document-properties-subject = Tema:
-pdfjs-document-properties-keywords = Reikšminiai žodžiai:
-pdfjs-document-properties-creation-date = Sukūrimo data:
-pdfjs-document-properties-modification-date = Modifikavimo data:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Kūrėjas:
-pdfjs-document-properties-producer = PDF generatorius:
-pdfjs-document-properties-version = PDF versija:
-pdfjs-document-properties-page-count = Puslapių skaičius:
-pdfjs-document-properties-page-size = Puslapio dydis:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = stačias
-pdfjs-document-properties-page-size-orientation-landscape = gulsčias
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Laiškas
-pdfjs-document-properties-page-size-name-legal = Dokumentas
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Spartus žiniatinklio rodinys:
-pdfjs-document-properties-linearized-yes = Taip
-pdfjs-document-properties-linearized-no = Ne
-pdfjs-document-properties-close-button = Užverti
-
-## Print
-
-pdfjs-print-progress-message = Dokumentas ruošiamas spausdinimui…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Atsisakyti
-pdfjs-printing-not-supported = Dėmesio! Spausdinimas šioje naršyklėje nėra pilnai realizuotas.
-pdfjs-printing-not-ready = Dėmesio! PDF failas dar nėra pilnai įkeltas spausdinimui.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Rodyti / slėpti šoninį polangį
-pdfjs-toggle-sidebar-notification-button =
- .title = Parankinė (dokumentas turi struktūrą / priedų / sluoksnių)
-pdfjs-toggle-sidebar-button-label = Šoninis polangis
-pdfjs-document-outline-button =
- .title = Rodyti dokumento struktūrą (spustelėkite dukart norėdami išplėsti/suskleisti visus elementus)
-pdfjs-document-outline-button-label = Dokumento struktūra
-pdfjs-attachments-button =
- .title = Rodyti priedus
-pdfjs-attachments-button-label = Priedai
-pdfjs-layers-button =
- .title = Rodyti sluoksnius (spustelėkite dukart, norėdami atstatyti visus sluoksnius į numatytąją būseną)
-pdfjs-layers-button-label = Sluoksniai
-pdfjs-thumbs-button =
- .title = Rodyti puslapių miniatiūras
-pdfjs-thumbs-button-label = Miniatiūros
-pdfjs-current-outline-item-button =
- .title = Rasti dabartinį struktūros elementą
-pdfjs-current-outline-item-button-label = Dabartinis struktūros elementas
-pdfjs-findbar-button =
- .title = Ieškoti dokumente
-pdfjs-findbar-button-label = Rasti
-pdfjs-additional-layers = Papildomi sluoksniai
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } puslapis
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } puslapio miniatiūra
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Rasti
- .placeholder = Rasti dokumente…
-pdfjs-find-previous-button =
- .title = Ieškoti ankstesnio frazės egzemplioriaus
-pdfjs-find-previous-button-label = Ankstesnis
-pdfjs-find-next-button =
- .title = Ieškoti tolesnio frazės egzemplioriaus
-pdfjs-find-next-button-label = Tolesnis
-pdfjs-find-highlight-checkbox = Viską paryškinti
-pdfjs-find-match-case-checkbox-label = Skirti didžiąsias ir mažąsias raides
-pdfjs-find-match-diacritics-checkbox-label = Skirti diakritinius ženklus
-pdfjs-find-entire-word-checkbox-label = Ištisi žodžiai
-pdfjs-find-reached-top = Pasiekus dokumento pradžią, paieška pratęsta nuo pabaigos
-pdfjs-find-reached-bottom = Pasiekus dokumento pabaigą, paieška pratęsta nuo pradžios
-pdfjs-find-not-found = Ieškoma frazė nerasta
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Priderinti prie lapo pločio
-pdfjs-page-scale-fit = Pritaikyti prie lapo dydžio
-pdfjs-page-scale-auto = Automatinis mastelis
-pdfjs-page-scale-actual = Tikras dydis
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page } puslapis
-
-## Loading indicator messages
-
-pdfjs-loading-error = Įkeliant PDF failą įvyko klaida.
-pdfjs-invalid-file-error = Tai nėra PDF failas arba jis yra sugadintas.
-pdfjs-missing-file-error = PDF failas nerastas.
-pdfjs-unexpected-response-error = Netikėtas serverio atsakas.
-pdfjs-rendering-error = Atvaizduojant puslapį įvyko klaida.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [„{ $type }“ tipo anotacija]
-
-## Password
-
-pdfjs-password-label = Įveskite slaptažodį šiam PDF failui atverti.
-pdfjs-password-invalid = Slaptažodis neteisingas. Bandykite dar kartą.
-pdfjs-password-ok-button = Gerai
-pdfjs-password-cancel-button = Atsisakyti
-pdfjs-web-fonts-disabled = Saityno šriftai išjungti – PDF faile esančių šriftų naudoti negalima.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/lt/viewer.properties b/static/pdf.js/locale/lt/viewer.properties
new file mode 100644
index 00000000..e2f50b9c
--- /dev/null
+++ b/static/pdf.js/locale/lt/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Ankstesnis puslapis
+previous_label=Ankstesnis
+next.title=Kitas puslapis
+next_label=Kitas
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Puslapis:
+page_of=iš {{pageCount}}
+
+zoom_out.title=Sumažinti
+zoom_out_label=Sumažinti
+zoom_in.title=Padidinti
+zoom_in_label=Padidinti
+zoom.title=Mastelis
+presentation_mode.title=Pereiti į pateikties veikseną
+presentation_mode_label=Pateikties veiksena
+open_file.title=Atverti failą
+open_file_label=Atverti
+print.title=Spausdinti
+print_label=Spausdinti
+download.title=Parsiųsti
+download_label=Parsiųsti
+bookmark.title=Esamojo rodinio saitas (kopijavimui ar atvėrimui kitame lange)
+bookmark_label=Esamasis rodinys
+
+# Secondary toolbar and context menu
+tools.title=Priemonės
+tools_label=Priemonės
+first_page.title=Eiti į pirmą puslapį
+first_page.label=Eiti į pirmą puslapį
+first_page_label=Eiti į pirmą puslapį
+last_page.title=Eiti į paskutinį puslapį
+last_page.label=Eiti į paskutinį puslapį
+last_page_label=Eiti į paskutinį puslapį
+page_rotate_cw.title=Pasukti pagal laikrodžio rodyklę
+page_rotate_cw.label=Pasukti pagal laikrodžio rodyklę
+page_rotate_cw_label=Pasukti pagal laikrodžio rodyklę
+page_rotate_ccw.title=Pasukti prieš laikrodžio rodyklę
+page_rotate_ccw.label=Pasukti prieš laikrodžio rodyklę
+page_rotate_ccw_label=Pasukti prieš laikrodžio rodyklę
+
+hand_tool_enable.title=Įgalinti vilkimo veikseną
+hand_tool_enable_label=Įgalinti vilkimo veikseną
+hand_tool_disable.title=Išjungti vilkimo veikseną
+hand_tool_disable_label=Išjungti vilkimo veikseną
+
+# Document properties dialog box
+document_properties.title=Dokumento savybės…
+document_properties_label=Dokumento savybės…
+document_properties_file_name=Failo vardas:
+document_properties_file_size=Failo dydis:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} B)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} B)
+document_properties_title=Antraštė:
+document_properties_author=Autorius:
+document_properties_subject=Tema:
+document_properties_keywords=Reikšminiai žodžiai:
+document_properties_creation_date=Sukūrimo data:
+document_properties_modification_date=Modifikavimo data:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Kūrėjas:
+document_properties_producer=PDF generatorius:
+document_properties_version=PDF versija:
+document_properties_page_count=Puslapių skaičius:
+document_properties_close=Užverti
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Rodyti / slėpti šoninį polangį
+toggle_sidebar_label=Šoninis polangis
+outline.title=Rodyti dokumento metmenis
+outline_label=Dokumento metmenys
+attachments.title=Rodyti priedus
+attachments_label=Priedai
+thumbs.title=Rodyti puslapių miniatiūras
+thumbs_label=Miniatiūros
+findbar.title=Ieškoti dokumente
+findbar_label=Ieškoti
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}} puslapis
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} puslapio miniatiūra
+
+# Find panel button title and messages
+find_label=Ieškoti:
+find_previous.title=Ieškoti ankstesnio frazės egzemplioriaus
+find_previous_label=Ankstesnis
+find_next.title=Ieškoti tolesnio frazės egzemplioriaus
+find_next_label=Tolesnis
+find_highlight=Viską paryškinti
+find_match_case_label=Skirti didžiąsias ir mažąsias raides
+find_reached_top=Pasiekus dokumento pradžią, paieška pratęsta nuo pabaigos
+find_reached_bottom=Pasiekus dokumento pabaigą, paieška pratęsta nuo pradžios
+find_not_found=Ieškoma frazė nerasta
+
+# Error panel labels
+error_more_info=Išsamiau
+error_less_info=Glausčiau
+error_close=Užverti
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v. {{version}} (darinys: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Pranešimas: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Dėklas: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Failas: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Eilutė: {{line}}
+rendering_error=Atvaizduojant puslapį, įvyko klaida.
+
+# Predefined zoom values
+page_scale_width=Priderinti prie lapo pločio
+page_scale_fit=Pritaikyti prie lapo dydžio
+page_scale_auto=Automatinis mastelis
+page_scale_actual=Tikras dydis
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Klaida
+loading_error=Įkeliant PDF failą, įvyko klaida.
+invalid_file_error=Tai nėra PDF failas arba jis yra sugadintas.
+missing_file_error=PDF failas nerastas.
+unexpected_response_error=Netikėtas serverio atsakas.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[„{{type}}“ tipo anotacija]
+password_label=Įveskite slaptažodį šiam PDF failui atverti.
+password_invalid=Slaptažodis neteisingas. Bandykite dar kartą.
+password_ok=Gerai
+password_cancel=Atsisakyti
+
+printing_not_supported=Dėmesio! Spausdinimas šioje naršyklėje nėra pilnai realizuotas.
+printing_not_ready=Dėmesio! PDF failas dar nėra pilnai įkeltas spausdinimui.
+web_fonts_disabled=Neįgalinti saityno šriftai – šiame PDF faile esančių šriftų naudoti negalima.
+document_colors_not_allowed=PDF dokumentams neleidžiama nurodyti savo spalvų, nes išjungta naršyklės nuostata „Leisti tinklalapiams nurodyti spalvas“.
diff --git a/static/pdf.js/locale/ltg/viewer.ftl b/static/pdf.js/locale/ltg/viewer.ftl
deleted file mode 100644
index d2621654..00000000
--- a/static/pdf.js/locale/ltg/viewer.ftl
+++ /dev/null
@@ -1,246 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Īprīkšejā lopa
-pdfjs-previous-button-label = Īprīkšejā
-pdfjs-next-button =
- .title = Nuokomuo lopa
-pdfjs-next-button-label = Nuokomuo
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Lopa
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = nu { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } nu { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Attuolynuot
-pdfjs-zoom-out-button-label = Attuolynuot
-pdfjs-zoom-in-button =
- .title = Pītuvynuot
-pdfjs-zoom-in-button-label = Pītuvynuot
-pdfjs-zoom-select =
- .title = Palelynuojums
-pdfjs-presentation-mode-button =
- .title = Puorslēgtīs iz Prezentacejis režymu
-pdfjs-presentation-mode-button-label = Prezentacejis režyms
-pdfjs-open-file-button =
- .title = Attaiseit failu
-pdfjs-open-file-button-label = Attaiseit
-pdfjs-print-button =
- .title = Drukuošona
-pdfjs-print-button-label = Drukōt
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Reiki
-pdfjs-tools-button-label = Reiki
-pdfjs-first-page-button =
- .title = Īt iz pyrmū lopu
-pdfjs-first-page-button-label = Īt iz pyrmū lopu
-pdfjs-last-page-button =
- .title = Īt iz piedejū lopu
-pdfjs-last-page-button-label = Īt iz piedejū lopu
-pdfjs-page-rotate-cw-button =
- .title = Pagrīzt pa pulksteni
-pdfjs-page-rotate-cw-button-label = Pagrīzt pa pulksteni
-pdfjs-page-rotate-ccw-button =
- .title = Pagrīzt pret pulksteni
-pdfjs-page-rotate-ccw-button-label = Pagrīzt pret pulksteni
-pdfjs-cursor-text-select-tool-button =
- .title = Aktivizēt teksta izvieles reiku
-pdfjs-cursor-text-select-tool-button-label = Teksta izvieles reiks
-pdfjs-cursor-hand-tool-button =
- .title = Aktivēt rūkys reiku
-pdfjs-cursor-hand-tool-button-label = Rūkys reiks
-pdfjs-scroll-vertical-button =
- .title = Izmontōt vertikalū ritinōšonu
-pdfjs-scroll-vertical-button-label = Vertikalō ritinōšona
-pdfjs-scroll-horizontal-button =
- .title = Izmontōt horizontalū ritinōšonu
-pdfjs-scroll-horizontal-button-label = Horizontalō ritinōšona
-pdfjs-scroll-wrapped-button =
- .title = Izmontōt mārūgojamū ritinōšonu
-pdfjs-scroll-wrapped-button-label = Mārūgojamō ritinōšona
-pdfjs-spread-none-button =
- .title = Naizmontōt lopu atvāruma režimu
-pdfjs-spread-none-button-label = Bez atvārumim
-pdfjs-spread-odd-button =
- .title = Izmontōt lopu atvārumus sōkut nu napōra numeru lopom
-pdfjs-spread-odd-button-label = Napōra lopys pa kreisi
-pdfjs-spread-even-button =
- .title = Izmontōt lopu atvārumus sōkut nu pōra numeru lopom
-pdfjs-spread-even-button-label = Pōra lopys pa kreisi
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumenta īstatiejumi…
-pdfjs-document-properties-button-label = Dokumenta īstatiejumi…
-pdfjs-document-properties-file-name = Faila nūsaukums:
-pdfjs-document-properties-file-size = Faila izmārs:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } biti)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } biti)
-pdfjs-document-properties-title = Nūsaukums:
-pdfjs-document-properties-author = Autors:
-pdfjs-document-properties-subject = Tema:
-pdfjs-document-properties-keywords = Atslāgi vuordi:
-pdfjs-document-properties-creation-date = Izveides datums:
-pdfjs-document-properties-modification-date = lobuošonys datums:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Radeituojs:
-pdfjs-document-properties-producer = PDF producents:
-pdfjs-document-properties-version = PDF verseja:
-pdfjs-document-properties-page-count = Lopu skaits:
-pdfjs-document-properties-page-size = Lopas izmārs:
-pdfjs-document-properties-page-size-unit-inches = collas
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portreta orientaceja
-pdfjs-document-properties-page-size-orientation-landscape = ainovys orientaceja
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Jā
-pdfjs-document-properties-linearized-no = Nā
-pdfjs-document-properties-close-button = Aiztaiseit
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Atceļt
-pdfjs-printing-not-supported = Uzmaneibu: Drukuošona nu itei puorlūka dorbojās tikai daleji.
-pdfjs-printing-not-ready = Uzmaneibu: PDF nav pilneibā īluodeits drukuošonai.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Puorslēgt suonu jūslu
-pdfjs-toggle-sidebar-button-label = Puorslēgt suonu jūslu
-pdfjs-document-outline-button =
- .title = Show Document Outline (double-click to expand/collapse all items)
-pdfjs-document-outline-button-label = Dokumenta saturs
-pdfjs-attachments-button =
- .title = Show Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-thumbs-button =
- .title = Paruodeit seiktālus
-pdfjs-thumbs-button-label = Seiktāli
-pdfjs-findbar-button =
- .title = Mekleit dokumentā
-pdfjs-findbar-button-label = Mekleit
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Lopa { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Lopys { $page } seiktāls
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Mekleit
- .placeholder = Mekleit dokumentā…
-pdfjs-find-previous-button =
- .title = Atrast īprīkšejū
-pdfjs-find-previous-button-label = Īprīkšejā
-pdfjs-find-next-button =
- .title = Atrast nuokamū
-pdfjs-find-next-button-label = Nuokomuo
-pdfjs-find-highlight-checkbox = Īkruosuot vysys
-pdfjs-find-match-case-checkbox-label = Lelū, mozū burtu jiuteigs
-pdfjs-find-reached-top = Sasnīgts dokumenta suokums, turpynojom nu beigom
-pdfjs-find-reached-bottom = Sasnīgtys dokumenta beigys, turpynojom nu suokuma
-pdfjs-find-not-found = Frāze nav atrosta
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lopys plotumā
-pdfjs-page-scale-fit = Ītylpynūt lopu
-pdfjs-page-scale-auto = Automatiskais izmārs
-pdfjs-page-scale-actual = Patīsais izmārs
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Īluodejūt PDF nūtyka klaida.
-pdfjs-invalid-file-error = Nadereigs voi būjuots PDF fails.
-pdfjs-missing-file-error = PDF fails nav atrosts.
-pdfjs-unexpected-response-error = Unexpected server response.
-pdfjs-rendering-error = Attālojūt lopu rodās klaida
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Īvodit paroli, kab attaiseitu PDF failu.
-pdfjs-password-invalid = Napareiza parole, raugit vēļreiz.
-pdfjs-password-ok-button = Labi
-pdfjs-password-cancel-button = Atceļt
-pdfjs-web-fonts-disabled = Šķārsteikla fonti nav aktivizāti: Navar īgult PDF fontus.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/lv/viewer.ftl b/static/pdf.js/locale/lv/viewer.ftl
deleted file mode 100644
index 067dc105..00000000
--- a/static/pdf.js/locale/lv/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Iepriekšējā lapa
-pdfjs-previous-button-label = Iepriekšējā
-pdfjs-next-button =
- .title = Nākamā lapa
-pdfjs-next-button-label = Nākamā
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Lapa
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = no { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } no { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Attālināt
-pdfjs-zoom-out-button-label = Attālināt
-pdfjs-zoom-in-button =
- .title = Pietuvināt
-pdfjs-zoom-in-button-label = Pietuvināt
-pdfjs-zoom-select =
- .title = Palielinājums
-pdfjs-presentation-mode-button =
- .title = Pārslēgties uz Prezentācijas režīmu
-pdfjs-presentation-mode-button-label = Prezentācijas režīms
-pdfjs-open-file-button =
- .title = Atvērt failu
-pdfjs-open-file-button-label = Atvērt
-pdfjs-print-button =
- .title = Drukāšana
-pdfjs-print-button-label = Drukāt
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Rīki
-pdfjs-tools-button-label = Rīki
-pdfjs-first-page-button =
- .title = Iet uz pirmo lapu
-pdfjs-first-page-button-label = Iet uz pirmo lapu
-pdfjs-last-page-button =
- .title = Iet uz pēdējo lapu
-pdfjs-last-page-button-label = Iet uz pēdējo lapu
-pdfjs-page-rotate-cw-button =
- .title = Pagriezt pa pulksteni
-pdfjs-page-rotate-cw-button-label = Pagriezt pa pulksteni
-pdfjs-page-rotate-ccw-button =
- .title = Pagriezt pret pulksteni
-pdfjs-page-rotate-ccw-button-label = Pagriezt pret pulksteni
-pdfjs-cursor-text-select-tool-button =
- .title = Aktivizēt teksta izvēles rīku
-pdfjs-cursor-text-select-tool-button-label = Teksta izvēles rīks
-pdfjs-cursor-hand-tool-button =
- .title = Aktivēt rokas rīku
-pdfjs-cursor-hand-tool-button-label = Rokas rīks
-pdfjs-scroll-vertical-button =
- .title = Izmantot vertikālo ritināšanu
-pdfjs-scroll-vertical-button-label = Vertikālā ritināšana
-pdfjs-scroll-horizontal-button =
- .title = Izmantot horizontālo ritināšanu
-pdfjs-scroll-horizontal-button-label = Horizontālā ritināšana
-pdfjs-scroll-wrapped-button =
- .title = Izmantot apkļauto ritināšanu
-pdfjs-scroll-wrapped-button-label = Apkļautā ritināšana
-pdfjs-spread-none-button =
- .title = Nepievienoties lapu izpletumiem
-pdfjs-spread-none-button-label = Neizmantot izpletumus
-pdfjs-spread-odd-button =
- .title = Izmantot lapu izpletumus sākot ar nepāra numuru lapām
-pdfjs-spread-odd-button-label = Nepāra izpletumi
-pdfjs-spread-even-button =
- .title = Izmantot lapu izpletumus sākot ar pāra numuru lapām
-pdfjs-spread-even-button-label = Pāra izpletumi
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumenta iestatījumi…
-pdfjs-document-properties-button-label = Dokumenta iestatījumi…
-pdfjs-document-properties-file-name = Faila nosaukums:
-pdfjs-document-properties-file-size = Faila izmērs:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } biti)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } biti)
-pdfjs-document-properties-title = Nosaukums:
-pdfjs-document-properties-author = Autors:
-pdfjs-document-properties-subject = Tēma:
-pdfjs-document-properties-keywords = Atslēgas vārdi:
-pdfjs-document-properties-creation-date = Izveides datums:
-pdfjs-document-properties-modification-date = LAbošanas datums:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Radītājs:
-pdfjs-document-properties-producer = PDF producents:
-pdfjs-document-properties-version = PDF versija:
-pdfjs-document-properties-page-count = Lapu skaits:
-pdfjs-document-properties-page-size = Papīra izmērs:
-pdfjs-document-properties-page-size-unit-inches = collas
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portretorientācija
-pdfjs-document-properties-page-size-orientation-landscape = ainavorientācija
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Vēstule
-pdfjs-document-properties-page-size-name-legal = Juridiskie teksti
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Ātrā tīmekļa skats:
-pdfjs-document-properties-linearized-yes = Jā
-pdfjs-document-properties-linearized-no = Nē
-pdfjs-document-properties-close-button = Aizvērt
-
-## Print
-
-pdfjs-print-progress-message = Gatavo dokumentu drukāšanai...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Atcelt
-pdfjs-printing-not-supported = Uzmanību: Drukāšana no šī pārlūka darbojas tikai daļēji.
-pdfjs-printing-not-ready = Uzmanību: PDF nav pilnībā ielādēts drukāšanai.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Pārslēgt sānu joslu
-pdfjs-toggle-sidebar-button-label = Pārslēgt sānu joslu
-pdfjs-document-outline-button =
- .title = Rādīt dokumenta struktūru (veiciet dubultklikšķi lai izvērstu/sakļautu visus vienumus)
-pdfjs-document-outline-button-label = Dokumenta saturs
-pdfjs-attachments-button =
- .title = Rādīt pielikumus
-pdfjs-attachments-button-label = Pielikumi
-pdfjs-thumbs-button =
- .title = Parādīt sīktēlus
-pdfjs-thumbs-button-label = Sīktēli
-pdfjs-findbar-button =
- .title = Meklēt dokumentā
-pdfjs-findbar-button-label = Meklēt
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Lapa { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Lapas { $page } sīktēls
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Meklēt
- .placeholder = Meklēt dokumentā…
-pdfjs-find-previous-button =
- .title = Atrast iepriekšējo
-pdfjs-find-previous-button-label = Iepriekšējā
-pdfjs-find-next-button =
- .title = Atrast nākamo
-pdfjs-find-next-button-label = Nākamā
-pdfjs-find-highlight-checkbox = Iekrāsot visas
-pdfjs-find-match-case-checkbox-label = Lielo, mazo burtu jutīgs
-pdfjs-find-entire-word-checkbox-label = Veselus vārdus
-pdfjs-find-reached-top = Sasniegts dokumenta sākums, turpinām no beigām
-pdfjs-find-reached-bottom = Sasniegtas dokumenta beigas, turpinām no sākuma
-pdfjs-find-not-found = Frāze nav atrasta
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lapas platumā
-pdfjs-page-scale-fit = Ietilpinot lapu
-pdfjs-page-scale-auto = Automātiskais izmērs
-pdfjs-page-scale-actual = Patiesais izmērs
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ielādējot PDF notika kļūda.
-pdfjs-invalid-file-error = Nederīgs vai bojāts PDF fails.
-pdfjs-missing-file-error = PDF fails nav atrasts.
-pdfjs-unexpected-response-error = Negaidīa servera atbilde.
-pdfjs-rendering-error = Attēlojot lapu radās kļūda
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } anotācija]
-
-## Password
-
-pdfjs-password-label = Ievadiet paroli, lai atvērtu PDF failu.
-pdfjs-password-invalid = Nepareiza parole, mēģiniet vēlreiz.
-pdfjs-password-ok-button = Labi
-pdfjs-password-cancel-button = Atcelt
-pdfjs-web-fonts-disabled = Tīmekļa fonti nav aktivizēti: Nevar iegult PDF fontus.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/lv/viewer.properties b/static/pdf.js/locale/lv/viewer.properties
new file mode 100644
index 00000000..58aa9532
--- /dev/null
+++ b/static/pdf.js/locale/lv/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Iepriekšējā lapa
+previous_label=Iepriekšējā
+next.title=Nākamā lapa
+next_label=Nākamā
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Lapa:
+page_of=no {{pageCount}}
+
+zoom_out.title=Attālināt\u0020
+zoom_out_label=Attālināt
+zoom_in.title=Pietuvināt
+zoom_in_label=Pietuvināt
+zoom.title=Palielinājums
+presentation_mode.title=Pārslēgties uz Prezentācijas režīmu
+presentation_mode_label=Prezentācijas režīms
+open_file.title=Atvērt failu
+open_file_label=Atvērt
+print.title=Drukāšana
+print_label=Drukāt
+download.title=Lejupielāde
+download_label=Lejupielādēt
+bookmark.title=Pašreizējais skats (kopēt vai atvērt jaunā logā)
+bookmark_label=Pašreizējais skats
+
+# Secondary toolbar and context menu
+tools.title=Rīki
+tools_label=Rīki
+first_page.title=Iet uz pirmo lapu
+first_page.label=Iet uz pirmo lapu
+first_page_label=Iet uz pirmo lapu
+last_page.title=Iet uz pēdējo lapu
+last_page.label=Iet uz pēdējo lapu
+last_page_label=Iet uz pēdējo lapu
+page_rotate_cw.title=Pagriezt pa pulksteni
+page_rotate_cw.label=Pagriezt pa pulksteni
+page_rotate_cw_label=Pagriezt pa pulksteni
+page_rotate_ccw.title=Pagriezt pret pulksteni
+page_rotate_ccw.label=Pagriezt pret pulksteni
+page_rotate_ccw_label=Pagriezt pret pulksteni
+
+hand_tool_enable.title=Aktivēt rokas rīku
+hand_tool_enable_label=Aktivēt rokas rīku
+hand_tool_disable.title=Deaktivēt rokas rīku
+hand_tool_disable_label=Deaktivēt rokas rīku
+
+# Document properties dialog box
+document_properties.title=Dokumenta iestatījumi…
+document_properties_label=Dokumenta iestatījumi…
+document_properties_file_name=Faila nosaukums:
+document_properties_file_size=Faila izmērs:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} biti)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} biti)
+document_properties_title=Nosaukums:
+document_properties_author=Autors:
+document_properties_subject=Tēma:
+document_properties_keywords=Atslēgas vārdi:
+document_properties_creation_date=Izveides datums:
+document_properties_modification_date=LAbošanas datums:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Radītājs:
+document_properties_producer=PDF producents:
+document_properties_version=PDF versija:
+document_properties_page_count=Lapu skaits:
+document_properties_close=Aizvērt
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Pārslēgt sānu joslu
+toggle_sidebar_label=Pārslēgt sānu joslu
+outline.title=Parādīt dokumenta saturu
+outline_label=Dokumenta saturs
+attachments.title=Rādīt pielikumus
+attachments_label=Pielikumi
+thumbs.title=Parādīt sīktēlus
+thumbs_label=Sīktēli
+findbar.title=Meklēt dokumentā
+findbar_label=Meklēt
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Lapa {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Lapas {{page}} sīktēls
+
+# Find panel button title and messages
+find_label=Meklēt:
+find_previous.title=Atrast iepriekšējo
+find_previous_label=Iepriekšējā
+find_next.title=Atrast nākamo
+find_next_label=Nākamā
+find_highlight=Iekrāsot visas
+find_match_case_label=Lielo, mazo burtu jutīgs
+find_reached_top=Sasniegts dokumenta sākums, turpinām no beigām
+find_reached_bottom=Sasniegtas dokumenta beigas, turpinām no sākuma
+find_not_found=Frāze nav atrasta
+
+# Error panel labels
+error_more_info=Vairāk informācijas
+error_less_info=MAzāk informācijas
+error_close=Close
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Ziņojums: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Steks: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=File: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rindiņa: {{line}}
+rendering_error=Attēlojot lapu radās kļūda
+
+# Predefined zoom values
+page_scale_width=Lapas platumā
+page_scale_fit=Ietilpinot lapu
+page_scale_auto=Automātiskais izmērs
+page_scale_actual=Patiesais izmērs
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Kļūda
+loading_error=Ielādējot PDF notika kļūda.
+invalid_file_error=Nederīgs vai bojāts PDF fails.
+missing_file_error=PDF fails nav atrasts.
+unexpected_response_error=Negaidīa servera atbilde.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} anotācija]
+password_label=Ievadiet paroli, lai atvērtu PDF failu.
+password_invalid=Nepareiza parole, mēģiniet vēlreiz.
+password_ok=Labi
+password_cancel=Atcelt
+
+printing_not_supported=Uzmanību: Drukāšana no šī pārlūka darbojas tikai daļēji.
+printing_not_ready=Uzmanību: PDF nav pilnībā ielādēts drukāšanai.
+web_fonts_disabled=Tīmekļa fonti nav aktivizēti: Nevar iegult PDF fontus.
+document_colors_not_allowed=PDF dokumentiem nav atļauts izmantot pašiem savas krāsas: „Atļaut lapām izvēlēties pašām savas krāsas“ ir deaktivēts pārlūkā.
diff --git a/static/pdf.js/locale/mai/viewer.properties b/static/pdf.js/locale/mai/viewer.properties
new file mode 100644
index 00000000..4eb0b17a
--- /dev/null
+++ b/static/pdf.js/locale/mai/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=पछिला पृष्ठ
+previous_label=पछिला
+next.title=अगिला पृष्ठ
+next_label=आगाँ
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=पृष्ठ:
+page_of={{pageCount}} क
+
+zoom_out.title=छोट करू
+zoom_out_label=छोट करू
+zoom_in.title=पैघ करू
+zoom_in_label=जूम इन
+zoom.title=छोट-पैघ करू\u0020
+presentation_mode.title=प्रस्तुति अवस्थामे जाउ
+presentation_mode_label=प्रस्तुति अवस्था
+open_file.title=फाइल खोलू
+open_file_label=खोलू
+print.title=छापू
+print_label=छापू
+download.title=डाउनलोड
+download_label=डाउनलोड
+bookmark.title=मोजुदा दृश्य (नव विंडोमे नकल लिअ अथवा खोलू)
+bookmark_label=वर्तमान दृश्य
+
+# Secondary toolbar and context menu
+tools.title=अओजार
+tools_label=अओजार
+first_page.title=प्रथम पृष्ठ पर जाउ
+first_page.label=प्रथम पृष्ठ पर जाउ
+first_page_label=प्रथम पृष्ठ पर जाउ
+last_page.title=अंतिम पृष्ठ पर जाउ
+last_page.label=अंतिम पृष्ठ पर जाउ
+last_page_label=अंतिम पृष्ठ पर जाउ
+page_rotate_cw.title=घड़ीक दिशा मे घुमाउ
+page_rotate_cw.label=घड़ीक दिशा मे घुमाउ
+page_rotate_cw_label=घड़ीक दिशा मे घुमाउ
+page_rotate_ccw.title=घड़ीक दिशा सँ उनटा घुमाउ
+page_rotate_ccw.label=घड़ीक दिशा सँ उनटा घुमाउ
+page_rotate_ccw_label=घड़ीक दिशा सँ उनटा घुमाउ
+
+hand_tool_enable.title=हाथ अओजार सक्रिय करू
+hand_tool_enable_label=हाथ अओजार सक्रिय करू
+hand_tool_disable.title=हाथ अओजार निष्क्रिय कएनाइ
+hand_tool_disable_label=हाथ अओजार निष्क्रिय कएनाइ
+
+# Document properties dialog box
+document_properties.title=दस्तावेज़ विशेषता...
+document_properties_label=दस्तावेज़ विशेषता...
+document_properties_file_name=फाइल नाम:
+document_properties_file_size=फ़ाइल आकार:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} बाइट)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} बाइट)
+document_properties_title=शीर्षक:
+document_properties_author=लेखकः
+document_properties_subject=विषय
+document_properties_keywords=बीजशब्द
+document_properties_creation_date=निर्माण तिथि:
+document_properties_modification_date=संशोधन दिनांक:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=सृजक:
+document_properties_producer=PDF उत्पादक:
+document_properties_version=PDF संस्करण:
+document_properties_page_count=पृष्ठ गिनती:
+document_properties_close=बन्न करू
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=स्लाइडर टागल
+toggle_sidebar_label=स्लाइडर टागल
+outline.title=दस्तावेज आउटलाइन देखाउ
+outline_label=दस्तावेज खाका
+attachments.title=संलग्नक देखाबू
+attachments_label=संलग्नक
+thumbs.title=लघु-छवि देखाउ
+thumbs_label=लघु छवि
+findbar.title=दस्तावेजमे ढूँढू
+findbar_label=ताकू
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=पृष्ठ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=पृष्ठ {{page}} का लघु-चित्र
+
+# Find panel button title and messages
+find_label=ताकू:
+find_previous.title=खोजक पछिला उपस्थिति ताकू
+find_previous_label=पछिला
+find_next.title=खोजक अगिला उपस्थिति ताकू
+find_next_label=आगाँ
+find_highlight=सभटा आलोकित करू
+find_match_case_label=मिलान स्थिति
+find_reached_top=पृष्ठक शीर्ष जाए पहुँचल, तल सँ जारी
+find_reached_bottom=पृष्ठक तल मे जाए पहुँचल, शीर्ष सँ जारी
+find_not_found=वाकींश नहि भेटल
+
+# Error panel labels
+error_more_info=बेसी सूचना
+error_less_info=कम सूचना
+error_close=बन्न करू
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=संदेश: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=स्टैक: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=फ़ाइल: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=पंक्ति: {{line}}
+rendering_error=पृष्ठ रेंडरिंगक समय त्रुटि आएल.
+
+# Predefined zoom values
+page_scale_width=पृष्ठ चओड़ाइ
+page_scale_fit=पृष्ठ फिट
+page_scale_auto=स्वचालित जूम
+page_scale_actual=सही आकार
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=त्रुटि
+loading_error=पीडीएफ लोड करैत समय एकटा त्रुटि भेल.
+invalid_file_error=अमान्य अथवा भ्रष्ट PDF फाइल.
+missing_file_error=अनुपस्थित PDF फाइल.
+unexpected_response_error=सर्वर सँ अप्रत्याशित प्रतिक्रिया.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=एहि पीडीएफ फ़ाइल केँ खोलबाक लेल कृपया कूटशब्द भरू.
+password_invalid=अवैध कूटशब्द, कृपया फिनु कोशिश करू.
+password_ok=बेस
+password_cancel=रद्द करू\u0020
+
+printing_not_supported=चेतावनी: ई ब्राउजर पर छपाइ पूर्ण तरह सँ समर्थित नहि अछि.
+printing_not_ready=चेतावनी: पीडीएफ छपाइक लेल पूर्ण तरह सँ लोड नहि अछि.
+web_fonts_disabled=वेब फॉन्ट्स निष्क्रिय अछि: अंतःस्थापित PDF फान्टसक उपयोगमे असमर्थ.
+document_colors_not_allowed=PDF दस्तावेज़ हुकर अपन रंग केँ उपयोग करबाक लेल अनुमति प्राप्त नहि अछि: 'पृष्ठ केँ हुकर अपन रंग केँ चुनबाक लेल स्वीकृति दिअ जे ओ ओहि ब्राउज़र मे निष्क्रिय अछि.
diff --git a/static/pdf.js/locale/meh/viewer.ftl b/static/pdf.js/locale/meh/viewer.ftl
deleted file mode 100644
index d8bddc9d..00000000
--- a/static/pdf.js/locale/meh/viewer.ftl
+++ /dev/null
@@ -1,87 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página yata
-pdfjs-zoom-select =
- .title = Nasa´a ka´nu/Nasa´a luli
-pdfjs-open-file-button-label = Síne
-
-## Secondary toolbar and context menu
-
-
-## Document properties dialog
-
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = Kuvi
-pdfjs-document-properties-close-button = Nakasɨ
-
-## Print
-
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Nkuvi-ka
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-findbar-button-label = Nánuku
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-
-## Find panel button title and messages
-
-
-## Predefined zoom values
-
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-## Password
-
-pdfjs-password-cancel-button = Nkuvi-ka
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/mk/viewer.ftl b/static/pdf.js/locale/mk/viewer.ftl
deleted file mode 100644
index 47d24b24..00000000
--- a/static/pdf.js/locale/mk/viewer.ftl
+++ /dev/null
@@ -1,215 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Претходна страница
-pdfjs-previous-button-label = Претходна
-pdfjs-next-button =
- .title = Следна страница
-pdfjs-next-button-label = Следна
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Страница
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = од { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } од { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Намалување
-pdfjs-zoom-out-button-label = Намали
-pdfjs-zoom-in-button =
- .title = Зголемување
-pdfjs-zoom-in-button-label = Зголеми
-pdfjs-zoom-select =
- .title = Променување на големина
-pdfjs-presentation-mode-button =
- .title = Премини во презентациски режим
-pdfjs-presentation-mode-button-label = Презентациски режим
-pdfjs-open-file-button =
- .title = Отворање датотека
-pdfjs-open-file-button-label = Отвори
-pdfjs-print-button =
- .title = Печатење
-pdfjs-print-button-label = Печати
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Алатки
-pdfjs-tools-button-label = Алатки
-pdfjs-first-page-button =
- .title = Оди до првата страница
-pdfjs-first-page-button-label = Оди до првата страница
-pdfjs-last-page-button =
- .title = Оди до последната страница
-pdfjs-last-page-button-label = Оди до последната страница
-pdfjs-page-rotate-cw-button =
- .title = Ротирај по стрелките на часовникот
-pdfjs-page-rotate-cw-button-label = Ротирај по стрелките на часовникот
-pdfjs-page-rotate-ccw-button =
- .title = Ротирај спротивно од стрелките на часовникот
-pdfjs-page-rotate-ccw-button-label = Ротирај спротивно од стрелките на часовникот
-pdfjs-cursor-text-select-tool-button =
- .title = Овозможи алатка за избор на текст
-pdfjs-cursor-text-select-tool-button-label = Алатка за избор на текст
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Својства на документот…
-pdfjs-document-properties-button-label = Својства на документот…
-pdfjs-document-properties-file-name = Име на датотека:
-pdfjs-document-properties-file-size = Големина на датотеката:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } бајти)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } бајти)
-pdfjs-document-properties-title = Наслов:
-pdfjs-document-properties-author = Автор:
-pdfjs-document-properties-subject = Тема:
-pdfjs-document-properties-keywords = Клучни зборови:
-pdfjs-document-properties-creation-date = Датум на создавање:
-pdfjs-document-properties-modification-date = Датум на промена:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Креатор:
-pdfjs-document-properties-version = Верзија на PDF:
-pdfjs-document-properties-page-count = Број на страници:
-pdfjs-document-properties-page-size = Големина на страница:
-pdfjs-document-properties-page-size-unit-inches = инч
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = портрет
-pdfjs-document-properties-page-size-orientation-landscape = пејзаж
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Писмо
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = Да
-pdfjs-document-properties-linearized-no = Не
-pdfjs-document-properties-close-button = Затвори
-
-## Print
-
-pdfjs-print-progress-message = Документ се подготвува за печатење…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Откажи
-pdfjs-printing-not-supported = Предупредување: Печатењето не е целосно поддржано во овој прелистувач.
-pdfjs-printing-not-ready = Предупредување: PDF документот не е целосно вчитан за печатење.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Вклучи странична лента
-pdfjs-toggle-sidebar-button-label = Вклучи странична лента
-pdfjs-document-outline-button-label = Содржина на документот
-pdfjs-attachments-button =
- .title = Прикажи додатоци
-pdfjs-thumbs-button =
- .title = Прикажување на икони
-pdfjs-thumbs-button-label = Икони
-pdfjs-findbar-button =
- .title = Најди во документот
-pdfjs-findbar-button-label = Најди
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Страница { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Икона од страница { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Пронајди
- .placeholder = Пронајди во документот…
-pdfjs-find-previous-button =
- .title = Најди ја предходната појава на фразата
-pdfjs-find-previous-button-label = Претходно
-pdfjs-find-next-button =
- .title = Најди ја следната појава на фразата
-pdfjs-find-next-button-label = Следно
-pdfjs-find-highlight-checkbox = Означи сѐ
-pdfjs-find-match-case-checkbox-label = Токму така
-pdfjs-find-entire-word-checkbox-label = Цели зборови
-pdfjs-find-reached-top = Барањето стигна до почетокот на документот и почнува од крајот
-pdfjs-find-reached-bottom = Барањето стигна до крајот на документот и почнува од почеток
-pdfjs-find-not-found = Фразата не е пронајдена
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ширина на страница
-pdfjs-page-scale-fit = Цела страница
-pdfjs-page-scale-auto = Автоматска големина
-pdfjs-page-scale-actual = Вистинска големина
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Настана грешка при вчитувањето на PDF-от.
-pdfjs-invalid-file-error = Невалидна или корумпирана PDF датотека.
-pdfjs-missing-file-error = Недостасува PDF документ.
-pdfjs-unexpected-response-error = Неочекуван одговор од серверот.
-pdfjs-rendering-error = Настана грешка при прикажувањето на страницата.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-## Password
-
-pdfjs-password-label = Внесете ја лозинката за да ја отворите оваа датотека.
-pdfjs-password-invalid = Невалидна лозинка. Обидете се повторно.
-pdfjs-password-ok-button = Во ред
-pdfjs-password-cancel-button = Откажи
-pdfjs-web-fonts-disabled = Интернет фонтовите се оневозможени: не може да се користат вградените PDF фонтови.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/mk/viewer.properties b/static/pdf.js/locale/mk/viewer.properties
new file mode 100644
index 00000000..18ded891
--- /dev/null
+++ b/static/pdf.js/locale/mk/viewer.properties
@@ -0,0 +1,126 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Претходна страница
+previous_label=Претходна
+next.title=Следна страница
+next_label=Следна
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Страница:
+page_of=од {{pageCount}}
+
+zoom_out.title=Намалување
+zoom_out_label=Намали
+zoom_in.title=Зголемување
+zoom_in_label=Зголеми
+zoom.title=Променување на големина
+print.title=Печатење
+print_label=Печати
+open_file.title=Отварање датотека
+open_file_label=Отвори
+download.title=Преземање
+download_label=Преземи
+bookmark.title=Овој преглед (копирај или отвори во нов прозорец)
+bookmark_label=Овој преглед
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_slider.title=Вклучување на лизгач
+toggle_slider_label=Вклучи лизгач
+outline.title=Прикажување на содржина на документот
+outline_label=Содржина на документот
+thumbs.title=Прикажување на икони
+thumbs_label=Икони
+
+# Document outline messages
+no_outline=Нема содржина
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Страница {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Икона од страница {{page}}
+
+# Error panel labels
+error_more_info=Повеќе информации
+error_less_info=Помалку информации
+error_close=Затвори
+# LOCALIZATION NOTE (error_build): "{{build}}" will be replaced by the PDF.JS
+# build ID.
+error_build=PDF.JS Build: {{build}}
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Порака: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Датотека: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Линија: {{line}}
+rendering_error=Настана грешка при прикажувањето на страницата.
+
+# Predefined zoom values
+page_scale_width=Ширина на страница
+page_scale_fit=Цела страница
+page_scale_auto=Автоматска големина
+page_scale_actual=Вистинска големина
+
+loading_error_indicator=Грешка
+loading_error=Настана грешка при вчитувањето на PDF-от.
+
+# LOCALIZATION NOTE (text_annotation_type): This is used as a tooltip.
+# "{{[type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type=[{{type}} Забелешка]
+request_password=PDF-от е заштитен со лозинка:
+
+
+printing_not_supported=Предупредување: Печатењето не е целосно поддржано во овој прелистувач.
+
+find_highlight=Означи сѐ
+
+# Find panel button title and messages
+find_label=Најди:
+find_match_case_label=Токму така
+find_next.title=Најди ја следната појава на фразата
+find_next_label=Следно
+find_not_found=Фразата не е пронајдена
+find_previous.title=Најди ја предходната појава на фразата
+find_previous_label=Претходно
+find_reached_bottom=Барањето стигна до крајот на документот и почнува од почеток
+find_reached_top=Барањето стигна до почетокот на документот и почнува од крајот
+findbar.title=Најди во документот
+findbar_label=Најди
+
+# Context menu
+first_page.label=Оди до првата страница
+invalid_file_error=Невалидна или корумпирана PDF датотека.
+last_page.label=Оди до последната страница
+page_rotate_ccw.label=Ротирај спротивно од стрелките на часовникот
+page_rotate_cw.label=Ротирај по стрелките на часовникот
+presentation_mode.title=Премини во презентациски режим
+presentation_mode_label=Презентациски режим
+
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+missing_file_error=Недостасува PDF документ.
+printing_not_ready=Предупредување: PDF документот не е целосно вчитан за печатење.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Вклучи странична лента
+toggle_sidebar_label=Вклучи странична лента
+web_fonts_disabled=Интернет фонтовите се оневозможени: не може да се користат вградените PDF фонтови.
diff --git a/static/pdf.js/locale/ml/viewer.properties b/static/pdf.js/locale/ml/viewer.properties
new file mode 100644
index 00000000..084d8772
--- /dev/null
+++ b/static/pdf.js/locale/ml/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=മുമ്പുള്ള താള്
+previous_label=മുമ്പു്
+next.title=അടുത്ത താള്
+next_label=അടുത്തതു്
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=താള്:
+page_of={{pageCount}}
+
+zoom_out.title=ചെറുതാക്കുക
+zoom_out_label=ചെറുതാക്കുക
+zoom_in.title=വലുതാക്കുക
+zoom_in_label=വലുതാക്കുക
+zoom.title=വ്യാപ്തി മാറ്റുക
+presentation_mode.title=പ്രസന്റേഷന് രീതിയിലേക്കു് മാറ്റുക
+presentation_mode_label=പ്രസന്റേഷന് രീതി
+open_file.title=ഫയല് തുറക്കുക
+open_file_label=തുറക്കുക
+print.title=പ്രിന്റ് ചെയ്യുക
+print_label=പ്രിന്റ് ചെയ്യുക
+download.title=ഡൌണ്ലോഡ് ചെയ്യുക
+download_label=ഡൌണ്ലോഡ് ചെയ്യുക
+bookmark.title=നിലവിലുള്ള കാഴ്ച (പുതിയ ജാലകത്തില് പകര്ത്തുക അല്ലെങ്കില് തുറക്കുക)
+bookmark_label=നിലവിലുള്ള കാഴ്ച
+
+# Secondary toolbar and context menu
+tools.title=ഉപകരണങ്ങള്
+tools_label=ഉപകരണങ്ങള്
+first_page.title=ആദ്യത്തെ താളിലേയ്ക്കു് പോകുക
+first_page.label=ആദ്യത്തെ താളിലേയ്ക്കു് പോകുക
+first_page_label=ആദ്യത്തെ താളിലേയ്ക്കു് പോകുക
+last_page.title=അവസാന താളിലേയ്ക്കു് പോകുക
+last_page.label=അവസാന താളിലേയ്ക്കു് പോകുക
+last_page_label=അവസാന താളിലേയ്ക്കു് പോകുക
+page_rotate_cw.title=ഘടികാരദിശയില് കറക്കുക
+page_rotate_cw.label=ഘടികാരദിശയില് കറക്കുക
+page_rotate_cw_label=ഘടികാരദിശയില് കറക്കുക
+page_rotate_ccw.title=ഘടികാര ദിശയ്ക്കു് വിപരീതമായി കറക്കുക
+page_rotate_ccw.label=ഘടികാര ദിശയ്ക്കു് വിപരീതമായി കറക്കുക
+page_rotate_ccw_label=ഘടികാര ദിശയ്ക്കു് വിപരീതമായി കറക്കുക
+
+hand_tool_enable.title=ഹാന്ഡ് ടൂള് പ്രവര്ത്തന സജ്ജമാക്കുക
+hand_tool_enable_label=ഹാന്ഡ് ടൂള് പ്രവര്ത്തന സജ്ജമാക്കുക
+hand_tool_disable.title=ഹാന്ഡ് ടൂള് പ്രവര്ത്തന രഹിതമാക്കുക
+hand_tool_disable_label=ഹാന്ഡ് ടൂള് പ്രവര്ത്തന രഹിതമാക്കുക
+
+# Document properties dialog box
+document_properties.title=രേഖയുടെ വിശേഷതകള്...
+document_properties_label=രേഖയുടെ വിശേഷതകള്...
+document_properties_file_name=ഫയലിന്റെ പേര്:
+document_properties_file_size=ഫയലിന്റെ വലിപ്പം:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} കെബി ({{size_b}} ബൈറ്റുകള്)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} എംബി ({{size_b}} ബൈറ്റുകള്)
+document_properties_title=തലക്കെട്ട്\u0020
+document_properties_author=രചയിതാവ്:
+document_properties_subject=വിഷയം:
+document_properties_keywords=കീവേര്ഡുകള്:
+document_properties_creation_date=പൂര്ത്തിയാകുന്ന തീയതി:
+document_properties_modification_date=മാറ്റം വരുത്തിയ തീയതി:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=സൃഷ്ടികര്ത്താവ്:
+document_properties_producer=പിഡിഎഫ് പ്രൊഡ്യൂസര്:
+document_properties_version=പിഡിഎഫ് പതിപ്പ്:
+document_properties_page_count=താളിന്റെ എണ്ണം:
+document_properties_close=അടയ്ക്കുക
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=സൈഡ് ബാറിലേക്കു് മാറ്റുക
+toggle_sidebar_label=സൈഡ് ബാറിലേക്കു് മാറ്റുക
+outline.title=രേഖയുടെ ഔട്ട്ലൈന് കാണിയ്ക്കുക
+outline_label=രേഖയുടെ ഔട്ട്ലൈന്
+attachments.title=അറ്റാച്മെന്റുകള് കാണിയ്ക്കുക
+attachments_label=അറ്റാച്മെന്റുകള്
+thumbs.title=തംബ്നെയിലുകള് കാണിയ്ക്കുക
+thumbs_label=തംബ്നെയിലുകള്
+findbar.title=രേഖയില് കണ്ടുപിടിയ്ക്കുക
+findbar_label=കണ്ടെത്തുക\u0020
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=താള് {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} താളിനുള്ള തംബ്നെയില്
+
+# Find panel button title and messages
+find_label=കണ്ടെത്തുക
+find_previous.title=വാചകം ഇതിനു മുന്പ് ആവര്ത്തിച്ചത് കണ്ടെത്തുക\u0020
+find_previous_label=മുമ്പു്
+find_next.title=വാചകം വീണ്ടും ആവര്ത്തിക്കുന്നത് കണ്ടെത്തുക\u0020
+find_next_label=അടുത്തതു്
+find_highlight=എല്ലാം എടുത്തുകാണിയ്ക്കുക
+find_match_case_label=അക്ഷരങ്ങള് ഒത്തുനോക്കുക
+find_reached_top=രേഖയുടെ മുകളില് എത്തിയിരിക്കുന്നു, താഴെ നിന്നും തുടരുന്നു
+find_reached_bottom=രേഖയുടെ അവസാനം വരെ എത്തിയിരിക്കുന്നു, മുകളില് നിന്നും തുടരുന്നു\u0020
+find_not_found=വാചകം കണ്ടെത്താനായില്ല\u0020
+
+# Error panel labels
+error_more_info=കൂടുതല് വിവരം
+error_less_info=കുറച്ച് വിവരം
+error_close=അടയ്ക്കുക
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=സന്ദേശം: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=സ്റ്റാക്ക്: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ഫയല്: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=വരി: {{line}}
+rendering_error=താള് റെണ്ടര് ചെയ്യുമ്പോള് പിശകുണ്ടായിരിയ്ക്കുന്നു.
+
+# Predefined zoom values
+page_scale_width=താളിന്റെ വീതി
+page_scale_fit=താള് പാകത്തിനാക്കുക
+page_scale_auto=സ്വയമായി വലുതാക്കുക
+page_scale_actual=യഥാര്ത്ഥ വ്യാപ്തി
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=പിശക്
+loading_error=പിഡിഎഫ് ലഭ്യമാക്കുമ്പോള് പിശക് ഉണ്ടായിരിയ്ക്കുന്നു.
+invalid_file_error=തെറ്റായ അല്ലെങ്കില് തകരാറുള്ള പിഡിഎഫ് ഫയല്.
+missing_file_error=പിഡിഎഫ് ഫയല് ലഭ്യമല്ല.
+unexpected_response_error=പ്രതീക്ഷിക്കാത്ത സെര്വര് മറുപടി.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=ഈ പിഡിഎഫ് ഫയല് തുറക്കുന്നതിനു് രഹസ്യവാക്ക് നല്കുക.
+password_invalid=തെറ്റായ രഹസ്യവാക്ക്, ദയവായി വീണ്ടും ശ്രമിയ്ക്കുക.
+password_ok=ശരി
+password_cancel=റദ്ദാക്കുക
+
+printing_not_supported=മുന്നറിയിപ്പു്: ഈ ബ്രൌസര് പൂര്ണ്ണമായി പ്രിന്റിങ് പിന്തുണയ്ക്കുന്നില്ല.
+printing_not_ready=മുന്നറിയിപ്പു്: പ്രിന്റ് ചെയ്യുന്നതിനു് പിഡിഎഫ് പൂര്ണ്ണമായി ലഭ്യമല്ല.
+web_fonts_disabled=വെബിനുള്ള അക്ഷരസഞ്ചയങ്ങള് പ്രവര്ത്തന രഹിതം: എംബഡ്ഡ് ചെയ്ത പിഡിഎഫ് അക്ഷരസഞ്ചയങ്ങള് ഉപയോഗിയ്ക്കുവാന് സാധ്യമല്ല.
+document_colors_not_allowed=സ്വന്തം നിറങ്ങള് ഉപയോഗിയ്ക്കുവാന് പിഡിഎഫ് രേഖകള്ക്കു് അനുവാദമില്ല: 'സ്വന്തം നിറങ്ങള് ഉപയോഗിയ്ക്കുവാന് താളുകളെ അനുവദിയ്ക്കുക' എന്നതു് ബ്രൌസറില് നിര്ജീവമാണു്.
diff --git a/static/pdf.js/locale/mn/viewer.properties b/static/pdf.js/locale/mn/viewer.properties
new file mode 100644
index 00000000..dfa1d6dd
--- /dev/null
+++ b/static/pdf.js/locale/mn/viewer.properties
@@ -0,0 +1,79 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+
+zoom.title=Тэлэлт
+open_file.title=Файл нээ
+open_file_label=Нээ
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+document_properties_file_name=Файлын нэр:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Гарчиг:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+findbar_label=Ол
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+
+# Find panel button title and messages
+find_previous.title=Хайлтын өмнөх олдцыг харуулна
+find_next.title=Хайлтын дараагийн олдцыг харуулна
+find_not_found=Олдсонгүй
+
+# Error panel labels
+error_more_info=Нэмэлт мэдээлэл
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+
+# Predefined zoom values
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Алдаа
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+password_ok=OK
+password_cancel=Цуцал
+
diff --git a/static/pdf.js/locale/mr/viewer.ftl b/static/pdf.js/locale/mr/viewer.ftl
deleted file mode 100644
index 49948b19..00000000
--- a/static/pdf.js/locale/mr/viewer.ftl
+++ /dev/null
@@ -1,239 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = मागील पृष्ठ
-pdfjs-previous-button-label = मागील
-pdfjs-next-button =
- .title = पुढील पृष्ठ
-pdfjs-next-button-label = पुढील
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = पृष्ठ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount }पैकी
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } पैकी { $pageNumber })
-pdfjs-zoom-out-button =
- .title = छोटे करा
-pdfjs-zoom-out-button-label = छोटे करा
-pdfjs-zoom-in-button =
- .title = मोठे करा
-pdfjs-zoom-in-button-label = मोठे करा
-pdfjs-zoom-select =
- .title = लहान किंवा मोठे करा
-pdfjs-presentation-mode-button =
- .title = प्रस्तुतिकरण मोडचा वापर करा
-pdfjs-presentation-mode-button-label = प्रस्तुतिकरण मोड
-pdfjs-open-file-button =
- .title = फाइल उघडा
-pdfjs-open-file-button-label = उघडा
-pdfjs-print-button =
- .title = छपाई करा
-pdfjs-print-button-label = छपाई करा
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = साधने
-pdfjs-tools-button-label = साधने
-pdfjs-first-page-button =
- .title = पहिल्या पृष्ठावर जा
-pdfjs-first-page-button-label = पहिल्या पृष्ठावर जा
-pdfjs-last-page-button =
- .title = शेवटच्या पृष्ठावर जा
-pdfjs-last-page-button-label = शेवटच्या पृष्ठावर जा
-pdfjs-page-rotate-cw-button =
- .title = घड्याळाच्या काट्याच्या दिशेने फिरवा
-pdfjs-page-rotate-cw-button-label = घड्याळाच्या काट्याच्या दिशेने फिरवा
-pdfjs-page-rotate-ccw-button =
- .title = घड्याळाच्या काट्याच्या उलट दिशेने फिरवा
-pdfjs-page-rotate-ccw-button-label = घड्याळाच्या काट्याच्या उलट दिशेने फिरवा
-pdfjs-cursor-text-select-tool-button =
- .title = मजकूर निवड साधन कार्यान्वयीत करा
-pdfjs-cursor-text-select-tool-button-label = मजकूर निवड साधन
-pdfjs-cursor-hand-tool-button =
- .title = हात साधन कार्यान्वित करा
-pdfjs-cursor-hand-tool-button-label = हस्त साधन
-pdfjs-scroll-vertical-button =
- .title = अनुलंब स्क्रोलिंग वापरा
-pdfjs-scroll-vertical-button-label = अनुलंब स्क्रोलिंग
-pdfjs-scroll-horizontal-button =
- .title = क्षैतिज स्क्रोलिंग वापरा
-pdfjs-scroll-horizontal-button-label = क्षैतिज स्क्रोलिंग
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = दस्तऐवज गुणधर्म…
-pdfjs-document-properties-button-label = दस्तऐवज गुणधर्म…
-pdfjs-document-properties-file-name = फाइलचे नाव:
-pdfjs-document-properties-file-size = फाइल आकार:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } बाइट्स)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } बाइट्स)
-pdfjs-document-properties-title = शिर्षक:
-pdfjs-document-properties-author = लेखक:
-pdfjs-document-properties-subject = विषय:
-pdfjs-document-properties-keywords = मुख्यशब्द:
-pdfjs-document-properties-creation-date = निर्माण दिनांक:
-pdfjs-document-properties-modification-date = दुरूस्ती दिनांक:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = निर्माता:
-pdfjs-document-properties-producer = PDF निर्माता:
-pdfjs-document-properties-version = PDF आवृत्ती:
-pdfjs-document-properties-page-count = पृष्ठ संख्या:
-pdfjs-document-properties-page-size = पृष्ठ आकार:
-pdfjs-document-properties-page-size-unit-inches = इंच
-pdfjs-document-properties-page-size-unit-millimeters = मीमी
-pdfjs-document-properties-page-size-orientation-portrait = उभी मांडणी
-pdfjs-document-properties-page-size-orientation-landscape = आडवे
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = जलद वेब दृष्य:
-pdfjs-document-properties-linearized-yes = हो
-pdfjs-document-properties-linearized-no = नाही
-pdfjs-document-properties-close-button = बंद करा
-
-## Print
-
-pdfjs-print-progress-message = छपाई करीता पृष्ठ तयार करीत आहे…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = रद्द करा
-pdfjs-printing-not-supported = सावधानता: या ब्राउझरतर्फे छपाइ पूर्णपणे समर्थीत नाही.
-pdfjs-printing-not-ready = सावधानता: छपाईकरिता PDF पूर्णतया लोड झाले नाही.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = बाजूचीपट्टी टॉगल करा
-pdfjs-toggle-sidebar-button-label = बाजूचीपट्टी टॉगल करा
-pdfjs-document-outline-button =
- .title = दस्तऐवज बाह्यरेखा दर्शवा (विस्तृत करण्यासाठी दोनवेळा क्लिक करा /सर्व घटक दाखवा)
-pdfjs-document-outline-button-label = दस्तऐवज रूपरेषा
-pdfjs-attachments-button =
- .title = जोडपत्र दाखवा
-pdfjs-attachments-button-label = जोडपत्र
-pdfjs-thumbs-button =
- .title = थंबनेल्स् दाखवा
-pdfjs-thumbs-button-label = थंबनेल्स्
-pdfjs-findbar-button =
- .title = दस्तऐवजात शोधा
-pdfjs-findbar-button-label = शोधा
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = पृष्ठ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = पृष्ठाचे थंबनेल { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = शोधा
- .placeholder = दस्तऐवजात शोधा…
-pdfjs-find-previous-button =
- .title = वाकप्रयोगची मागील घटना शोधा
-pdfjs-find-previous-button-label = मागील
-pdfjs-find-next-button =
- .title = वाकप्रयोगची पुढील घटना शोधा
-pdfjs-find-next-button-label = पुढील
-pdfjs-find-highlight-checkbox = सर्व ठळक करा
-pdfjs-find-match-case-checkbox-label = आकार जुळवा
-pdfjs-find-entire-word-checkbox-label = संपूर्ण शब्द
-pdfjs-find-reached-top = दस्तऐवजाच्या शीर्षकास पोहचले, तळपासून पुढे
-pdfjs-find-reached-bottom = दस्तऐवजाच्या तळाला पोहचले, शीर्षकापासून पुढे
-pdfjs-find-not-found = वाकप्रयोग आढळले नाही
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = पृष्ठाची रूंदी
-pdfjs-page-scale-fit = पृष्ठ बसवा
-pdfjs-page-scale-auto = स्वयं लाहन किंवा मोठे करणे
-pdfjs-page-scale-actual = प्रत्यक्ष आकार
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF लोड करतेवेळी त्रुटी आढळली.
-pdfjs-invalid-file-error = अवैध किंवा दोषीत PDF फाइल.
-pdfjs-missing-file-error = न आढळणारी PDF फाइल.
-pdfjs-unexpected-response-error = अनपेक्षित सर्व्हर प्रतिसाद.
-pdfjs-rendering-error = पृष्ठ दाखवतेवेळी त्रुटी आढळली.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } टिपण्णी]
-
-## Password
-
-pdfjs-password-label = ही PDF फाइल उघडण्याकरिता पासवर्ड द्या.
-pdfjs-password-invalid = अवैध पासवर्ड. कृपया पुन्हा प्रयत्न करा.
-pdfjs-password-ok-button = ठीक आहे
-pdfjs-password-cancel-button = रद्द करा
-pdfjs-web-fonts-disabled = वेब टंक असमर्थीत आहेत: एम्बेडेड PDF टंक वापर अशक्य.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/mr/viewer.properties b/static/pdf.js/locale/mr/viewer.properties
new file mode 100644
index 00000000..f9d1ef70
--- /dev/null
+++ b/static/pdf.js/locale/mr/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=मागील पृष्ठ
+previous_label=मागील
+next.title=पुढील पृष्ठ
+next_label=पुढील
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=पृष्ठ:
+page_of=पैकी {{pageCount}}
+
+zoom_out.title=छोटे करा
+zoom_out_label=छोटे करा
+zoom_in.title=मोठे करा
+zoom_in_label=मोठे करा
+zoom.title=लहान किंवा मोठे करा
+presentation_mode.title=प्रस्तुतिकरण मोडचा वापर करा
+presentation_mode_label=प्रस्तुतिकरण मोड
+open_file.title=फाइल उघडा
+open_file_label=उघडा
+print.title=छपाई करा
+print_label=छपाई करा
+download.title=डाउनलोड करा
+download_label=डाउनलोड करा
+bookmark.title=सध्याचे अवलोकन (नवीन पटलात प्रत बनवा किंवा उघडा)
+bookmark_label=सध्याचे अवलोकन
+
+# Secondary toolbar and context menu
+tools.title=साधने
+tools_label=साधने
+first_page.title=पहिल्या पानावर जा
+first_page.label=पहिल्या पानावर जा
+first_page_label=पहिल्या पानावर जा
+last_page.title=शेवटच्या पानावर जा
+last_page.label=शेवटच्या पानावर जा
+last_page_label=शेवटच्या पानावर जा
+page_rotate_cw.title=घड्याळाच्या काट्याच्या दिशेने फिरवा
+page_rotate_cw.label=घड्याळाच्या काट्याच्या दिशेने फिरवा
+page_rotate_cw_label=घड्याळाच्या काट्याच्या दिशेने फिरवा
+page_rotate_ccw.title=घड्याळाच्या काट्याच्या उलट दिशेने फिरवा
+page_rotate_ccw.label=घड्याळाच्या काट्याच्या उलट दिशेने फिरवा
+page_rotate_ccw_label=घड्याळाच्या काट्याच्या उलट दिशेने फिरवा
+
+hand_tool_enable.title=हात साधन सुरू करा
+hand_tool_enable_label=हात साधन सुरू करा
+hand_tool_disable.title=हात साधन बंद करा
+hand_tool_disable_label=हात साधन बंद करा
+
+# Document properties dialog box
+document_properties.title=दस्तऐवज गुणधर्म…
+document_properties_label=दस्तऐवज गुणधर्म…
+document_properties_file_name=फाइलचे नाव:
+document_properties_file_size=फाइल आकार:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} बाइट्स)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} बाइट्स)
+document_properties_title=शिर्षक:
+document_properties_author=लेखक:
+document_properties_subject=विषय:
+document_properties_keywords=मुख्यशब्द:
+document_properties_creation_date=निर्माण दिनांक:
+document_properties_modification_date=दुरूस्ती दिनांक:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=निर्माता:
+document_properties_producer=PDF निर्माता:
+document_properties_version=PDF आवृत्ती:
+document_properties_page_count=पृष्ठ संख्या:
+document_properties_close=बंद करा
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=बाजूचीपट्टी टॉगल करा
+toggle_sidebar_label=बाजूचीपट्टी टॉगल करा
+outline.title=दस्तऐवज रूपरेषा दाखवा
+outline_label=दस्तऐवज रूपरेषा
+attachments.title=जोडपत्र दाखवा
+attachments_label=जोडपत्र
+thumbs.title=थंबनेल्स् दाखवा
+thumbs_label=थंबनेल्स्
+findbar.title=दस्तऐवजात शोधा
+findbar_label=शोधा
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=पृष्ठ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=पृष्ठाचे थंबनेल {{page}}
+
+# Find panel button title and messages
+find_label=शोधा:
+find_previous.title=वाकप्रयोगची मागील घटना शोधा
+find_previous_label=मागील
+find_next.title=वाकप्रयोगची पुढील घटना शोधा
+find_next_label=पुढील
+find_highlight=सर्व ठळक करा
+find_match_case_label=आकार जुळवा
+find_reached_top=दस्तऐवजाच्या शीर्षकास पोहचले, तळपासून पुढे
+find_reached_bottom=दस्तऐवजाच्या तळाला पोहचले, शीर्षकापासून पुढे
+find_not_found=वाकप्रयोग आढळले नाही
+
+# Error panel labels
+error_more_info=आणखी माहिती
+error_less_info=कमी माहिती
+error_close=बंद करा
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=संदेश: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=स्टॅक: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=फाइल: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=रेष: {{line}}
+rendering_error=पृष्ठ दाखवतेवेळी त्रुटी आढळली.
+
+# Predefined zoom values
+page_scale_width=पृष्ठाची रूंदी
+page_scale_fit=पृष्ठ बसवा
+page_scale_auto=स्वयं लाहन किंवा मोठे करणे
+page_scale_actual=प्रत्यक्ष आकार
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=त्रुटी
+loading_error=PDF लोड करतेवेळी त्रुटी आढळली.
+invalid_file_error=अवैध किंवा दोषीत PDF फाइल.
+missing_file_error=न आढळणारी PDF फाइल.
+unexpected_response_error=अनपेक्षित सर्व्हर प्रतिसाद.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} टिपण्णी]
+password_label=ही PDF फाइल उघडण्याकरिता पासवर्ड द्या.
+password_invalid=अवैध पासवर्ड. कृपया पुन्हा प्रयत्न करा.
+password_ok=ठीक आहे
+password_cancel=रद्द करा
+
+printing_not_supported=सावधानता: या ब्राउजरतर्फे छपाइ पूर्णपणे समर्थीत नाही.
+printing_not_ready=सावधानता: छपाईकरिता PDF पूर्णतया लोड झाले नाही.
+web_fonts_disabled=वेब फाँट्स असमर्थीत आहेत: एम्बेडेड PDF फाँट्स्चा वापर अशक्य.
+document_colors_not_allowed=PDF दस्ताएवजांना त्यांचे रंग वापरण्यास अनुमती नाही: ब्राउजरमध्ये ' पानांना त्यांचे रंग निवडण्यास अनुमती द्या' बंद केले आहे.
diff --git a/static/pdf.js/locale/ms/viewer.ftl b/static/pdf.js/locale/ms/viewer.ftl
deleted file mode 100644
index 11b86651..00000000
--- a/static/pdf.js/locale/ms/viewer.ftl
+++ /dev/null
@@ -1,247 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Halaman Dahulu
-pdfjs-previous-button-label = Dahulu
-pdfjs-next-button =
- .title = Halaman Berikut
-pdfjs-next-button-label = Berikut
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Halaman
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = daripada { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } daripada { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zum Keluar
-pdfjs-zoom-out-button-label = Zum Keluar
-pdfjs-zoom-in-button =
- .title = Zum Masuk
-pdfjs-zoom-in-button-label = Zum Masuk
-pdfjs-zoom-select =
- .title = Zum
-pdfjs-presentation-mode-button =
- .title = Tukar ke Mod Persembahan
-pdfjs-presentation-mode-button-label = Mod Persembahan
-pdfjs-open-file-button =
- .title = Buka Fail
-pdfjs-open-file-button-label = Buka
-pdfjs-print-button =
- .title = Cetak
-pdfjs-print-button-label = Cetak
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Alatan
-pdfjs-tools-button-label = Alatan
-pdfjs-first-page-button =
- .title = Pergi ke Halaman Pertama
-pdfjs-first-page-button-label = Pergi ke Halaman Pertama
-pdfjs-last-page-button =
- .title = Pergi ke Halaman Terakhir
-pdfjs-last-page-button-label = Pergi ke Halaman Terakhir
-pdfjs-page-rotate-cw-button =
- .title = Berputar ikut arah Jam
-pdfjs-page-rotate-cw-button-label = Berputar ikut arah Jam
-pdfjs-page-rotate-ccw-button =
- .title = Pusing berlawan arah jam
-pdfjs-page-rotate-ccw-button-label = Pusing berlawan arah jam
-pdfjs-cursor-text-select-tool-button =
- .title = Dayakan Alatan Pilihan Teks
-pdfjs-cursor-text-select-tool-button-label = Alatan Pilihan Teks
-pdfjs-cursor-hand-tool-button =
- .title = Dayakan Alatan Tangan
-pdfjs-cursor-hand-tool-button-label = Alatan Tangan
-pdfjs-scroll-vertical-button =
- .title = Guna Skrol Menegak
-pdfjs-scroll-vertical-button-label = Skrol Menegak
-pdfjs-scroll-horizontal-button =
- .title = Guna Skrol Mengufuk
-pdfjs-scroll-horizontal-button-label = Skrol Mengufuk
-pdfjs-scroll-wrapped-button =
- .title = Guna Skrol Berbalut
-pdfjs-scroll-wrapped-button-label = Skrol Berbalut
-pdfjs-spread-none-button =
- .title = Jangan hubungkan hamparan halaman
-pdfjs-spread-none-button-label = Tanpa Hamparan
-pdfjs-spread-odd-button =
- .title = Hubungkan hamparan halaman dengan halaman nombor ganjil
-pdfjs-spread-odd-button-label = Hamparan Ganjil
-pdfjs-spread-even-button =
- .title = Hubungkan hamparan halaman dengan halaman nombor genap
-pdfjs-spread-even-button-label = Hamparan Seimbang
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Sifat Dokumen…
-pdfjs-document-properties-button-label = Sifat Dokumen…
-pdfjs-document-properties-file-name = Nama fail:
-pdfjs-document-properties-file-size = Saiz fail:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bait)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bait)
-pdfjs-document-properties-title = Tajuk:
-pdfjs-document-properties-author = Pengarang:
-pdfjs-document-properties-subject = Subjek:
-pdfjs-document-properties-keywords = Kata kunci:
-pdfjs-document-properties-creation-date = Masa Dicipta:
-pdfjs-document-properties-modification-date = Tarikh Ubahsuai:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Pencipta:
-pdfjs-document-properties-producer = Pengeluar PDF:
-pdfjs-document-properties-version = Versi PDF:
-pdfjs-document-properties-page-count = Kiraan Laman:
-pdfjs-document-properties-page-size = Saiz Halaman:
-pdfjs-document-properties-page-size-unit-inches = dalam
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = potret
-pdfjs-document-properties-page-size-orientation-landscape = landskap
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Paparan Web Pantas:
-pdfjs-document-properties-linearized-yes = Ya
-pdfjs-document-properties-linearized-no = Tidak
-pdfjs-document-properties-close-button = Tutup
-
-## Print
-
-pdfjs-print-progress-message = Menyediakan dokumen untuk dicetak…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Batal
-pdfjs-printing-not-supported = Amaran: Cetakan ini tidak sepenuhnya disokong oleh pelayar ini.
-pdfjs-printing-not-ready = Amaran: PDF tidak sepenuhnya dimuatkan untuk dicetak.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Togol Bar Sisi
-pdfjs-toggle-sidebar-button-label = Togol Bar Sisi
-pdfjs-document-outline-button =
- .title = Papar Rangka Dokumen (klik-dua-kali untuk kembangkan/kolaps semua item)
-pdfjs-document-outline-button-label = Rangka Dokumen
-pdfjs-attachments-button =
- .title = Papar Lampiran
-pdfjs-attachments-button-label = Lampiran
-pdfjs-thumbs-button =
- .title = Papar Thumbnails
-pdfjs-thumbs-button-label = Imej kecil
-pdfjs-findbar-button =
- .title = Cari didalam Dokumen
-pdfjs-findbar-button-label = Cari
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Halaman { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Halaman Imej kecil { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Cari
- .placeholder = Cari dalam dokumen…
-pdfjs-find-previous-button =
- .title = Cari teks frasa berkenaan yang terdahulu
-pdfjs-find-previous-button-label = Dahulu
-pdfjs-find-next-button =
- .title = Cari teks frasa berkenaan yang berikut
-pdfjs-find-next-button-label = Berikut
-pdfjs-find-highlight-checkbox = Serlahkan semua
-pdfjs-find-match-case-checkbox-label = Huruf sepadan
-pdfjs-find-entire-word-checkbox-label = Seluruh perkataan
-pdfjs-find-reached-top = Mencapai teratas daripada dokumen, sambungan daripada bawah
-pdfjs-find-reached-bottom = Mencapai terakhir daripada dokumen, sambungan daripada atas
-pdfjs-find-not-found = Frasa tidak ditemui
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lebar Halaman
-pdfjs-page-scale-fit = Muat Halaman
-pdfjs-page-scale-auto = Zoom Automatik
-pdfjs-page-scale-actual = Saiz Sebenar
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Masalah berlaku semasa menuatkan sebuah PDF.
-pdfjs-invalid-file-error = Tidak sah atau fail PDF rosak.
-pdfjs-missing-file-error = Fail PDF Hilang.
-pdfjs-unexpected-response-error = Respon pelayan yang tidak dijangka.
-pdfjs-rendering-error = Ralat berlaku ketika memberikan halaman.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Anotasi]
-
-## Password
-
-pdfjs-password-label = Masukan kata kunci untuk membuka fail PDF ini.
-pdfjs-password-invalid = Kata laluan salah. Cuba lagi.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Batal
-pdfjs-web-fonts-disabled = Fon web dinyahdayakan: tidak dapat menggunakan fon terbenam PDF.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ms/viewer.properties b/static/pdf.js/locale/ms/viewer.properties
new file mode 100644
index 00000000..cc6b70b0
--- /dev/null
+++ b/static/pdf.js/locale/ms/viewer.properties
@@ -0,0 +1,171 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Laman Sebelumnya
+previous_label=Terdahulu
+next.title=Laman seterusnya
+next_label=Berikut
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Laman:
+page_of=daripada {{pageCount}}
+
+zoom_out.title=Zum Keluar
+zoom_out_label=Zum Keluar
+zoom_in.title=Zum Masuk
+zoom_in_label=Zum Masuk
+zoom.title=Zum
+presentation_mode.title=Bertukar ke Mod Persembahan
+presentation_mode_label=Mod Persembahan
+open_file.title=Buka Fail
+open_file_label=Buka
+print.title=Cetak
+print_label=Cetak
+download.title=Muat turun
+download_label=Muat turun
+bookmark.title=Pandangan semasa (salinan atau dibuka dalam tetingkap baru)
+bookmark_label=Lihat semasa
+
+# Secondary toolbar and context menu
+tools.title=Alatan
+tools_label=Alatan
+first_page.title=Pergi ke Halaman Pertama
+first_page.label=Pergi ke Halaman Pertama
+first_page_label=Pergi ke Halaman Pertama
+last_page.title=Pergi ke Halaman Terakhir
+last_page.label=Pergi ke Halaman Terakhir
+last_page_label=Pergi ke Halaman Terakhir
+page_rotate_cw.title=Berputar ikut arah Jam
+page_rotate_cw.label=Berputar ikut arah Jam
+page_rotate_cw_label=Berputar ikut arah Jam
+page_rotate_ccw.title=Pusing berlawan arah jam
+page_rotate_ccw.label=Pusing berlawan arah jam
+page_rotate_ccw_label=Pusing berlawan arah jam
+
+hand_tool_enable.title=Bolehkan alatan tangan
+hand_tool_enable_label=Bolehkan alatan tangan
+hand_tool_disable.title=Lumpuhkan alatan tangan
+hand_tool_disable_label=Lumpuhkan alatan tangan
+
+# Document properties dialog box
+document_properties.title=Ciri Dokumen…
+document_properties_label=Ciri Dokumen…
+document_properties_file_name=Nama fail:
+document_properties_file_size=Saiz fail:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bait)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bait)
+document_properties_title=Tajuk:
+document_properties_author=Pengarang:
+document_properties_subject=Subjek:
+document_properties_keywords=Kata kunci:
+document_properties_creation_date=Masa Dicipta:
+document_properties_modification_date=Tarikh Ubahsuai:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Pencipta:
+document_properties_producer=Pengeluar PDF:
+document_properties_version=Versi PDF:
+document_properties_page_count=Kiraan Laman:
+document_properties_close=Tutup
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Togol Bar Sisi
+toggle_sidebar_label=Togol Bar Sisi
+outline.title=Tunjuk Rangka Dokumen
+outline_label=Rangka Dokument
+attachments.title=Tunjuk Lampiran
+attachments_label=Lampiran
+thumbs.title=Tunjuk Imej kecil
+thumbs_label=Imej kecil
+findbar.title=Cari didalam Dokumen
+findbar_label=Cari
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Halaman {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Halaman Imej kecil {{page}}
+
+# Find panel button title and messages
+find_label=Cari:
+find_previous.title=Cari teks frasa berkenaan yang terdahulu
+find_previous_label=Sebelumnya
+find_next.title=Cari teks frasa berkenaan yang berikut
+find_next_label=Berikut
+find_highlight=Serlahkan semua
+find_match_case_label=Kes Sepadan
+find_reached_top=Mencapai teratas daripada dokumen, sambungan daripada bawah
+find_reached_bottom=Mencapai terakhir daripada dokumen, sambungan daripada atas
+find_not_found=Frasa tidak ditemui
+
+# Error panel labels
+error_more_info=Maklumat lanjut
+error_less_info=Kurang Informasi
+error_close=Tutup
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mesej: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Timbun: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fail: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Garis: {{line}}
+rendering_error=Ralat berlaku ketika memberikan halaman.
+
+# Predefined zoom values
+page_scale_width=Lebar Halaman
+page_scale_fit=Muat Halaman
+page_scale_auto=Zoom Automatik
+page_scale_actual=Saiz Sebenar
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Ralat
+loading_error=Masalah berlaku semasa menuatkan sebuah PDF.
+invalid_file_error=Tidak sah atau fail PDF rosak.
+missing_file_error=Fail PDF Hilang.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Anotasi]
+password_label=Masukan kata kunci untuk membuka fail PDF ini.
+password_invalid=Kata laluan salah. Cuba lagi.
+password_ok=OK
+password_cancel=Batal
+
+printing_not_supported=Amaran: Cetakan ini tidak sepenuhnya disokong oleh pelayar ini.
+printing_not_ready=Amaran: PDF tidak sepenuhnya dimuatkan untuk dicetak.
+web_fonts_disabled=Fon web dilumpuhkan: tidak dapat fon PDF terbenam.
+document_colors_not_allowed=Dokumen PDF tidak dibenarkan untuk menggunakan warna sendiri: 'Benarkan muka surat untuk memilih warna sendiri' telah dinyahaktif dalam pelayar.
diff --git a/static/pdf.js/locale/my/viewer.ftl b/static/pdf.js/locale/my/viewer.ftl
deleted file mode 100644
index d3b973d8..00000000
--- a/static/pdf.js/locale/my/viewer.ftl
+++ /dev/null
@@ -1,206 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = အရင် စာမျက်နှာ
-pdfjs-previous-button-label = အရင်နေရာ
-pdfjs-next-button =
- .title = ရှေ့ စာမျက်နှာ
-pdfjs-next-button-label = နောက်တခု
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = စာမျက်နှာ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } ၏
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } ၏ { $pageNumber })
-pdfjs-zoom-out-button =
- .title = ချုံ့ပါ
-pdfjs-zoom-out-button-label = ချုံ့ပါ
-pdfjs-zoom-in-button =
- .title = ချဲ့ပါ
-pdfjs-zoom-in-button-label = ချဲ့ပါ
-pdfjs-zoom-select =
- .title = ချုံ့/ချဲ့ပါ
-pdfjs-presentation-mode-button =
- .title = ဆွေးနွေးတင်ပြစနစ်သို့ ကူးပြောင်းပါ
-pdfjs-presentation-mode-button-label = ဆွေးနွေးတင်ပြစနစ်
-pdfjs-open-file-button =
- .title = ဖိုင်အားဖွင့်ပါ။
-pdfjs-open-file-button-label = ဖွင့်ပါ
-pdfjs-print-button =
- .title = ပုံနှိုပ်ပါ
-pdfjs-print-button-label = ပုံနှိုပ်ပါ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ကိရိယာများ
-pdfjs-tools-button-label = ကိရိယာများ
-pdfjs-first-page-button =
- .title = ပထမ စာမျက်နှာသို့
-pdfjs-first-page-button-label = ပထမ စာမျက်နှာသို့
-pdfjs-last-page-button =
- .title = နောက်ဆုံး စာမျက်နှာသို့
-pdfjs-last-page-button-label = နောက်ဆုံး စာမျက်နှာသို့
-pdfjs-page-rotate-cw-button =
- .title = နာရီလက်တံ အတိုင်း
-pdfjs-page-rotate-cw-button-label = နာရီလက်တံ အတိုင်း
-pdfjs-page-rotate-ccw-button =
- .title = နာရီလက်တံ ပြောင်းပြန်
-pdfjs-page-rotate-ccw-button-label = နာရီလက်တံ ပြောင်းပြန်
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = မှတ်တမ်းမှတ်ရာ ဂုဏ်သတ္တိများ
-pdfjs-document-properties-button-label = မှတ်တမ်းမှတ်ရာ ဂုဏ်သတ္တိများ
-pdfjs-document-properties-file-name = ဖိုင် :
-pdfjs-document-properties-file-size = ဖိုင်ဆိုဒ် :
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } ကီလိုဘိုတ် ({ $size_b }ဘိုတ်)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = ခေါင်းစဉ် -
-pdfjs-document-properties-author = ရေးသားသူ:
-pdfjs-document-properties-subject = အကြောင်းအရာ:
-pdfjs-document-properties-keywords = သော့ချက် စာလုံး:
-pdfjs-document-properties-creation-date = ထုတ်လုပ်ရက်စွဲ:
-pdfjs-document-properties-modification-date = ပြင်ဆင်ရက်စွဲ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ဖန်တီးသူ:
-pdfjs-document-properties-producer = PDF ထုတ်လုပ်သူ:
-pdfjs-document-properties-version = PDF ဗားရှင်း:
-pdfjs-document-properties-page-count = စာမျက်နှာအရေအတွက်:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = ပိတ်
-
-## Print
-
-pdfjs-print-progress-message = Preparing document for printing…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ပယ်ဖျက်ပါ
-pdfjs-printing-not-supported = သတိပေးချက်၊ပရင့်ထုတ်ခြင်းကိုဤဘယောက်ဆာသည် ပြည့်ဝစွာထောက်ပံ့မထားပါ ။
-pdfjs-printing-not-ready = သတိပေးချက်: ယခု PDF ဖိုင်သည် ပုံနှိပ်ရန် မပြည့်စုံပါ
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ဘေးတန်းဖွင့်ပိတ်
-pdfjs-toggle-sidebar-button-label = ဖွင့်ပိတ် ဆလိုက်ဒါ
-pdfjs-document-outline-button =
- .title = စာတမ်းအကျဉ်းချုပ်ကို ပြပါ (စာရင်းအားလုံးကို ချုံ့/ချဲ့ရန် ကလစ်နှစ်ချက်နှိပ်ပါ)
-pdfjs-document-outline-button-label = စာတမ်းအကျဉ်းချုပ်
-pdfjs-attachments-button =
- .title = တွဲချက်များ ပြပါ
-pdfjs-attachments-button-label = တွဲထားချက်များ
-pdfjs-thumbs-button =
- .title = ပုံရိပ်ငယ်များကို ပြပါ
-pdfjs-thumbs-button-label = ပုံရိပ်ငယ်များ
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = ရှာဖွေပါ
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = စာမျက်နှာ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = စာမျက်နှာရဲ့ ပုံရိပ်ငယ် { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ရှာဖွေပါ
- .placeholder = စာတမ်းထဲတွင် ရှာဖွေရန်…
-pdfjs-find-previous-button =
- .title = စကားစုရဲ့ အရင် ဖြစ်ပွားမှုကို ရှာဖွေပါ
-pdfjs-find-previous-button-label = နောက်သို့
-pdfjs-find-next-button =
- .title = စကားစုရဲ့ နောက်ထပ် ဖြစ်ပွားမှုကို ရှာဖွေပါ
-pdfjs-find-next-button-label = ရှေ့သို့
-pdfjs-find-highlight-checkbox = အားလုံးကို မျဉ်းသားပါ
-pdfjs-find-match-case-checkbox-label = စာလုံး တိုက်ဆိုင်ပါ
-pdfjs-find-reached-top = စာမျက်နှာထိပ် ရောက်နေပြီ၊ အဆုံးကနေ ပြန်စပါ
-pdfjs-find-reached-bottom = စာမျက်နှာအဆုံး ရောက်နေပြီ၊ ထိပ်ကနေ ပြန်စပါ
-pdfjs-find-not-found = စကားစု မတွေ့ရဘူး
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = စာမျက်နှာ အကျယ်
-pdfjs-page-scale-fit = စာမျက်နှာ ကွက်တိ
-pdfjs-page-scale-auto = အလိုအလျောက် ချုံ့ချဲ့
-pdfjs-page-scale-actual = အမှန်တကယ်ရှိတဲ့ အရွယ်
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ဖိုင် ကိုဆွဲတင်နေချိန်မှာ အမှားတစ်ခုတွေ့ရပါတယ်။
-pdfjs-invalid-file-error = မရသော သို့ ပျက်နေသော PDF ဖိုင်
-pdfjs-missing-file-error = PDF ပျောက်ဆုံး
-pdfjs-unexpected-response-error = မမျှော်လင့်ထားသော ဆာဗာမှ ပြန်ကြားချက်
-pdfjs-rendering-error = စာမျက်နှာကို ပုံဖော်နေချိန်မှာ အမှားတစ်ခုတွေ့ရပါတယ်။
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } အဓိပ္ပာယ်ဖွင့်ဆိုချက်]
-
-## Password
-
-pdfjs-password-label = ယခု PDF ကို ဖွင့်ရန် စကားဝှက်ကို ရိုက်ပါ။
-pdfjs-password-invalid = စာဝှက် မှားသည်။ ထပ်ကြိုးစားကြည့်ပါ။
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = ပယ်ဖျက်ပါ
-pdfjs-web-fonts-disabled = Web fonts are disabled: unable to use embedded PDF fonts.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/my/viewer.properties b/static/pdf.js/locale/my/viewer.properties
new file mode 100644
index 00000000..303a9db8
--- /dev/null
+++ b/static/pdf.js/locale/my/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=အရင် စာမျက်နှာ
+previous_label=အရင်နေရာ
+next.title=ရှေ့ စာမျက်နှာ
+next_label=နောက်တခု
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=စာမျက်နှာ -
+page_of=၏ {{pageCount}}
+
+zoom_out.title=ချုံ့ပါ
+zoom_out_label=ချုံ့ပါ
+zoom_in.title=ချဲ့ပါ
+zoom_in_label=ချဲ့ပါ
+zoom.title=ချုံ့/ချဲ့ပါ
+presentation_mode.title=Switch to Presentation Mode
+presentation_mode_label=Presentation Mode
+open_file.title=ဖိုင်အားဖွင့်ပါ။
+open_file_label=ဖွင့်ပါ
+print.title=ပုံနှိုပ်ပါ
+print_label=ပုံနှိုပ်ပါ
+download.title=ကူးဆွဲ
+download_label=ကူးဆွဲ
+bookmark.title=လက်ရှိ မြင်ကွင်း (ဝင်းဒိုးအသစ်မှာ ကူးပါ သို့မဟုတ် ဖွင့်ပါ)
+bookmark_label=လက်ရှိ မြင်ကွင်း
+
+# Secondary toolbar and context menu
+tools.title=ကိရိယာများ
+tools_label=ကိရိယာများ
+first_page.title=ပထမ စာမျက်နှာသို့
+first_page.label=ပထမ စာမျက်နှာသို့
+first_page_label=ပထမ စာမျက်နှာသို့
+last_page.title=နောက်ဆုံး စာမျက်နှာသို့
+last_page.label=နောက်ဆုံး စာမျက်နှာသို့
+last_page_label=နောက်ဆုံး စာမျက်နှာသို့
+page_rotate_cw.title=နာရီလက်တံ အတိုင်း
+page_rotate_cw.label=နာရီလက်တံ အတိုင်း
+page_rotate_cw_label=နာရီလက်တံ အတိုင်း
+page_rotate_ccw.title=နာရီလက်တံ ပြောင်းပြန်
+page_rotate_ccw.label=နာရီလက်တံ ပြောင်းပြန်
+page_rotate_ccw_label=နာရီလက်တံ ပြောင်းပြန်
+
+hand_tool_enable.title=လက်ကိုင် ကိရိယာအားသုံး
+hand_tool_enable_label=လက်ကိုင် ကိရိယာဖွင့်
+hand_tool_disable.title=လက်ကိုင် ကိရိယာအားပိတ်
+hand_tool_disable_label=လက်ကိုင်ကိရိယာ အားပိတ်
+
+# Document properties dialog box
+document_properties.title=မှတ်တမ်းမှတ်ရာ ဂုဏ်သတ္တိများ
+document_properties_label=မှတ်တမ်းမှတ်ရာ ဂုဏ်သတ္တိများ
+document_properties_file_name=ဖိုင် :
+document_properties_file_size=ဖိုင်ဆိုဒ် :
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} ကီလိုဘိုတ် ({size_kb}}ဘိုတ်)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=ခေါင်းစဉ် -
+document_properties_author=ရေးသားသူ:
+document_properties_subject=အကြောင်းအရာ:\u0020
+document_properties_keywords=သော့ချက် စာလုံး:
+document_properties_creation_date=ထုတ်လုပ်ရက်စွဲ:
+document_properties_modification_date=ပြင်ဆင်ရက်စွဲ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=ဖန်တီးသူ:
+document_properties_producer=PDF ထုတ်လုပ်သူ:
+document_properties_version=PDF ဗားရှင်း:
+document_properties_page_count=စာမျက်နှာအရေအတွက်:
+document_properties_close=ပိတ်
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=ဘေးတန်းဖွင့်ပိတ်
+toggle_sidebar_label=ဖွင့်ပိတ် ဆလိုက်ဒါ
+outline.title=စာတမ်း မူကြမ်း ကိုပြပါ
+outline_label=စာတမ်း မူကြမ်း
+attachments.title=တွဲချက်များ ပြပါ
+attachments_label=တွဲထားချက်များ
+thumbs.title=ပုံရိပ်ငယ်များကို ပြပါ
+thumbs_label=ပုံရိပ်ငယ်များ
+findbar.title=Find in Document
+findbar_label=ရှာဖွေပါ
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=စာမျက်နှာ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=စာမျက်နှာရဲ့ ပုံရိပ်ငယ် {{page}}
+
+# Find panel button title and messages
+find_label=ရှာဖွေပါ -
+find_previous.title=စကားစုရဲ့ အရင် ဖြစ်ပွားမှုကို ရှာဖွေပါ
+find_previous_label=နောက်သို့
+find_next.title=စကားစုရဲ့ နောက်ထပ် ဖြစ်ပွားမှုကို ရှာဖွေပါ
+find_next_label=ရှေ့သို့
+find_highlight=အားလုံးကို မျဉ်းသားပါ
+find_match_case_label=စာလုံး တိုက်ဆိုင်ပါ
+find_reached_top=စာမျက်နှာထိပ် ရောက်နေပြီ၊ အဆုံးကနေ ပြန်စပါ
+find_reached_bottom=စာမျက်နှာအဆုံး ရောက်နေပြီ၊ ထိပ်ကနေ ပြန်စပါ
+find_not_found=စကားစု မတွေ့ရဘူး
+
+# Error panel labels
+error_more_info=နောက်ထပ်အချက်အလက်များ
+error_less_info=အနည်းငယ်မျှသော သတင်းအချက်အလက်
+error_close=ပိတ်
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=မက်ဆေ့ - {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=အထပ် - {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ဖိုင် {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=လိုင်း - {{line}}
+rendering_error=စာမျက်နှာကို ပုံဖော်နေချိန်မှာ အမှားတစ်ခုတွေ့ရပါတယ်။
+
+# Predefined zoom values
+page_scale_width=စာမျက်နှာ အကျယ်
+page_scale_fit=စာမျက်နှာ ကွက်တိ
+page_scale_auto=အလိုအလျောက် ချုံ့ချဲ့
+page_scale_actual=အမှန်တကယ်ရှိတဲ့ အရွယ်
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=အမှား
+loading_error=PDF ဖိုင် ကိုဆွဲတင်နေချိန်မှာ အမှားတစ်ခုတွေ့ရပါတယ်။
+invalid_file_error=မရသော သို့ ပျက်နေသော PDF ဖိုင်
+missing_file_error=PDF ပျောက်ဆုံး
+unexpected_response_error=မမျှော်လင့်ထားသော ဆာဗာမှ ပြန်ကြားချက်
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} အဓိပ္ပာယ်ဖွင့်ဆိုချက်]
+password_label=PDF အားဖွင့်ရန် ပတ်စ်ဝတ်အားထည့်ပါ
+password_invalid=စာဝှက် မှားသည်။ ထပ်ကြိုးစားကြည့်ပါ။
+password_ok=OK
+password_cancel=ပယ်ဖျက်ပါ
+
+printing_not_supported=သတိပေးချက်၊ပရင့်ထုတ်ခြင်းကိုဤဘယောက်ဆာသည် ပြည့်ဝစွာထောက်ပံ့မထားပါ ။
+printing_not_ready=သတိပေးချက်: ယခု PDF ဖိုင်သည် ပုံနှိပ်ရန် မပြည့်စုံပါ
+web_fonts_disabled=Web fonts are disabled: unable to use embedded PDF fonts.
+document_colors_not_allowed=PDF ဖိုင်အား ၎င်းဤ ကိုယ်ပိုင်အရောင်များကို အသုံးပြုခွင့်မပေးထားပါ ။ 'စာမျက်နှာအားလုံးအားအရောင်ရွေးချယ်ခွင့်' အား ယခု ဘယောက်ဆာတွင် ပိတ်ထားခြင်းကြောင့်ဖြစ် သှ်
diff --git a/static/pdf.js/locale/nb-NO/viewer.ftl b/static/pdf.js/locale/nb-NO/viewer.ftl
deleted file mode 100644
index 6519adb3..00000000
--- a/static/pdf.js/locale/nb-NO/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Forrige side
-pdfjs-previous-button-label = Forrige
-pdfjs-next-button =
- .title = Neste side
-pdfjs-next-button-label = Neste
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Side
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = av { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } av { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom ut
-pdfjs-zoom-out-button-label = Zoom ut
-pdfjs-zoom-in-button =
- .title = Zoom inn
-pdfjs-zoom-in-button-label = Zoom inn
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Bytt til presentasjonsmodus
-pdfjs-presentation-mode-button-label = Presentasjonsmodus
-pdfjs-open-file-button =
- .title = Åpne fil
-pdfjs-open-file-button-label = Åpne
-pdfjs-print-button =
- .title = Skriv ut
-pdfjs-print-button-label = Skriv ut
-pdfjs-save-button =
- .title = Lagre
-pdfjs-save-button-label = Lagre
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Last ned
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Last ned
-pdfjs-bookmark-button =
- .title = Gjeldende side (se URL fra gjeldende side)
-pdfjs-bookmark-button-label = Gjeldende side
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Verktøy
-pdfjs-tools-button-label = Verktøy
-pdfjs-first-page-button =
- .title = Gå til første side
-pdfjs-first-page-button-label = Gå til første side
-pdfjs-last-page-button =
- .title = Gå til siste side
-pdfjs-last-page-button-label = Gå til siste side
-pdfjs-page-rotate-cw-button =
- .title = Roter med klokken
-pdfjs-page-rotate-cw-button-label = Roter med klokken
-pdfjs-page-rotate-ccw-button =
- .title = Roter mot klokken
-pdfjs-page-rotate-ccw-button-label = Roter mot klokken
-pdfjs-cursor-text-select-tool-button =
- .title = Aktiver tekstmarkeringsverktøy
-pdfjs-cursor-text-select-tool-button-label = Tekstmarkeringsverktøy
-pdfjs-cursor-hand-tool-button =
- .title = Aktiver handverktøy
-pdfjs-cursor-hand-tool-button-label = Handverktøy
-pdfjs-scroll-page-button =
- .title = Bruk siderulling
-pdfjs-scroll-page-button-label = Siderulling
-pdfjs-scroll-vertical-button =
- .title = Bruk vertikal rulling
-pdfjs-scroll-vertical-button-label = Vertikal rulling
-pdfjs-scroll-horizontal-button =
- .title = Bruk horisontal rulling
-pdfjs-scroll-horizontal-button-label = Horisontal rulling
-pdfjs-scroll-wrapped-button =
- .title = Bruk flersiderulling
-pdfjs-scroll-wrapped-button-label = Flersiderulling
-pdfjs-spread-none-button =
- .title = Vis enkeltsider
-pdfjs-spread-none-button-label = Enkeltsider
-pdfjs-spread-odd-button =
- .title = Vis oppslag med ulike sidenumre til venstre
-pdfjs-spread-odd-button-label = Oppslag med forside
-pdfjs-spread-even-button =
- .title = Vis oppslag med like sidenumre til venstre
-pdfjs-spread-even-button-label = Oppslag uten forside
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentegenskaper …
-pdfjs-document-properties-button-label = Dokumentegenskaper …
-pdfjs-document-properties-file-name = Filnavn:
-pdfjs-document-properties-file-size = Filstørrelse:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Dokumentegenskaper …
-pdfjs-document-properties-author = Forfatter:
-pdfjs-document-properties-subject = Emne:
-pdfjs-document-properties-keywords = Nøkkelord:
-pdfjs-document-properties-creation-date = Opprettet dato:
-pdfjs-document-properties-modification-date = Endret dato:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Opprettet av:
-pdfjs-document-properties-producer = PDF-verktøy:
-pdfjs-document-properties-version = PDF-versjon:
-pdfjs-document-properties-page-count = Sideantall:
-pdfjs-document-properties-page-size = Sidestørrelse:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = stående
-pdfjs-document-properties-page-size-orientation-landscape = liggende
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Hurtig nettvisning:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nei
-pdfjs-document-properties-close-button = Lukk
-
-## Print
-
-pdfjs-print-progress-message = Forbereder dokument for utskrift …
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Avbryt
-pdfjs-printing-not-supported = Advarsel: Utskrift er ikke fullstendig støttet av denne nettleseren.
-pdfjs-printing-not-ready = Advarsel: PDF er ikke fullstendig innlastet for utskrift.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Slå av/på sidestolpe
-pdfjs-toggle-sidebar-notification-button =
- .title = Vis/gjem sidestolpe (dokumentet inneholder oversikt/vedlegg/lag)
-pdfjs-toggle-sidebar-button-label = Slå av/på sidestolpe
-pdfjs-document-outline-button =
- .title = Vis dokumentdisposisjonen (dobbeltklikk for å utvide/skjule alle elementer)
-pdfjs-document-outline-button-label = Dokumentdisposisjon
-pdfjs-attachments-button =
- .title = Vis vedlegg
-pdfjs-attachments-button-label = Vedlegg
-pdfjs-layers-button =
- .title = Vis lag (dobbeltklikk for å tilbakestille alle lag til standardtilstand)
-pdfjs-layers-button-label = Lag
-pdfjs-thumbs-button =
- .title = Vis miniatyrbilde
-pdfjs-thumbs-button-label = Miniatyrbilde
-pdfjs-current-outline-item-button =
- .title = Finn gjeldende disposisjonselement
-pdfjs-current-outline-item-button-label = Gjeldende disposisjonselement
-pdfjs-findbar-button =
- .title = Finn i dokumentet
-pdfjs-findbar-button-label = Finn
-pdfjs-additional-layers = Ytterligere lag
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Side { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatyrbilde av side { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Søk
- .placeholder = Søk i dokument…
-pdfjs-find-previous-button =
- .title = Finn forrige forekomst av frasen
-pdfjs-find-previous-button-label = Forrige
-pdfjs-find-next-button =
- .title = Finn neste forekomst av frasen
-pdfjs-find-next-button-label = Neste
-pdfjs-find-highlight-checkbox = Uthev alle
-pdfjs-find-match-case-checkbox-label = Skill store/små bokstaver
-pdfjs-find-match-diacritics-checkbox-label = Samsvar diakritiske tegn
-pdfjs-find-entire-word-checkbox-label = Hele ord
-pdfjs-find-reached-top = Nådde toppen av dokumentet, fortsetter fra bunnen
-pdfjs-find-reached-bottom = Nådde bunnen av dokumentet, fortsetter fra toppen
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } av { $total } treff
- *[other] { $current } av { $total } treff
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mer enn { $limit } treff
- *[other] Mer enn { $limit } treff
- }
-pdfjs-find-not-found = Fant ikke teksten
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sidebredde
-pdfjs-page-scale-fit = Tilpass til siden
-pdfjs-page-scale-auto = Automatisk zoom
-pdfjs-page-scale-actual = Virkelig størrelse
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Side { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = En feil oppstod ved lasting av PDF.
-pdfjs-invalid-file-error = Ugyldig eller skadet PDF-fil.
-pdfjs-missing-file-error = Manglende PDF-fil.
-pdfjs-unexpected-response-error = Uventet serverrespons.
-pdfjs-rendering-error = En feil oppstod ved opptegning av siden.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } annotasjon]
-
-## Password
-
-pdfjs-password-label = Skriv inn passordet for å åpne denne PDF-filen.
-pdfjs-password-invalid = Ugyldig passord. Prøv igjen.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Avbryt
-pdfjs-web-fonts-disabled = Web-fonter er avslått: Kan ikke bruke innbundne PDF-fonter.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Tegn
-pdfjs-editor-ink-button-label = Tegn
-pdfjs-editor-stamp-button =
- .title = Legg til eller rediger bilder
-pdfjs-editor-stamp-button-label = Legg til eller rediger bilder
-pdfjs-editor-highlight-button =
- .title = Markere
-pdfjs-editor-highlight-button-label = Markere
-pdfjs-highlight-floating-button =
- .title = Markere
-pdfjs-highlight-floating-button1 =
- .title = Markere
- .aria-label = Markere
-pdfjs-highlight-floating-button-label = Markere
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Fjern tegningen
-pdfjs-editor-remove-freetext-button =
- .title = Fjern tekst
-pdfjs-editor-remove-stamp-button =
- .title = Fjern bildet
-pdfjs-editor-remove-highlight-button =
- .title = Fjern utheving
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Farge
-pdfjs-editor-free-text-size-input = Størrelse
-pdfjs-editor-ink-color-input = Farge
-pdfjs-editor-ink-thickness-input = Tykkelse
-pdfjs-editor-ink-opacity-input = Ugjennomsiktighet
-pdfjs-editor-stamp-add-image-button =
- .title = Legg til bilde
-pdfjs-editor-stamp-add-image-button-label = Legg til bilde
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tykkelse
-pdfjs-editor-free-highlight-thickness-title =
- .title = Endre tykkelse når du markerer andre elementer enn tekst
-pdfjs-free-text =
- .aria-label = Tekstredigering
-pdfjs-free-text-default-content = Begynn å skrive…
-pdfjs-ink =
- .aria-label = Tegneredigering
-pdfjs-ink-canvas =
- .aria-label = Brukerskapt bilde
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt-tekst
-pdfjs-editor-alt-text-edit-button-label = Rediger alt-tekst tekst
-pdfjs-editor-alt-text-dialog-label = Velg et alternativ
-pdfjs-editor-alt-text-dialog-description = Alt-tekst (alternativ tekst) hjelper når folk ikke kan se bildet eller når det ikke lastes inn.
-pdfjs-editor-alt-text-add-description-label = Legg til en beskrivelse
-pdfjs-editor-alt-text-add-description-description = Gå etter 1-2 setninger som beskriver emnet, settingen eller handlingene.
-pdfjs-editor-alt-text-mark-decorative-label = Merk som dekorativt
-pdfjs-editor-alt-text-mark-decorative-description = Dette brukes til dekorative bilder, som kantlinjer eller vannmerker.
-pdfjs-editor-alt-text-cancel-button = Avbryt
-pdfjs-editor-alt-text-save-button = Lagre
-pdfjs-editor-alt-text-decorative-tooltip = Merket som dekorativ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = For eksempel, «En ung mann setter seg ved et bord for å spise et måltid»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Øverste venstre hjørne – endre størrelse
-pdfjs-editor-resizer-label-top-middle = Øverst i midten — endre størrelse
-pdfjs-editor-resizer-label-top-right = Øverste høyre hjørne – endre størrelse
-pdfjs-editor-resizer-label-middle-right = Midt til høyre – endre størrelse
-pdfjs-editor-resizer-label-bottom-right = Nederste høyre hjørne – endre størrelse
-pdfjs-editor-resizer-label-bottom-middle = Nederst i midten — endre størrelse
-pdfjs-editor-resizer-label-bottom-left = Nederste venstre hjørne – endre størrelse
-pdfjs-editor-resizer-label-middle-left = Midt til venstre — endre størrelse
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Uthevingsfarge
-pdfjs-editor-colorpicker-button =
- .title = Endre farge
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Fargevalg
-pdfjs-editor-colorpicker-yellow =
- .title = Gul
-pdfjs-editor-colorpicker-green =
- .title = Grønn
-pdfjs-editor-colorpicker-blue =
- .title = Blå
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Rød
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Vis alle
-pdfjs-editor-highlight-show-all-button =
- .title = Vis alle
diff --git a/static/pdf.js/locale/nb-NO/viewer.properties b/static/pdf.js/locale/nb-NO/viewer.properties
new file mode 100644
index 00000000..13d3670e
--- /dev/null
+++ b/static/pdf.js/locale/nb-NO/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Forrige side
+previous_label=Forrige
+next.title=Neste side
+next_label=Neste
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Side:
+page_of=av {{pageCount}}
+
+zoom_out.title=Zoom ut
+zoom_out_label=Zoom ut
+zoom_in.title=Zoom inn
+zoom_in_label=Zoom inn
+zoom.title=Zoom
+presentation_mode.title=Bytt til presentasjonsmodus
+presentation_mode_label=Presentasjonsmodus
+open_file.title=Åpne fil
+open_file_label=Åpne
+print.title=Skriv ut
+print_label=Skriv ut
+download.title=Last ned
+download_label=Last ned
+bookmark.title=Nåværende visning (kopier eller åpne i et nytt vindu)
+bookmark_label=Nåværende visning
+
+# Secondary toolbar and context menu
+tools.title=Verktøy
+tools_label=Verktøy
+first_page.title=Gå til første side
+first_page.label=Gå til første side
+first_page_label=Gå til første side
+last_page.title=Gå til siste side
+last_page.label=Gå til siste side
+last_page_label=Gå til siste side
+page_rotate_cw.title=Roter med klokken
+page_rotate_cw.label=Roter med klokken
+page_rotate_cw_label=Roter med klokken
+page_rotate_ccw.title=Roter mot klokken
+page_rotate_ccw.label=Roter mot klokken
+page_rotate_ccw_label=Roter mot klokken
+
+hand_tool_enable.title=Slå på hånd-verktøy
+hand_tool_enable_label=Slå på hånd-verktøy
+hand_tool_disable.title=Slå av hånd-verktøy
+hand_tool_disable_label=Slå av hånd-verktøy
+
+# Document properties dialog box
+document_properties.title=Dokumentegenskaper …
+document_properties_label=Dokumentegenskaper …
+document_properties_file_name=Filnavn:
+document_properties_file_size=Filstørrelse:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Dokumentegenskaper …
+document_properties_author=Forfatter:
+document_properties_subject=Emne:
+document_properties_keywords=Nøkkelord:
+document_properties_creation_date=Opprettet dato:
+document_properties_modification_date=Endret dato:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Opprettet av:
+document_properties_producer=PDF-verktøy:
+document_properties_version=PDF-versjon:
+document_properties_page_count=Sideantall:
+document_properties_close=Lukk
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Slå av/på sidestolpe
+toggle_sidebar_label=Slå av/på sidestolpe
+outline.title=Vis dokumentdisposisjon
+outline_label=Dokumentdisposisjon
+attachments.title=Vis vedlegg
+attachments_label=Vedlegg
+thumbs.title=Vis miniatyrbilde
+thumbs_label=Miniatyrbilde
+findbar.title=Finn i dokumentet
+findbar_label=Finn
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Side {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatyrbilde av side {{page}}
+
+# Find panel button title and messages
+find_label=Finn:
+find_previous.title=Finn forrige forekomst av frasen
+find_previous_label=Forrige
+find_next.title=Finn neste forekomst av frasen
+find_next_label=Neste
+find_highlight=Uthev alle
+find_match_case_label=Skill store/små bokstaver
+find_reached_top=Nådde toppen av dokumentet, fortsetter fra bunnen
+find_reached_bottom=Nådde bunnen av dokumentet, fortsetter fra toppen
+find_not_found=Fant ikke teksten
+
+# Error panel labels
+error_more_info=Mer info
+error_less_info=Mindre info
+error_close=Lukk
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (bygg: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Melding: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stakk: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linje: {{line}}
+rendering_error=En feil oppstod ved opptegning av siden.
+
+# Predefined zoom values
+page_scale_width=Sidebredde
+page_scale_fit=Tilpass til siden
+page_scale_auto=Automatisk zoom
+page_scale_actual=Virkelig størrelse
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}} %
+
+# Loading indicator messages
+loading_error_indicator=Feil
+loading_error=En feil oppstod ved lasting av PDF.
+invalid_file_error=Ugyldig eller skadet PDF-fil.
+missing_file_error=Manglende PDF-fil.
+unexpected_response_error=Uventet serverrespons.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} annotasjon]
+password_label=Skriv inn passordet for å åpne denne PDF-filen.
+password_invalid=Ugyldig passord. Prøv igjen.
+password_ok=OK
+password_cancel=Avbryt
+
+printing_not_supported=Advarsel: Utskrift er ikke fullstendig støttet av denne nettleseren.
+printing_not_ready=Advarsel: PDF er ikke fullstendig innlastet for utskrift.
+web_fonts_disabled=Web-fonter er avslått: Kan ikke bruke innbundne PDF-fonter.
+document_colors_not_allowed=PDF-dokumenter tillates ikke å bruke deres egne farger: 'Tillat sider å velge egne farger' er deaktivert i nettleseren.
diff --git a/static/pdf.js/locale/ne-NP/viewer.ftl b/static/pdf.js/locale/ne-NP/viewer.ftl
deleted file mode 100644
index 65193b6e..00000000
--- a/static/pdf.js/locale/ne-NP/viewer.ftl
+++ /dev/null
@@ -1,234 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = अघिल्लो पृष्ठ
-pdfjs-previous-button-label = अघिल्लो
-pdfjs-next-button =
- .title = पछिल्लो पृष्ठ
-pdfjs-next-button-label = पछिल्लो
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = पृष्ठ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } मध्ये
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pagesCount } को { $pageNumber })
-pdfjs-zoom-out-button =
- .title = जुम घटाउनुहोस्
-pdfjs-zoom-out-button-label = जुम घटाउनुहोस्
-pdfjs-zoom-in-button =
- .title = जुम बढाउनुहोस्
-pdfjs-zoom-in-button-label = जुम बढाउनुहोस्
-pdfjs-zoom-select =
- .title = जुम गर्नुहोस्
-pdfjs-presentation-mode-button =
- .title = प्रस्तुति मोडमा जानुहोस्
-pdfjs-presentation-mode-button-label = प्रस्तुति मोड
-pdfjs-open-file-button =
- .title = फाइल खोल्नुहोस्
-pdfjs-open-file-button-label = खोल्नुहोस्
-pdfjs-print-button =
- .title = मुद्रण गर्नुहोस्
-pdfjs-print-button-label = मुद्रण गर्नुहोस्
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = औजारहरू
-pdfjs-tools-button-label = औजारहरू
-pdfjs-first-page-button =
- .title = पहिलो पृष्ठमा जानुहोस्
-pdfjs-first-page-button-label = पहिलो पृष्ठमा जानुहोस्
-pdfjs-last-page-button =
- .title = पछिल्लो पृष्ठमा जानुहोस्
-pdfjs-last-page-button-label = पछिल्लो पृष्ठमा जानुहोस्
-pdfjs-page-rotate-cw-button =
- .title = घडीको दिशामा घुमाउनुहोस्
-pdfjs-page-rotate-cw-button-label = घडीको दिशामा घुमाउनुहोस्
-pdfjs-page-rotate-ccw-button =
- .title = घडीको विपरित दिशामा घुमाउनुहोस्
-pdfjs-page-rotate-ccw-button-label = घडीको विपरित दिशामा घुमाउनुहोस्
-pdfjs-cursor-text-select-tool-button =
- .title = पाठ चयन उपकरण सक्षम गर्नुहोस्
-pdfjs-cursor-text-select-tool-button-label = पाठ चयन उपकरण
-pdfjs-cursor-hand-tool-button =
- .title = हाते उपकरण सक्षम गर्नुहोस्
-pdfjs-cursor-hand-tool-button-label = हाते उपकरण
-pdfjs-scroll-vertical-button =
- .title = ठाडो स्क्रोलिङ्ग प्रयोग गर्नुहोस्
-pdfjs-scroll-vertical-button-label = ठाडो स्क्र्रोलिङ्ग
-pdfjs-scroll-horizontal-button =
- .title = तेर्सो स्क्रोलिङ्ग प्रयोग गर्नुहोस्
-pdfjs-scroll-horizontal-button-label = तेर्सो स्क्रोलिङ्ग
-pdfjs-scroll-wrapped-button =
- .title = लिपि स्क्रोलिङ्ग प्रयोग गर्नुहोस्
-pdfjs-scroll-wrapped-button-label = लिपि स्क्रोलिङ्ग
-pdfjs-spread-none-button =
- .title = पृष्ठ स्प्रेडमा सामेल हुनुहुन्न
-pdfjs-spread-none-button-label = स्प्रेड छैन
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = कागजात विशेषताहरू...
-pdfjs-document-properties-button-label = कागजात विशेषताहरू...
-pdfjs-document-properties-file-name = फाइल नाम:
-pdfjs-document-properties-file-size = फाइल आकार:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = शीर्षक:
-pdfjs-document-properties-author = लेखक:
-pdfjs-document-properties-subject = विषयः
-pdfjs-document-properties-keywords = शब्दकुञ्जीः
-pdfjs-document-properties-creation-date = सिर्जना गरिएको मिति:
-pdfjs-document-properties-modification-date = परिमार्जित मिति:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = सर्जक:
-pdfjs-document-properties-producer = PDF निर्माता:
-pdfjs-document-properties-version = PDF संस्करण
-pdfjs-document-properties-page-count = पृष्ठ गणना:
-pdfjs-document-properties-page-size = पृष्ठ आकार:
-pdfjs-document-properties-page-size-unit-inches = इन्च
-pdfjs-document-properties-page-size-unit-millimeters = मि.मि.
-pdfjs-document-properties-page-size-orientation-portrait = पोट्रेट
-pdfjs-document-properties-page-size-orientation-landscape = परिदृश्य
-pdfjs-document-properties-page-size-name-letter = अक्षर
-pdfjs-document-properties-page-size-name-legal = कानूनी
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-linearized-yes = हो
-pdfjs-document-properties-linearized-no = होइन
-pdfjs-document-properties-close-button = बन्द गर्नुहोस्
-
-## Print
-
-pdfjs-print-progress-message = मुद्रणका लागि कागजात तयारी गरिदै…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = रद्द गर्नुहोस्
-pdfjs-printing-not-supported = चेतावनी: यो ब्राउजरमा मुद्रण पूर्णतया समर्थित छैन।
-pdfjs-printing-not-ready = चेतावनी: PDF मुद्रणका लागि पूर्णतया लोड भएको छैन।
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = टगल साइडबार
-pdfjs-toggle-sidebar-button-label = टगल साइडबार
-pdfjs-document-outline-button =
- .title = कागजातको रूपरेखा देखाउनुहोस् (सबै वस्तुहरू विस्तार/पतन गर्न डबल-क्लिक गर्नुहोस्)
-pdfjs-document-outline-button-label = दस्तावेजको रूपरेखा
-pdfjs-attachments-button =
- .title = संलग्नहरू देखाउनुहोस्
-pdfjs-attachments-button-label = संलग्नकहरू
-pdfjs-thumbs-button =
- .title = थम्बनेलहरू देखाउनुहोस्
-pdfjs-thumbs-button-label = थम्बनेलहरू
-pdfjs-findbar-button =
- .title = कागजातमा फेला पार्नुहोस्
-pdfjs-findbar-button-label = फेला पार्नुहोस्
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = पृष्ठ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } पृष्ठको थम्बनेल
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = फेला पार्नुहोस्
- .placeholder = कागजातमा फेला पार्नुहोस्…
-pdfjs-find-previous-button =
- .title = यस वाक्यांशको अघिल्लो घटना फेला पार्नुहोस्
-pdfjs-find-previous-button-label = अघिल्लो
-pdfjs-find-next-button =
- .title = यस वाक्यांशको पछिल्लो घटना फेला पार्नुहोस्
-pdfjs-find-next-button-label = अर्को
-pdfjs-find-highlight-checkbox = सबै हाइलाइट गर्ने
-pdfjs-find-match-case-checkbox-label = केस जोडा मिलाउनुहोस्
-pdfjs-find-entire-word-checkbox-label = पुरा शब्दहरु
-pdfjs-find-reached-top = पृष्ठको शिर्षमा पुगीयो, तलबाट जारी गरिएको थियो
-pdfjs-find-reached-bottom = पृष्ठको अन्त्यमा पुगीयो, शिर्षबाट जारी गरिएको थियो
-pdfjs-find-not-found = वाक्यांश फेला परेन
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = पृष्ठ चौडाइ
-pdfjs-page-scale-fit = पृष्ठ ठिक्क मिल्ने
-pdfjs-page-scale-auto = स्वचालित जुम
-pdfjs-page-scale-actual = वास्तविक आकार
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = यो PDF लोड गर्दा एउटा त्रुटि देखापर्यो।
-pdfjs-invalid-file-error = अवैध वा दुषित PDF फाइल।
-pdfjs-missing-file-error = हराईरहेको PDF फाइल।
-pdfjs-unexpected-response-error = अप्रत्याशित सर्भर प्रतिक्रिया।
-pdfjs-rendering-error = पृष्ठ प्रतिपादन गर्दा एउटा त्रुटि देखापर्यो।
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = यस PDF फाइललाई खोल्न गोप्यशब्द प्रविष्ट गर्नुहोस्।
-pdfjs-password-invalid = अवैध गोप्यशब्द। पुनः प्रयास गर्नुहोस्।
-pdfjs-password-ok-button = ठिक छ
-pdfjs-password-cancel-button = रद्द गर्नुहोस्
-pdfjs-web-fonts-disabled = वेब फन्ट असक्षम छन्: एम्बेडेड PDF फन्ट प्रयोग गर्न असमर्थ।
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/nl/viewer.ftl b/static/pdf.js/locale/nl/viewer.ftl
deleted file mode 100644
index a1dd47d3..00000000
--- a/static/pdf.js/locale/nl/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Vorige pagina
-pdfjs-previous-button-label = Vorige
-pdfjs-next-button =
- .title = Volgende pagina
-pdfjs-next-button-label = Volgende
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = van { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } van { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Uitzoomen
-pdfjs-zoom-out-button-label = Uitzoomen
-pdfjs-zoom-in-button =
- .title = Inzoomen
-pdfjs-zoom-in-button-label = Inzoomen
-pdfjs-zoom-select =
- .title = Zoomen
-pdfjs-presentation-mode-button =
- .title = Wisselen naar presentatiemodus
-pdfjs-presentation-mode-button-label = Presentatiemodus
-pdfjs-open-file-button =
- .title = Bestand openen
-pdfjs-open-file-button-label = Openen
-pdfjs-print-button =
- .title = Afdrukken
-pdfjs-print-button-label = Afdrukken
-pdfjs-save-button =
- .title = Opslaan
-pdfjs-save-button-label = Opslaan
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Downloaden
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Downloaden
-pdfjs-bookmark-button =
- .title = Huidige pagina (URL van huidige pagina bekijken)
-pdfjs-bookmark-button-label = Huidige pagina
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Openen in app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Openen in app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Hulpmiddelen
-pdfjs-tools-button-label = Hulpmiddelen
-pdfjs-first-page-button =
- .title = Naar eerste pagina gaan
-pdfjs-first-page-button-label = Naar eerste pagina gaan
-pdfjs-last-page-button =
- .title = Naar laatste pagina gaan
-pdfjs-last-page-button-label = Naar laatste pagina gaan
-pdfjs-page-rotate-cw-button =
- .title = Rechtsom draaien
-pdfjs-page-rotate-cw-button-label = Rechtsom draaien
-pdfjs-page-rotate-ccw-button =
- .title = Linksom draaien
-pdfjs-page-rotate-ccw-button-label = Linksom draaien
-pdfjs-cursor-text-select-tool-button =
- .title = Tekstselectiehulpmiddel inschakelen
-pdfjs-cursor-text-select-tool-button-label = Tekstselectiehulpmiddel
-pdfjs-cursor-hand-tool-button =
- .title = Handhulpmiddel inschakelen
-pdfjs-cursor-hand-tool-button-label = Handhulpmiddel
-pdfjs-scroll-page-button =
- .title = Paginascrollen gebruiken
-pdfjs-scroll-page-button-label = Paginascrollen
-pdfjs-scroll-vertical-button =
- .title = Verticaal scrollen gebruiken
-pdfjs-scroll-vertical-button-label = Verticaal scrollen
-pdfjs-scroll-horizontal-button =
- .title = Horizontaal scrollen gebruiken
-pdfjs-scroll-horizontal-button-label = Horizontaal scrollen
-pdfjs-scroll-wrapped-button =
- .title = Scrollen met terugloop gebruiken
-pdfjs-scroll-wrapped-button-label = Scrollen met terugloop
-pdfjs-spread-none-button =
- .title = Dubbele pagina’s niet samenvoegen
-pdfjs-spread-none-button-label = Geen dubbele pagina’s
-pdfjs-spread-odd-button =
- .title = Dubbele pagina’s samenvoegen vanaf oneven pagina’s
-pdfjs-spread-odd-button-label = Oneven dubbele pagina’s
-pdfjs-spread-even-button =
- .title = Dubbele pagina’s samenvoegen vanaf even pagina’s
-pdfjs-spread-even-button-label = Even dubbele pagina’s
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Documenteigenschappen…
-pdfjs-document-properties-button-label = Documenteigenschappen…
-pdfjs-document-properties-file-name = Bestandsnaam:
-pdfjs-document-properties-file-size = Bestandsgrootte:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Auteur:
-pdfjs-document-properties-subject = Onderwerp:
-pdfjs-document-properties-keywords = Sleutelwoorden:
-pdfjs-document-properties-creation-date = Aanmaakdatum:
-pdfjs-document-properties-modification-date = Wijzigingsdatum:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Maker:
-pdfjs-document-properties-producer = PDF-producent:
-pdfjs-document-properties-version = PDF-versie:
-pdfjs-document-properties-page-count = Aantal pagina’s:
-pdfjs-document-properties-page-size = Paginagrootte:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = staand
-pdfjs-document-properties-page-size-orientation-landscape = liggend
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Snelle webweergave:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nee
-pdfjs-document-properties-close-button = Sluiten
-
-## Print
-
-pdfjs-print-progress-message = Document voorbereiden voor afdrukken…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Annuleren
-pdfjs-printing-not-supported = Waarschuwing: afdrukken wordt niet volledig ondersteund door deze browser.
-pdfjs-printing-not-ready = Waarschuwing: de PDF is niet volledig geladen voor afdrukken.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Zijbalk in-/uitschakelen
-pdfjs-toggle-sidebar-notification-button =
- .title = Zijbalk in-/uitschakelen (document bevat overzicht/bijlagen/lagen)
-pdfjs-toggle-sidebar-button-label = Zijbalk in-/uitschakelen
-pdfjs-document-outline-button =
- .title = Documentoverzicht tonen (dubbelklik om alle items uit/samen te vouwen)
-pdfjs-document-outline-button-label = Documentoverzicht
-pdfjs-attachments-button =
- .title = Bijlagen tonen
-pdfjs-attachments-button-label = Bijlagen
-pdfjs-layers-button =
- .title = Lagen tonen (dubbelklik om alle lagen naar de standaardstatus terug te zetten)
-pdfjs-layers-button-label = Lagen
-pdfjs-thumbs-button =
- .title = Miniaturen tonen
-pdfjs-thumbs-button-label = Miniaturen
-pdfjs-current-outline-item-button =
- .title = Huidig item in inhoudsopgave zoeken
-pdfjs-current-outline-item-button-label = Huidig item in inhoudsopgave
-pdfjs-findbar-button =
- .title = Zoeken in document
-pdfjs-findbar-button-label = Zoeken
-pdfjs-additional-layers = Aanvullende lagen
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatuur van pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Zoeken
- .placeholder = Zoeken in document…
-pdfjs-find-previous-button =
- .title = De vorige overeenkomst van de tekst zoeken
-pdfjs-find-previous-button-label = Vorige
-pdfjs-find-next-button =
- .title = De volgende overeenkomst van de tekst zoeken
-pdfjs-find-next-button-label = Volgende
-pdfjs-find-highlight-checkbox = Alles markeren
-pdfjs-find-match-case-checkbox-label = Hoofdlettergevoelig
-pdfjs-find-match-diacritics-checkbox-label = Diakritische tekens gebruiken
-pdfjs-find-entire-word-checkbox-label = Hele woorden
-pdfjs-find-reached-top = Bovenkant van document bereikt, doorgegaan vanaf onderkant
-pdfjs-find-reached-bottom = Onderkant van document bereikt, doorgegaan vanaf bovenkant
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } van { $total } overeenkomst
- *[other] { $current } van { $total } overeenkomsten
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Meer dan { $limit } overeenkomst
- *[other] Meer dan { $limit } overeenkomsten
- }
-pdfjs-find-not-found = Tekst niet gevonden
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Paginabreedte
-pdfjs-page-scale-fit = Hele pagina
-pdfjs-page-scale-auto = Automatisch zoomen
-pdfjs-page-scale-actual = Werkelijke grootte
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Er is een fout opgetreden bij het laden van de PDF.
-pdfjs-invalid-file-error = Ongeldig of beschadigd PDF-bestand.
-pdfjs-missing-file-error = PDF-bestand ontbreekt.
-pdfjs-unexpected-response-error = Onverwacht serverantwoord.
-pdfjs-rendering-error = Er is een fout opgetreden bij het weergeven van de pagina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-aantekening]
-
-## Password
-
-pdfjs-password-label = Voer het wachtwoord in om dit PDF-bestand te openen.
-pdfjs-password-invalid = Ongeldig wachtwoord. Probeer het opnieuw.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Annuleren
-pdfjs-web-fonts-disabled = Weblettertypen zijn uitgeschakeld: gebruik van ingebedde PDF-lettertypen is niet mogelijk.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Tekenen
-pdfjs-editor-ink-button-label = Tekenen
-pdfjs-editor-stamp-button =
- .title = Afbeeldingen toevoegen of bewerken
-pdfjs-editor-stamp-button-label = Afbeeldingen toevoegen of bewerken
-pdfjs-editor-highlight-button =
- .title = Markeren
-pdfjs-editor-highlight-button-label = Markeren
-pdfjs-highlight-floating-button =
- .title = Markeren
-pdfjs-highlight-floating-button1 =
- .title = Markeren
- .aria-label = Markeren
-pdfjs-highlight-floating-button-label = Markeren
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Tekening verwijderen
-pdfjs-editor-remove-freetext-button =
- .title = Tekst verwijderen
-pdfjs-editor-remove-stamp-button =
- .title = Afbeelding verwijderen
-pdfjs-editor-remove-highlight-button =
- .title = Markering verwijderen
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Kleur
-pdfjs-editor-free-text-size-input = Grootte
-pdfjs-editor-ink-color-input = Kleur
-pdfjs-editor-ink-thickness-input = Dikte
-pdfjs-editor-ink-opacity-input = Opaciteit
-pdfjs-editor-stamp-add-image-button =
- .title = Afbeelding toevoegen
-pdfjs-editor-stamp-add-image-button-label = Afbeelding toevoegen
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Dikte
-pdfjs-editor-free-highlight-thickness-title =
- .title = Dikte wijzigen bij accentuering van andere items dan tekst
-pdfjs-free-text =
- .aria-label = Tekstbewerker
-pdfjs-free-text-default-content = Begin met typen…
-pdfjs-ink =
- .aria-label = Tekeningbewerker
-pdfjs-ink-canvas =
- .aria-label = Door gebruiker gemaakte afbeelding
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatieve tekst
-pdfjs-editor-alt-text-edit-button-label = Alternatieve tekst bewerken
-pdfjs-editor-alt-text-dialog-label = Kies een optie
-pdfjs-editor-alt-text-dialog-description = Alternatieve tekst helpt wanneer mensen de afbeelding niet kunnen zien of wanneer deze niet wordt geladen.
-pdfjs-editor-alt-text-add-description-label = Voeg een beschrijving toe
-pdfjs-editor-alt-text-add-description-description = Streef naar 1-2 zinnen die het onderwerp, de omgeving of de acties beschrijven.
-pdfjs-editor-alt-text-mark-decorative-label = Als decoratief markeren
-pdfjs-editor-alt-text-mark-decorative-description = Dit wordt gebruikt voor sierafbeeldingen, zoals randen of watermerken.
-pdfjs-editor-alt-text-cancel-button = Annuleren
-pdfjs-editor-alt-text-save-button = Opslaan
-pdfjs-editor-alt-text-decorative-tooltip = Als decoratief gemarkeerd
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Bijvoorbeeld: ‘Een jonge man gaat aan een tafel zitten om te eten’
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Linkerbovenhoek – formaat wijzigen
-pdfjs-editor-resizer-label-top-middle = Midden boven – formaat wijzigen
-pdfjs-editor-resizer-label-top-right = Rechterbovenhoek – formaat wijzigen
-pdfjs-editor-resizer-label-middle-right = Midden rechts – formaat wijzigen
-pdfjs-editor-resizer-label-bottom-right = Rechterbenedenhoek – formaat wijzigen
-pdfjs-editor-resizer-label-bottom-middle = Midden onder – formaat wijzigen
-pdfjs-editor-resizer-label-bottom-left = Linkerbenedenhoek – formaat wijzigen
-pdfjs-editor-resizer-label-middle-left = Links midden – formaat wijzigen
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Markeringskleur
-pdfjs-editor-colorpicker-button =
- .title = Kleur wijzigen
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Kleurkeuzes
-pdfjs-editor-colorpicker-yellow =
- .title = Geel
-pdfjs-editor-colorpicker-green =
- .title = Groen
-pdfjs-editor-colorpicker-blue =
- .title = Blauw
-pdfjs-editor-colorpicker-pink =
- .title = Roze
-pdfjs-editor-colorpicker-red =
- .title = Rood
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Alles tonen
-pdfjs-editor-highlight-show-all-button =
- .title = Alles tonen
diff --git a/static/pdf.js/locale/nl/viewer.properties b/static/pdf.js/locale/nl/viewer.properties
new file mode 100644
index 00000000..1481904f
--- /dev/null
+++ b/static/pdf.js/locale/nl/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Vorige pagina
+previous_label=Vorige
+next.title=Volgende pagina
+next_label=Volgende
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pagina:
+page_of=van {{pageCount}}
+
+zoom_out.title=Uitzoomen
+zoom_out_label=Uitzoomen
+zoom_in.title=Inzoomen
+zoom_in_label=Inzoomen
+zoom.title=Zoomen
+presentation_mode.title=Wisselen naar presentatiemodus
+presentation_mode_label=Presentatiemodus
+open_file.title=Bestand openen
+open_file_label=Openen
+print.title=Afdrukken
+print_label=Afdrukken
+download.title=Downloaden
+download_label=Downloaden
+bookmark.title=Huidige weergave (kopiëren of openen in nieuw venster)
+bookmark_label=Huidige weergave
+
+# Secondary toolbar and context menu
+tools.title=Hulpmiddelen
+tools_label=Hulpmiddelen
+first_page.title=Naar eerste pagina gaan
+first_page.label=Naar eerste pagina gaan
+first_page_label=Naar eerste pagina gaan
+last_page.title=Naar laatste pagina gaan
+last_page.label=Naar laatste pagina gaan
+last_page_label=Naar laatste pagina gaan
+page_rotate_cw.title=Rechtsom draaien
+page_rotate_cw.label=Rechtsom draaien
+page_rotate_cw_label=Rechtsom draaien
+page_rotate_ccw.title=Linksom draaien
+page_rotate_ccw.label=Linksom draaien
+page_rotate_ccw_label=Linksom draaien
+
+hand_tool_enable.title=Handhulpmiddel inschakelen
+hand_tool_enable_label=Handhulpmiddel inschakelen
+hand_tool_disable.title=Handhulpmiddel uitschakelen
+hand_tool_disable_label=Handhulpmiddel uitschakelen
+
+# Document properties dialog box
+document_properties.title=Documenteigenschappen…
+document_properties_label=Documenteigenschappen…
+document_properties_file_name=Bestandsnaam:
+document_properties_file_size=Bestandsgrootte:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titel:
+document_properties_author=Auteur:
+document_properties_subject=Onderwerp:
+document_properties_keywords=Trefwoorden:
+document_properties_creation_date=Aanmaakdatum:
+document_properties_modification_date=Wijzigingsdatum:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Auteur:
+document_properties_producer=PDF-producent:
+document_properties_version=PDF-versie:
+document_properties_page_count=Aantal pagina’s:
+document_properties_close=Sluiten
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Zijbalk in-/uitschakelen
+toggle_sidebar_label=Zijbalk in-/uitschakelen
+outline.title=Documentoverzicht tonen
+outline_label=Documentoverzicht
+attachments.title=Bijlagen tonen
+attachments_label=Bijlagen
+thumbs.title=Miniaturen tonen
+thumbs_label=Miniaturen
+findbar.title=Zoeken in document
+findbar_label=Zoeken
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pagina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatuur van pagina {{page}}
+
+# Find panel button title and messages
+find_label=Zoeken:
+find_previous.title=Het vorige voorkomen van de tekst zoeken
+find_previous_label=Vorige
+find_next.title=Het volgende voorkomen van de tekst zoeken
+find_next_label=Volgende
+find_highlight=Alles markeren
+find_match_case_label=Hoofdlettergevoelig
+find_reached_top=Bovenkant van het document bereikt, doorgegaan vanaf de onderkant
+find_reached_bottom=Onderkant van het document bereikt, doorgegaan vanaf de bovenkant
+find_not_found=Tekst niet gevonden
+
+# Error panel labels
+error_more_info=Meer informatie
+error_less_info=Minder informatie
+error_close=Sluiten
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Bericht: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Bestand: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Regel: {{line}}
+rendering_error=Er is een fout opgetreden bij het weergeven van de pagina.
+
+# Predefined zoom values
+page_scale_width=Paginabreedte
+page_scale_fit=Hele pagina
+page_scale_auto=Automatisch zoomen
+page_scale_actual=Werkelijke grootte
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fout
+loading_error=Er is een fout opgetreden bij het laden van de PDF.
+invalid_file_error=Ongeldig of beschadigd PDF-bestand.
+missing_file_error=PDF-bestand ontbreekt.
+unexpected_response_error=Onverwacht serverantwoord.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-aantekening]
+password_label=Voer het wachtwoord in om dit PDF-bestand te openen.
+password_invalid=Ongeldig wachtwoord. Probeer het opnieuw.
+password_ok=OK
+password_cancel=Annuleren
+
+printing_not_supported=Waarschuwing: afdrukken wordt niet volledig ondersteund door deze browser.
+printing_not_ready=Waarschuwing: de PDF is niet volledig geladen voor afdrukken.
+web_fonts_disabled=Weblettertypen zijn uitgeschakeld: gebruik van ingebedde PDF-lettertypen is niet mogelijk.
+document_colors_not_allowed=PDF-documenten mogen hun eigen kleuren niet gebruiken: ‘Pagina’s toestaan om hun eigen kleuren te kiezen’ is uitgeschakeld in de browser.
diff --git a/static/pdf.js/locale/nn-NO/viewer.ftl b/static/pdf.js/locale/nn-NO/viewer.ftl
deleted file mode 100644
index e32b147c..00000000
--- a/static/pdf.js/locale/nn-NO/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Føregåande side
-pdfjs-previous-button-label = Føregåande
-pdfjs-next-button =
- .title = Neste side
-pdfjs-next-button-label = Neste
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Side
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = av { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } av { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom ut
-pdfjs-zoom-out-button-label = Zoom ut
-pdfjs-zoom-in-button =
- .title = Zoom inn
-pdfjs-zoom-in-button-label = Zoom inn
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Byt til presentasjonsmodus
-pdfjs-presentation-mode-button-label = Presentasjonsmodus
-pdfjs-open-file-button =
- .title = Opne fil
-pdfjs-open-file-button-label = Opne
-pdfjs-print-button =
- .title = Skriv ut
-pdfjs-print-button-label = Skriv ut
-pdfjs-save-button =
- .title = Lagre
-pdfjs-save-button-label = Lagre
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Last ned
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Last ned
-pdfjs-bookmark-button =
- .title = Gjeldande side (sjå URL frå gjeldande side)
-pdfjs-bookmark-button-label = Gjeldande side
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Verktøy
-pdfjs-tools-button-label = Verktøy
-pdfjs-first-page-button =
- .title = Gå til første side
-pdfjs-first-page-button-label = Gå til første side
-pdfjs-last-page-button =
- .title = Gå til siste side
-pdfjs-last-page-button-label = Gå til siste side
-pdfjs-page-rotate-cw-button =
- .title = Roter med klokka
-pdfjs-page-rotate-cw-button-label = Roter med klokka
-pdfjs-page-rotate-ccw-button =
- .title = Roter mot klokka
-pdfjs-page-rotate-ccw-button-label = Roter mot klokka
-pdfjs-cursor-text-select-tool-button =
- .title = Aktiver tekstmarkeringsverktøy
-pdfjs-cursor-text-select-tool-button-label = Tekstmarkeringsverktøy
-pdfjs-cursor-hand-tool-button =
- .title = Aktiver handverktøy
-pdfjs-cursor-hand-tool-button-label = Handverktøy
-pdfjs-scroll-page-button =
- .title = Bruk siderulling
-pdfjs-scroll-page-button-label = Siderulling
-pdfjs-scroll-vertical-button =
- .title = Bruk vertikal rulling
-pdfjs-scroll-vertical-button-label = Vertikal rulling
-pdfjs-scroll-horizontal-button =
- .title = Bruk horisontal rulling
-pdfjs-scroll-horizontal-button-label = Horisontal rulling
-pdfjs-scroll-wrapped-button =
- .title = Bruk fleirsiderulling
-pdfjs-scroll-wrapped-button-label = Fleirsiderulling
-pdfjs-spread-none-button =
- .title = Vis enkeltsider
-pdfjs-spread-none-button-label = Enkeltside
-pdfjs-spread-odd-button =
- .title = Vis oppslag med ulike sidenummer til venstre
-pdfjs-spread-odd-button-label = Oppslag med framside
-pdfjs-spread-even-button =
- .title = Vis oppslag med like sidenummmer til venstre
-pdfjs-spread-even-button-label = Oppslag utan framside
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumenteigenskapar…
-pdfjs-document-properties-button-label = Dokumenteigenskapar…
-pdfjs-document-properties-file-name = Filnamn:
-pdfjs-document-properties-file-size = Filstorleik:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Tittel:
-pdfjs-document-properties-author = Forfattar:
-pdfjs-document-properties-subject = Emne:
-pdfjs-document-properties-keywords = Stikkord:
-pdfjs-document-properties-creation-date = Dato oppretta:
-pdfjs-document-properties-modification-date = Dato endra:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Oppretta av:
-pdfjs-document-properties-producer = PDF-verktøy:
-pdfjs-document-properties-version = PDF-versjon:
-pdfjs-document-properties-page-count = Sidetal:
-pdfjs-document-properties-page-size = Sidestørrelse:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = ståande
-pdfjs-document-properties-page-size-orientation-landscape = liggande
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Brev
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Rask nettvising:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nei
-pdfjs-document-properties-close-button = Lat att
-
-## Print
-
-pdfjs-print-progress-message = Førebur dokumentet for utskrift…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Avbryt
-pdfjs-printing-not-supported = Åtvaring: Utskrift er ikkje fullstendig støtta av denne nettlesaren.
-pdfjs-printing-not-ready = Åtvaring: PDF ikkje fullstendig innlasta for utskrift.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Slå av/på sidestolpe
-pdfjs-toggle-sidebar-notification-button =
- .title = Vis/gøym sidestolpe (dokumentet inneheld oversikt/vedlegg/lag)
-pdfjs-toggle-sidebar-button-label = Slå av/på sidestolpe
-pdfjs-document-outline-button =
- .title = Vis dokumentdisposisjonen (dobbelklikk for å utvide/gøyme alle elementa)
-pdfjs-document-outline-button-label = Dokumentdisposisjon
-pdfjs-attachments-button =
- .title = Vis vedlegg
-pdfjs-attachments-button-label = Vedlegg
-pdfjs-layers-button =
- .title = Vis lag (dobbeltklikk for å tilbakestille alle lag til standardtilstand)
-pdfjs-layers-button-label = Lag
-pdfjs-thumbs-button =
- .title = Vis miniatyrbilde
-pdfjs-thumbs-button-label = Miniatyrbilde
-pdfjs-current-outline-item-button =
- .title = Finn gjeldande disposisjonselement
-pdfjs-current-outline-item-button-label = Gjeldande disposisjonselement
-pdfjs-findbar-button =
- .title = Finn i dokumentet
-pdfjs-findbar-button-label = Finn
-pdfjs-additional-layers = Ytterlegare lag
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Side { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatyrbilde av side { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Søk
- .placeholder = Søk i dokument…
-pdfjs-find-previous-button =
- .title = Finn førre førekomst av frasen
-pdfjs-find-previous-button-label = Førre
-pdfjs-find-next-button =
- .title = Finn neste førekomst av frasen
-pdfjs-find-next-button-label = Neste
-pdfjs-find-highlight-checkbox = Uthev alle
-pdfjs-find-match-case-checkbox-label = Skil store/små bokstavar
-pdfjs-find-match-diacritics-checkbox-label = Samsvar diakritiske teikn
-pdfjs-find-entire-word-checkbox-label = Heile ord
-pdfjs-find-reached-top = Nådde toppen av dokumentet, fortset frå botnen
-pdfjs-find-reached-bottom = Nådde botnen av dokumentet, fortset frå toppen
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } av { $total } treff
- *[other] { $current } av { $total } treff
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Meir enn { $limit } treff
- *[other] Meir enn { $limit } treff
- }
-pdfjs-find-not-found = Fann ikkje teksten
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sidebreidde
-pdfjs-page-scale-fit = Tilpass til sida
-pdfjs-page-scale-auto = Automatisk skalering
-pdfjs-page-scale-actual = Verkeleg storleik
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Side { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ein feil oppstod ved lasting av PDF.
-pdfjs-invalid-file-error = Ugyldig eller korrupt PDF-fil.
-pdfjs-missing-file-error = Manglande PDF-fil.
-pdfjs-unexpected-response-error = Uventa tenarrespons.
-pdfjs-rendering-error = Ein feil oppstod under vising av sida.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } annotasjon]
-
-## Password
-
-pdfjs-password-label = Skriv inn passordet for å opne denne PDF-fila.
-pdfjs-password-invalid = Ugyldig passord. Prøv på nytt.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Avbryt
-pdfjs-web-fonts-disabled = Web-skrifter er slått av: Kan ikkje bruke innbundne PDF-skrifter.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Teikne
-pdfjs-editor-ink-button-label = Teikne
-pdfjs-editor-stamp-button =
- .title = Legg til eller rediger bilde
-pdfjs-editor-stamp-button-label = Legg til eller rediger bilde
-pdfjs-editor-highlight-button =
- .title = Markere
-pdfjs-editor-highlight-button-label = Markere
-pdfjs-highlight-floating-button1 =
- .title = Markere
- .aria-label = Markere
-pdfjs-highlight-floating-button-label = Markere
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Fjern teikninga
-pdfjs-editor-remove-freetext-button =
- .title = Fjern tekst
-pdfjs-editor-remove-stamp-button =
- .title = Fjern bildet
-pdfjs-editor-remove-highlight-button =
- .title = Fjern utheving
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Farge
-pdfjs-editor-free-text-size-input = Storleik
-pdfjs-editor-ink-color-input = Farge
-pdfjs-editor-ink-thickness-input = Tjukkleik
-pdfjs-editor-ink-opacity-input = Ugjennomskinleg
-pdfjs-editor-stamp-add-image-button =
- .title = Legg til bilde
-pdfjs-editor-stamp-add-image-button-label = Legg til bilde
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tjukkleik
-pdfjs-editor-free-highlight-thickness-title =
- .title = Endre tjukn når du markerer andre element enn tekst
-pdfjs-free-text =
- .aria-label = Tekstredigering
-pdfjs-free-text-default-content = Byrje å skrive…
-pdfjs-ink =
- .aria-label = Teikneredigering
-pdfjs-ink-canvas =
- .aria-label = Brukarskapt bilde
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt-tekst
-pdfjs-editor-alt-text-edit-button-label = Rediger alt-tekst tekst
-pdfjs-editor-alt-text-dialog-label = Vel eit alternativ
-pdfjs-editor-alt-text-dialog-description = Alt-tekst (alternativ tekst) hjelper når folk ikkje kan sjå bildet eller når det ikkje vert lasta inn.
-pdfjs-editor-alt-text-add-description-label = Legg til ei skildring
-pdfjs-editor-alt-text-add-description-description = Gå etter 1-2 setninger som skildrar emnet, settinga eller handlingane.
-pdfjs-editor-alt-text-mark-decorative-label = Merk som dekorativt
-pdfjs-editor-alt-text-mark-decorative-description = Dette vert brukt til dekorative bilde, som kantlinjer eller vassmerke.
-pdfjs-editor-alt-text-cancel-button = Avbryt
-pdfjs-editor-alt-text-save-button = Lagre
-pdfjs-editor-alt-text-decorative-tooltip = Merkt som dekorativ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Til dømes, «Ein ung mann set seg ved eit bord for å ete eit måltid»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Øvste venstre hjørne – endre størrelse
-pdfjs-editor-resizer-label-top-middle = Øvst i midten — endre størrelse
-pdfjs-editor-resizer-label-top-right = Øvste høgre hjørne – endre størrelse
-pdfjs-editor-resizer-label-middle-right = Midt til høgre – endre størrelse
-pdfjs-editor-resizer-label-bottom-right = Nedste høgre hjørne – endre størrelse
-pdfjs-editor-resizer-label-bottom-middle = Nedst i midten — endre størrelse
-pdfjs-editor-resizer-label-bottom-left = Nedste venstre hjørne – endre størrelse
-pdfjs-editor-resizer-label-middle-left = Midt til venstre — endre størrelse
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Uthevingsfarge
-pdfjs-editor-colorpicker-button =
- .title = Endre farge
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Fargeval
-pdfjs-editor-colorpicker-yellow =
- .title = Gul
-pdfjs-editor-colorpicker-green =
- .title = Grøn
-pdfjs-editor-colorpicker-blue =
- .title = Blå
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Raud
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Vis alle
-pdfjs-editor-highlight-show-all-button =
- .title = Vis alle
diff --git a/static/pdf.js/locale/nn-NO/viewer.properties b/static/pdf.js/locale/nn-NO/viewer.properties
new file mode 100644
index 00000000..b3c80895
--- /dev/null
+++ b/static/pdf.js/locale/nn-NO/viewer.properties
@@ -0,0 +1,167 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Førre side
+previous_label=Førre
+next.title=Neste side
+next_label=Neste
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Side:
+page_of=av {{pageCount}}
+
+zoom_out.title=Mindre
+zoom_out_label=Mindre
+zoom_in.title=Større
+zoom_in_label=Større
+zoom.title=Skalering
+presentation_mode.title=Byt til presentasjonsmodus
+presentation_mode_label=Presentasjonsmodus
+open_file.title=Opna fil
+open_file_label=Opna
+print.title=Skriv ut
+print_label=Skriv ut
+download.title=Last ned
+download_label=Last ned
+bookmark.title=Gjeldande vising (kopier eller opna i nytt vindauge)
+bookmark_label=Gjeldande vising
+
+# Secondary toolbar and context menu
+tools.title=Verktøy
+tools_label=Verktøy
+first_page.title=Gå til fyrstesida
+first_page.label=Gå til fyrstesida
+first_page_label=Gå til fyrstesida
+last_page.title=Gå til siste side
+last_page.label=Gå til siste side
+last_page_label=Gå til siste side
+page_rotate_cw.title=Roter med klokka
+page_rotate_cw.label=Roter med klokka
+page_rotate_cw_label=Roter med klokka
+page_rotate_ccw.title=Roter mot klokka
+page_rotate_ccw.label=Roter mot klokka
+page_rotate_ccw_label=Roter mot klokka
+
+hand_tool_enable.title=Slå på handverktøy
+hand_tool_enable_label=Slå på handverktøy
+hand_tool_disable.title=Så av handverktøy
+hand_tool_disable_label=Slå av handverktøy
+
+# Document properties dialog box
+document_properties.title=Dokumenteigenskapar …
+document_properties_label=Dokumenteigenskapar …
+document_properties_file_name=Filnamn:
+document_properties_file_size=Filstorleik:
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Dokumenteigenskapar …
+document_properties_author=Forfattar:
+document_properties_subject=Emne:
+document_properties_keywords=Stikkord:
+document_properties_creation_date=Dato oppretta:
+document_properties_modification_date=Dato endra:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Oppretta av:
+document_properties_producer=PDF-verktøy:
+document_properties_version=PDF-versjon:
+document_properties_page_count=Sidetal:
+document_properties_close=Lukk
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Slå av/på sidestolpe
+toggle_sidebar_label=Slå av/på sidestolpe
+outline.title=Vis dokumentdisposisjon
+outline_label=Dokumentdisposisjon
+attachments.title=Vis vedlegg
+attachments_label=Vedlegg
+thumbs.title=Vis miniatyrbilde
+thumbs_label=Miniatyrbilde
+findbar.title=Finn i dokumentet
+findbar_label=Finn
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Side {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatyrbilde av side {{page}}
+
+# Find panel button title and messages
+find_label=Finn:
+find_previous.title=Finn tidlegare førekomst av frasen
+find_previous_label=Førre
+find_next.title=Finn neste førekomst av frasen
+find_next_label=Neste
+find_highlight=Uthev alle
+find_match_case_label=Skil store/små bokstavar
+find_reached_top=Nådde toppen av dokumentet, held fram frå botnen
+find_reached_bottom=Nådde botnen av dokumentet, held fram frå toppen
+find_not_found=Fann ikkje teksten
+
+# Error panel labels
+error_more_info=Meir info
+error_less_info=Mindre info
+error_close=Lukk
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (bygg: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Melding: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stakk: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linje: {{line}}
+rendering_error=Ein feil oppstod ved oppteikning av sida.
+
+# Predefined zoom values
+page_scale_width=Sidebreidde
+page_scale_fit=Tilpass til sida
+page_scale_auto=Automatisk skalering
+page_scale_actual=Verkeleg storleik
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Feil
+loading_error=Ein feil oppstod ved lasting av PDF.
+invalid_file_error=Ugyldig eller korrupt PDF-fil.
+missing_file_error=Manglande PDF-fil.
+unexpected_response_error=Uventa tenarrespons.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} annotasjon]
+password_label=Skriv inn passordet for å opna denne PDF-fila.
+password_invalid=Ugyldig passord. Prøv igjen.
+password_ok=OK
+password_cancel=Avbryt
+
+printing_not_supported=Åtvaring: Utskrift er ikkje fullstendig støtta av denne nettlesaren.
+printing_not_ready=Åtvaring: PDF ikkje fullstendig innlasta for utskrift.
+web_fonts_disabled=Vev-skrifter er slått av: Kan ikkje bruka innbundne PDF-skrifter.
+document_colors_disabled=PDF-dokument har ikkje løyve til å bruka eigne fargar: 'Tillat sider å velja eigne fargar' er slått av i nettlesaren.
diff --git a/static/pdf.js/locale/no/viewer.properties b/static/pdf.js/locale/no/viewer.properties
new file mode 100644
index 00000000..6c160fc7
--- /dev/null
+++ b/static/pdf.js/locale/no/viewer.properties
@@ -0,0 +1,134 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Førre Side
+previous_label=Førre
+next.title=Neste side
+next_label=Neste
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Side:
+page_of=av {{pageCount}}
+
+zoom_out.title=Zoom ut
+zoom_out_label=Zoom ut
+zoom_in.title=Zoom inn
+zoom_in_label=Zoom inn
+zoom.title=Zoom
+presentation_mode.title=Bytt til presentasjonsmodus
+presentation_mode_label=Presentasjonsmodus
+open_file.title=Opne fil
+open_file_label=Opne
+print.title=Skriv ut
+print_label=Skriv ut
+download.title=Last ned
+download_label=Last ned
+bookmark.title=Gjeldande visning (kopier eller opne i nytt vindauge)
+bookmark_label=Gjeldende visning
+
+# Secondary toolbar and context menu
+tools.title=Verktøy
+tools_label=Verktøy
+first_page.title=Gå til første side
+first_page.label=Gå til første side
+first_page_label=Gå til første side
+last_page.title=Gå til siste side
+last_page.label=Gå til siste side
+last_page_label=Gå til siste side
+page_rotate_cw.title=Roter med klokka
+page_rotate_cw.label=Roter med klokka
+page_rotate_cw_label=Roter med klokka
+page_rotate_ccw.title=Roter mot klokka
+page_rotate_ccw.label=Roter mot klokka
+page_rotate_ccw_label=Roter mot klokka
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Veksle Sidebar
+toggle_sidebar_label=Veksle Sidebar
+outline.title=Vis Document Outline
+outline_label=Document Outline
+thumbs.title=Vis miniatyrbilder
+thumbs_label=Miniatyrbilder
+findbar.title=Finne i Dokument
+findbar_label=Finn
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Side {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail av siden {{page}}
+
+# Find panel button title and messages
+find_label=Finn:
+find_previous.title=Finn tidlegare førekomst av frasa
+find_previous_label=Førre
+find_next.title=Finn neste førekomst av frasa
+find_next_label=Neste
+find_highlight=Uthev alle
+find_match_case_label=Skil store/små bokstavar
+find_reached_top=Nådde toppen av dokumentet, held fram frå botnen
+find_reached_bottom=Nådde botnen av dokumentet, held fram frå toppen
+find_not_found=Fann ikkje teksten
+
+# Error panel labels
+error_more_info=Meir info
+error_less_info=Mindre info
+error_close=Lukk
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v {{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Melding: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stakk: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linje: {{line}}
+rendering_error=Ein feil oppstod ved oppteikning av sida.
+
+# Predefined zoom values
+page_scale_width=Sidebreidde
+page_scale_fit=Tilpass til sida
+page_scale_auto=Automatisk zoom
+page_scale_actual=Verkeleg størrelse
+
+# Loading indicator messages
+loading_error_indicator=Feil
+loading_error=Ein feil oppstod ved lasting av PDF.
+invalid_file_error=Ugyldig eller korrupt PDF fil.
+missing_file_error=Manglande PDF-fil.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} annotasjon]
+request_password=PDF er beskytta av eit passord:
+invalid_password=Ugyldig passord.
+
+printing_not_supported=Åtvaring: Utskrift er ikkje fullstendig støtta av denne nettlesaren.
+printing_not_ready=Åtvaring: PDF ikkje fullstendig innlasta for utskrift.
+web_fonts_disabled=Web-fontar er avslått: Kan ikkje bruke innbundne PDF-fontar.
+document_colors_disabled=PDF-dokument har ikkje løyve til å nytte eigne fargar: \'Tillat sider å velje eigne fargar\' er slått av i nettlesaren.
diff --git a/static/pdf.js/locale/nso/viewer.properties b/static/pdf.js/locale/nso/viewer.properties
new file mode 100644
index 00000000..02cc7d85
--- /dev/null
+++ b/static/pdf.js/locale/nso/viewer.properties
@@ -0,0 +1,131 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Letlakala le fetilego
+previous_label=Fetilego
+next.title=Letlakala le latelago
+next_label=Latelago
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Letlakala:
+page_of=la {{pageCount}}
+
+zoom_out.title=Bušetša ka gare
+zoom_out_label=Bušetša ka gare
+zoom_in.title=Godišetša ka ntle
+zoom_in_label=Godišetša ka ntle
+zoom.title=Godiša
+presentation_mode.title=Fetogela go mokgwa wa tlhagišo
+presentation_mode_label=Mokgwa wa tlhagišo
+open_file.title=Bula faele
+open_file_label=Bula
+print.title=Gatiša
+print_label=Gatiša
+download.title=Laolla
+download_label=Laolla
+bookmark.title=Pono ya bjale (kopiša le go bula lefasetereng le leswa)
+bookmark_label=Tebelelo ya gona bjale
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+document_properties_file_name=Leina la faele:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Thaetlele:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Šielanya para ya ka thoko
+toggle_sidebar_label=Šielanya para ya ka thoko
+outline.title=Laetša kakaretšo ya tokumente
+outline_label=Kakaretšo ya tokumente
+thumbs.title=Laetša dikhutšofatšo
+thumbs_label=Dikhutšofatšo
+findbar.title=Hwetša go tokumente
+findbar_label=Hwetša
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Letlakala {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Khutšofatšo ya letlakala {{page}}
+
+# Find panel button title and messages
+find_label=Hwetša:
+find_previous.title=Hwetša tiragalo e fetilego ya sekafoko
+find_previous_label=Fetilego
+find_next.title=Hwetša tiragalo e latelago ya sekafoko
+find_next_label=Latelago
+find_highlight=Bonagatša tšohle
+find_match_case_label=Swantšha kheisi
+find_reached_top=Fihlile godimo ga tokumente, go tšwetšwe pele go tloga tlase
+find_reached_bottom=Fihlile mafelelong a tokumente, go tšwetšwe pele go tloga godimo
+find_not_found=Sekafoko ga sa hwetšwa
+
+# Error panel labels
+error_more_info=Tshedimošo e oketšegilego
+error_less_info=Tshedimošo ya tlasana
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Molaetša: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Mokgobo: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Faele: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Mothaladi: {{line}}
+rendering_error=Go diregile phošo ge go be go gafelwa letlakala.
+
+# Predefined zoom values
+page_scale_width=Bophara bja letlakala
+page_scale_fit=Go lekana ga letlakala
+page_scale_auto=Kgodišo ya maitirišo
+page_scale_actual=Bogolo bja kgonthe
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Phošo
+loading_error=Go diregile phošo ge go hlahlelwa PDF.
+invalid_file_error=Faele ye e sa šomego goba e senyegilego ya PDF.
+missing_file_error=Faele yeo e sego gona ya PDF.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Tlhaloso]
+password_ok=LOKILE
+password_cancel=Khansela
+
+printing_not_supported=Temošo: Go gatiša ga go thekgwe ke praosara ye ka botlalo.
+printing_not_ready=Temošo: PDF ga ya hlahlelwa ka botlalo bakeng sa go gatišwa.
+web_fonts_disabled=Difonte tša wepe di šitišitšwe: ga e kgone go diriša difonte tša PDF tše khutišitšwego.
diff --git a/static/pdf.js/locale/oc/viewer.ftl b/static/pdf.js/locale/oc/viewer.ftl
deleted file mode 100644
index 68889798..00000000
--- a/static/pdf.js/locale/oc/viewer.ftl
+++ /dev/null
@@ -1,354 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina precedenta
-pdfjs-previous-button-label = Precedent
-pdfjs-next-button =
- .title = Pagina seguenta
-pdfjs-next-button-label = Seguent
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = sus { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom arrièr
-pdfjs-zoom-out-button-label = Zoom arrièr
-pdfjs-zoom-in-button =
- .title = Zoom avant
-pdfjs-zoom-in-button-label = Zoom avant
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Bascular en mòde presentacion
-pdfjs-presentation-mode-button-label = Mòde Presentacion
-pdfjs-open-file-button =
- .title = Dobrir lo fichièr
-pdfjs-open-file-button-label = Dobrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Enregistrar
-pdfjs-save-button-label = Enregistrar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Telecargar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Telecargar
-pdfjs-bookmark-button =
- .title = Pagina actuala (mostrar l’adreça de la pagina actuala)
-pdfjs-bookmark-button-label = Pagina actuala
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Dobrir amb l’aplicacion
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Dobrir amb l’aplicacion
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Aisinas
-pdfjs-tools-button-label = Aisinas
-pdfjs-first-page-button =
- .title = Anar a la primièra pagina
-pdfjs-first-page-button-label = Anar a la primièra pagina
-pdfjs-last-page-button =
- .title = Anar a la darrièra pagina
-pdfjs-last-page-button-label = Anar a la darrièra pagina
-pdfjs-page-rotate-cw-button =
- .title = Rotacion orària
-pdfjs-page-rotate-cw-button-label = Rotacion orària
-pdfjs-page-rotate-ccw-button =
- .title = Rotacion antiorària
-pdfjs-page-rotate-ccw-button-label = Rotacion antiorària
-pdfjs-cursor-text-select-tool-button =
- .title = Activar l'aisina de seleccion de tèxte
-pdfjs-cursor-text-select-tool-button-label = Aisina de seleccion de tèxte
-pdfjs-cursor-hand-tool-button =
- .title = Activar l’aisina man
-pdfjs-cursor-hand-tool-button-label = Aisina man
-pdfjs-scroll-page-button =
- .title = Activar lo defilament per pagina
-pdfjs-scroll-page-button-label = Defilament per pagina
-pdfjs-scroll-vertical-button =
- .title = Utilizar lo defilament vertical
-pdfjs-scroll-vertical-button-label = Defilament vertical
-pdfjs-scroll-horizontal-button =
- .title = Utilizar lo defilament orizontal
-pdfjs-scroll-horizontal-button-label = Defilament orizontal
-pdfjs-scroll-wrapped-button =
- .title = Activar lo defilament continú
-pdfjs-scroll-wrapped-button-label = Defilament continú
-pdfjs-spread-none-button =
- .title = Agropar pas las paginas doas a doas
-pdfjs-spread-none-button-label = Una sola pagina
-pdfjs-spread-odd-button =
- .title = Mostrar doas paginas en començant per las paginas imparas a esquèrra
-pdfjs-spread-odd-button-label = Dobla pagina, impara a drecha
-pdfjs-spread-even-button =
- .title = Mostrar doas paginas en començant per las paginas paras a esquèrra
-pdfjs-spread-even-button-label = Dobla pagina, para a drecha
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Proprietats del document…
-pdfjs-document-properties-button-label = Proprietats del document…
-pdfjs-document-properties-file-name = Nom del fichièr :
-pdfjs-document-properties-file-size = Talha del fichièr :
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } Ko ({ $size_b } octets)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } Mo ({ $size_b } octets)
-pdfjs-document-properties-title = Títol :
-pdfjs-document-properties-author = Autor :
-pdfjs-document-properties-subject = Subjècte :
-pdfjs-document-properties-keywords = Mots claus :
-pdfjs-document-properties-creation-date = Data de creacion :
-pdfjs-document-properties-modification-date = Data de modificacion :
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, a { $time }
-pdfjs-document-properties-creator = Creator :
-pdfjs-document-properties-producer = Aisina de conversion PDF :
-pdfjs-document-properties-version = Version PDF :
-pdfjs-document-properties-page-count = Nombre de paginas :
-pdfjs-document-properties-page-size = Talha de la pagina :
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = retrach
-pdfjs-document-properties-page-size-orientation-landscape = païsatge
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letra
-pdfjs-document-properties-page-size-name-legal = Document juridic
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web rapida :
-pdfjs-document-properties-linearized-yes = Òc
-pdfjs-document-properties-linearized-no = Non
-pdfjs-document-properties-close-button = Tampar
-
-## Print
-
-pdfjs-print-progress-message = Preparacion del document per l’impression…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Anullar
-pdfjs-printing-not-supported = Atencion : l'impression es pas complètament gerida per aqueste navegador.
-pdfjs-printing-not-ready = Atencion : lo PDF es pas entièrament cargat per lo poder imprimir.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Afichar/amagar lo panèl lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Afichar/amagar lo panèl lateral (lo document conten esquèmas/pèças juntas/calques)
-pdfjs-toggle-sidebar-button-label = Afichar/amagar lo panèl lateral
-pdfjs-document-outline-button =
- .title = Mostrar los esquèmas del document (dobleclicar per espandre/reduire totes los elements)
-pdfjs-document-outline-button-label = Marcapaginas del document
-pdfjs-attachments-button =
- .title = Visualizar las pèças juntas
-pdfjs-attachments-button-label = Pèças juntas
-pdfjs-layers-button =
- .title = Afichar los calques (doble-clicar per reïnicializar totes los calques a l’estat per defaut)
-pdfjs-layers-button-label = Calques
-pdfjs-thumbs-button =
- .title = Afichar las vinhetas
-pdfjs-thumbs-button-label = Vinhetas
-pdfjs-current-outline-item-button =
- .title = Trobar l’element de plan actual
-pdfjs-current-outline-item-button-label = Element de plan actual
-pdfjs-findbar-button =
- .title = Cercar dins lo document
-pdfjs-findbar-button-label = Recercar
-pdfjs-additional-layers = Calques suplementaris
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Vinheta de la pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Recercar
- .placeholder = Cercar dins lo document…
-pdfjs-find-previous-button =
- .title = Tròba l'ocurréncia precedenta de la frasa
-pdfjs-find-previous-button-label = Precedent
-pdfjs-find-next-button =
- .title = Tròba l'ocurréncia venenta de la frasa
-pdfjs-find-next-button-label = Seguent
-pdfjs-find-highlight-checkbox = Suslinhar tot
-pdfjs-find-match-case-checkbox-label = Respectar la cassa
-pdfjs-find-match-diacritics-checkbox-label = Respectar los diacritics
-pdfjs-find-entire-word-checkbox-label = Mots entièrs
-pdfjs-find-reached-top = Naut de la pagina atenh, perseguida del bas
-pdfjs-find-reached-bottom = Bas de la pagina atench, perseguida al començament
-pdfjs-find-not-found = Frasa pas trobada
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Largor plena
-pdfjs-page-scale-fit = Pagina entièra
-pdfjs-page-scale-auto = Zoom automatic
-pdfjs-page-scale-actual = Talha vertadièra
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Una error s'es producha pendent lo cargament del fichièr PDF.
-pdfjs-invalid-file-error = Fichièr PDF invalid o corromput.
-pdfjs-missing-file-error = Fichièr PDF mancant.
-pdfjs-unexpected-response-error = Responsa de servidor imprevista.
-pdfjs-rendering-error = Una error s'es producha pendent l'afichatge de la pagina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } a { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotacion { $type }]
-
-## Password
-
-pdfjs-password-label = Picatz lo senhal per dobrir aqueste fichièr PDF.
-pdfjs-password-invalid = Senhal incorrècte. Tornatz ensajar.
-pdfjs-password-ok-button = D'acòrdi
-pdfjs-password-cancel-button = Anullar
-pdfjs-web-fonts-disabled = Las polissas web son desactivadas : impossible d'utilizar las polissas integradas al PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tèxte
-pdfjs-editor-free-text-button-label = Tèxte
-pdfjs-editor-ink-button =
- .title = Dessenhar
-pdfjs-editor-ink-button-label = Dessenhar
-pdfjs-editor-stamp-button =
- .title = Apondre o modificar d’imatges
-pdfjs-editor-stamp-button-label = Apondre o modificar d’imatges
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-freetext-button =
- .title = Suprimir lo tèxte
-pdfjs-editor-remove-stamp-button =
- .title = Suprimir l’imatge
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Color
-pdfjs-editor-free-text-size-input = Talha
-pdfjs-editor-ink-color-input = Color
-pdfjs-editor-ink-thickness-input = Espessor
-pdfjs-editor-ink-opacity-input = Opacitat
-pdfjs-editor-stamp-add-image-button =
- .title = Apondre imatge
-pdfjs-editor-stamp-add-image-button-label = Apondre imatge
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Espessor
-pdfjs-free-text =
- .aria-label = Editor de tèxte
-pdfjs-free-text-default-content = Començatz d’escriure…
-pdfjs-ink =
- .aria-label = Editor de dessenh
-pdfjs-ink-canvas =
- .aria-label = Imatge creat per l’utilizaire
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Tèxt alternatiu
-pdfjs-editor-alt-text-edit-button-label = Modificar lo tèxt alternatiu
-pdfjs-editor-alt-text-dialog-label = Causir una opcion
-pdfjs-editor-alt-text-add-description-label = Apondre una descripcion
-pdfjs-editor-alt-text-cancel-button = Anullar
-pdfjs-editor-alt-text-save-button = Enregistrar
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Color de suslinhatge
-pdfjs-editor-colorpicker-button =
- .title = Cambiar de color
-pdfjs-editor-colorpicker-yellow =
- .title = Jaune
-pdfjs-editor-colorpicker-green =
- .title = Verd
-pdfjs-editor-colorpicker-blue =
- .title = Blau
-pdfjs-editor-colorpicker-pink =
- .title = Ròse
-pdfjs-editor-colorpicker-red =
- .title = Roge
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = O afichar tot
-pdfjs-editor-highlight-show-all-button =
- .title = O afichar tot
diff --git a/static/pdf.js/locale/oc/viewer.properties b/static/pdf.js/locale/oc/viewer.properties
new file mode 100644
index 00000000..d9a91657
--- /dev/null
+++ b/static/pdf.js/locale/oc/viewer.properties
@@ -0,0 +1,171 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pagina precedenta
+previous_label=Precedent
+next.title=Pagina seguenta
+next_label=Seguent
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pagina :
+page_of=sus {{pageCount}}
+
+zoom_out.title=Zoom arrièr
+zoom_out_label=Zoom arrièr
+zoom_in.title=Zoom avant
+zoom_in_label=Zoom avant
+zoom.title=Zoom
+presentation_mode.title=Bascular en mòde presentacion
+presentation_mode_label=Mòde Presentacion
+open_file.title=Dobrir lo fichièr
+open_file_label=Dobrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Telecargar
+download_label=Telecargar
+bookmark.title=Afichatge corrent (copiar o dobrir dins una fenèstra novèla)
+bookmark_label=Afichatge actual
+
+# Secondary toolbar and context menu
+tools.title=Aisinas
+tools_label=Aisinas
+first_page.title=Anar a la primièra pagina
+first_page.label=Anar a la primièra pagina
+first_page_label=Anar a la primièra pagina
+last_page.title=Anar a la darrièra pagina
+last_page.label=Anar a la darrièra pagina
+last_page_label=Anar a la darrièra pagina
+page_rotate_cw.title=Rotacion orària
+page_rotate_cw.label=Rotacion orària
+page_rotate_cw_label=Rotacion orària
+page_rotate_ccw.title=Rotacion antiorària
+page_rotate_ccw.label=Rotacion antiorària
+page_rotate_ccw_label=Rotacion antiorària
+
+hand_tool_enable.title=Activar l'aisina man
+hand_tool_enable_label=Activar l'aisina man
+hand_tool_disable.title=Desactivar l'aisina man
+hand_tool_disable_label=Desactivar l'aisina man
+
+# Document properties dialog box
+document_properties.title=Proprietats del document...
+document_properties_label=Proprietats del document...
+document_properties_file_name=Nom del fichièr :
+document_properties_file_size=Talha del fichièr :
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} Ko ({{size_b}} octets)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} Mo ({{size_b}} octets)
+document_properties_title=Títol :
+document_properties_author=Autor :
+document_properties_subject=Subjècte :
+document_properties_keywords=Mots claus :
+document_properties_creation_date=Data de creacion :
+document_properties_modification_date=Data de modificacion :
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Creator :
+document_properties_producer=Aisina de conversion PDF :
+document_properties_version=Version PDF :
+document_properties_page_count=Nombre de paginas :
+document_properties_close=Tampar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Afichar/amagar lo panèl lateral
+toggle_sidebar_label=Afichar/amagar lo panèl lateral
+outline.title=Afichar los marcapaginas
+outline_label=Marcapaginas del document
+attachments.title=Visualizar las pèças juntas
+attachments_label=Pèças juntas
+thumbs.title=Afichar las vinhetas
+thumbs_label=Vinhetas
+findbar.title=Trobar dins lo document
+findbar_label=Recercar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pagina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Vinheta de la pagina {{page}}
+
+# Find panel button title and messages
+find_label=Recercar
+find_previous.title=Tròba l'ocurréncia precedenta de la frasa
+find_previous_label=Precedent
+find_next.title=Tròba l'ocurréncia venenta de la frasa
+find_next_label=Seguent
+find_highlight=Suslinhar tot
+find_match_case_label=Respectar la cassa
+find_reached_top=Naut de la pagina atench, perseguida dempuèi lo bas
+find_reached_bottom=Bas de la pagina atench, perseguida al començament
+find_not_found=Frasa pas trobada
+
+# Error panel labels
+error_more_info=Mai de detalhs
+error_less_info=Mens d'informacions
+error_close=Tampar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (identificant de compilacion : {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Messatge : {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pila : {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fichièr : {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linha : {{line}}
+rendering_error=Una error s'es producha pendent l'afichatge de la pagina.
+
+# Predefined zoom values
+page_scale_width=Largor plena
+page_scale_fit=Pagina entièra
+page_scale_auto=Zoom automatic
+page_scale_actual=Talha vertadièra
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Error
+loading_error=Una error s'es producha pendent lo cargament del fichièr PDF.
+invalid_file_error=Fichièr PDF invalid o corromput.
+missing_file_error=Fichièr PDF mancant.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotacion {{type}}]
+password_label=Picatz lo senhal per dobrir aqueste fichièr PDF.
+password_invalid=Senhal incorrècte. Tornatz ensajar.
+password_ok=D'acòrdi
+password_cancel=Anullar
+
+printing_not_supported=Atencion : l'estampatge es pas completament gerit per aqueste navigador.
+printing_not_ready=Atencion : lo PDF es pas entièrament cargat per lo poder imprimir.
+web_fonts_disabled=Las poliças web son desactivadas : impossible d'utilizar las poliças integradas al PDF.
+document_colors_not_allowed=Los documents PDF pòdon pas utilizar lors pròprias colors : « Autorizar las paginas web d'utilizar lors pròprias colors » es desactivat dins lo navigador.
diff --git a/static/pdf.js/locale/or/viewer.properties b/static/pdf.js/locale/or/viewer.properties
new file mode 100644
index 00000000..279407d9
--- /dev/null
+++ b/static/pdf.js/locale/or/viewer.properties
@@ -0,0 +1,172 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=ପୂର୍ବ ପୃଷ୍ଠା
+previous_label=ପୂର୍ବ
+next.title=ପର ପୃଷ୍ଠା
+next_label=ପର
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=ପୃଷ୍ଠା:
+page_of={{pageCount}} ର
+
+zoom_out.title=ଛୋଟ କରନ୍ତୁ
+zoom_out_label=ଛୋଟ କରନ୍ତୁ
+zoom_in.title=ବଡ଼ କରନ୍ତୁ
+zoom_in_label=ବଡ଼ କରନ୍ତୁ
+zoom.title=ଛୋଟ ବଡ଼ କରନ୍ତୁ
+presentation_mode.title=ଉପସ୍ଥାପନ ଧାରାକୁ ବଦଳାନ୍ତୁ
+presentation_mode_label=ଉପସ୍ଥାପନ ଧାରା
+open_file.title=ଫାଇଲ ଖୋଲନ୍ତୁ
+open_file_label=ଖୋଲନ୍ତୁ
+print.title=ମୁଦ୍ରଣ
+print_label=ମୁଦ୍ରଣ
+download.title=ଆହରଣ
+download_label=ଆହରଣ
+bookmark.title=ପ୍ରଚଳିତ ଦୃଶ୍ୟ (ନକଲ କରନ୍ତୁ କିମ୍ବା ଏକ ନୂତନ ୱିଣ୍ଡୋରେ ଖୋଲନ୍ତୁ)
+bookmark_label=ପ୍ରଚଳିତ ଦୃଶ୍ୟ
+
+# Secondary toolbar and context menu
+tools.title=ସାଧନଗୁଡ଼ିକ
+tools_label=ସାଧନଗୁଡ଼ିକ
+first_page.title=ପ୍ରଥମ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+first_page.label=ପ୍ରଥମ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+first_page_label=ପ୍ରଥମ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+last_page.title=ଶେଷ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+last_page.label=ଶେଷ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+last_page_label=ଶେଷ ପୃଷ୍ଠାକୁ ଯାଆନ୍ତୁ
+page_rotate_cw.title=ଦକ୍ଷିଣାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+page_rotate_cw.label=ଦକ୍ଷିଣାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+page_rotate_cw_label=ଦକ୍ଷିଣାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+page_rotate_ccw.title=ବାମାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+page_rotate_ccw.label=ବାମାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+page_rotate_ccw_label=ବାମାବର୍ତ୍ତୀ ଘୁରାନ୍ତୁ
+
+hand_tool_enable.title=ହସ୍ତକୃତ ସାଧନକୁ ସକ୍ରିୟ କରନ୍ତୁ
+hand_tool_enable_label=ହସ୍ତକୃତ ସାଧନକୁ ସକ୍ରିୟ କରନ୍ତୁ
+hand_tool_disable.title=ହସ୍ତକୃତ ସାଧନକୁ ନିଷ୍କ୍ରିୟ କରନ୍ତୁ
+hand_tool_disable_label=ହସ୍ତକୃତ ସାଧନକୁ ନିଷ୍କ୍ରିୟ କରନ୍ତୁ
+
+# Document properties dialog box
+document_properties.title=ଦଲିଲ ଗୁଣଧର୍ମ…
+document_properties_label=ଦଲିଲ ଗୁଣଧର୍ମ…
+document_properties_file_name=ଫାଇଲ ନାମ:
+document_properties_file_size=ଫାଇଲ ଆକାର:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=ଶୀର୍ଷକ:
+document_properties_author=ଲେଖକ:
+document_properties_subject=ବିଷୟ:
+document_properties_keywords=ସୂଚକ ଶବ୍ଦ:
+document_properties_creation_date=ନିର୍ମାଣ ତାରିଖ:
+document_properties_modification_date=ପରିବର୍ତ୍ତନ ତାରିଖ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=ନିର୍ମାତା:
+document_properties_producer=PDF ପ୍ରଯୋଜକ:
+document_properties_version=PDF ସଂସ୍କରଣ:
+document_properties_page_count=ପୃଷ୍ଠା ଗଣନା:
+document_properties_close=ବନ୍ଦ କରନ୍ତୁ
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=ପାର୍ଶ୍ୱପଟିକୁ ଆଗପଛ କରନ୍ତୁ
+toggle_sidebar_label=ପାର୍ଶ୍ୱପଟିକୁ ଆଗପଛ କରନ୍ତୁ
+outline.title=ଦଲିଲ ସାରାଂଶ ଦର୍ଶାନ୍ତୁ
+outline_label=ଦଲିଲ ସାରାଂଶ
+attachments.title=ସଂଲଗ୍ନକଗୁଡ଼ିକୁ ଦର୍ଶାନ୍ତୁ
+attachments_label=ସଲଗ୍ନକଗୁଡିକ
+thumbs.title=ସଂକ୍ଷିପ୍ତ ବିବରଣୀ ଦର୍ଶାନ୍ତୁ
+thumbs_label=ସଂକ୍ଷିପ୍ତ ବିବରଣୀ
+findbar.title=ଦଲିଲରେ ଖୋଜନ୍ତୁ
+findbar_label=ଖୋଜନ୍ତୁ
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=ପୃଷ୍ଠା {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=ପୃଷ୍ଠାର ସଂକ୍ଷିପ୍ତ ବିବରଣୀ {{page}}
+
+# Find panel button title and messages
+find_label=ଖୋଜନ୍ତୁ:
+find_previous.title=ଏହି ବାକ୍ୟାଂଶର ପୂର୍ବ ଉପସ୍ଥିତିକୁ ଖୋଜନ୍ତୁ
+find_previous_label=ପୂର୍ବବର୍ତ୍ତୀ
+find_next.title=ଏହି ବାକ୍ୟାଂଶର ପରବର୍ତ୍ତୀ ଉପସ୍ଥିତିକୁ ଖୋଜନ୍ତୁ
+find_next_label=ପରବର୍ତ୍ତୀ\u0020
+find_highlight=ସମସ୍ତଙ୍କୁ ଆଲୋକିତ କରନ୍ତୁ
+find_match_case_label=ଅକ୍ଷର ମେଳାନ୍ତୁ
+find_reached_top=ତଳୁ ଉପରକୁ ଗତି କରି ଦଲିଲର ଉପର ଭାଗରେ ପହଞ୍ଚି ଯାଇଛି
+find_reached_bottom=ଉପରୁ ତଳକୁ ଗତି କରି ଦଲିଲର ଶେଷ ଭାଗରେ ପହଞ୍ଚି ଯାଇଛି
+find_not_found=ବାକ୍ୟାଂଶ ମିଳିଲା ନାହିଁ
+
+# Error panel labels
+error_more_info=ଅଧିକ ସୂଚନା
+error_less_info=ସ୍ୱଳ୍ପ ସୂଚନା
+error_close=ବନ୍ଦ କରନ୍ତୁ
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=ସନ୍ଦେଶ: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=ଷ୍ଟାକ: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ଫାଇଲ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=ଧାଡ଼ି: {{line}}
+rendering_error=ପୃଷ୍ଠା ଚିତ୍ରଣ କରିବା ସମୟରେ ତ୍ରୁଟି ଘଟିଲା।
+
+# Predefined zoom values
+page_scale_width=ପୃଷ୍ଠା ଓସାର
+page_scale_fit=ପୃଷ୍ଠା ମେଳନ
+page_scale_auto=ସ୍ୱୟଂଚାଳିତ ଭାବରେ ଛୋଟବଡ଼ କରିବା
+page_scale_actual=ପ୍ରକୃତ ଆକାର
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=ତ୍ରୁଟି
+loading_error=PDF ଧାରଣ କରିବା ସମୟରେ ଏକ ତ୍ରୁଟି ଘଟିଲା।
+invalid_file_error=ଅବୈଧ କିମ୍ବା ତ୍ରୁଟିଯୁକ୍ତ PDF ଫାଇଲ।
+missing_file_error=ହଜିଯାଇଥିବା PDF ଫାଇଲ।
+unexpected_response_error=ଅପ୍ରତ୍ୟାଶିତ ସର୍ଭର ଉତ୍ତର।
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Annotation]
+password_label=ଏହି PDF ଫାଇଲକୁ ଖୋଲିବା ପାଇଁ ପ୍ରବେଶ ସଂକେତ ଭରଣ କରନ୍ତୁ।
+password_invalid=ଭୁଲ ପ୍ରବେଶ ସଂକେତ। ଦୟାକରି ପୁଣି ଚେଷ୍ଟା କରନ୍ତୁ।
+password_ok=ଠିକ ଅଛି
+password_cancel=ବାତିଲ କରନ୍ତୁ
+
+printing_not_supported=ଚେତାବନୀ: ଏହି ବ୍ରାଉଜର ଦ୍ୱାରା ମୁଦ୍ରଣ କ୍ରିୟା ସମ୍ପୂର୍ଣ୍ଣ ଭାବରେ ସହାୟତା ପ୍ରାପ୍ତ ନୁହଁ।
+printing_not_ready=ଚେତାବନୀ: PDF ଟି ମୁଦ୍ରଣ ପାଇଁ ସମ୍ପୂର୍ଣ୍ଣ ଭାବରେ ଧାରଣ ହୋଇ ନାହିଁ।
+web_fonts_disabled=ୱେବ ଅକ୍ଷରରୂପଗୁଡ଼ିକୁ ନିଷ୍କ୍ରିୟ କରାଯାଇଛି: ସନ୍ନିହିତ PDF ଅକ୍ଷରରୂପଗୁଡ଼ିକୁ ବ୍ୟବହାର କରିବାରେ ଅସମର୍ଥ।
+document_colors_not_allowed=PDF ଦଲିଲଗୁଡ଼ିକ ସେମାନଙ୍କର ନିଜର ରଙ୍ଗ ବ୍ୟବହାର କରିବା ପାଇଁ ଅନୁମତି ପ୍ରାପ୍ତ ନୁହଁ: 'ସେମାନଙ୍କର ନିଜ ରଙ୍ଗ ବାଛିବା ପାଇଁ ପୃଷ୍ଠାଗୁଡ଼ିକୁ ଅନୁମତି ଦିଅନ୍ତୁ' କୁ ବ୍ରାଉଜରରେ ନିଷ୍କ୍ରିୟ କରାଯାଇଛି।
diff --git a/static/pdf.js/locale/pa-IN/viewer.ftl b/static/pdf.js/locale/pa-IN/viewer.ftl
deleted file mode 100644
index eef67d35..00000000
--- a/static/pdf.js/locale/pa-IN/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = ਪਿਛਲਾ ਸਫ਼ਾ
-pdfjs-previous-button-label = ਪਿੱਛੇ
-pdfjs-next-button =
- .title = ਅਗਲਾ ਸਫ਼ਾ
-pdfjs-next-button-label = ਅੱਗੇ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ਸਫ਼ਾ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } ਵਿੱਚੋਂ
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = { $pagesCount }) ਵਿੱਚੋਂ ({ $pageNumber }
-pdfjs-zoom-out-button =
- .title = ਜ਼ੂਮ ਆਉਟ
-pdfjs-zoom-out-button-label = ਜ਼ੂਮ ਆਉਟ
-pdfjs-zoom-in-button =
- .title = ਜ਼ੂਮ ਇਨ
-pdfjs-zoom-in-button-label = ਜ਼ੂਮ ਇਨ
-pdfjs-zoom-select =
- .title = ਜ਼ੂਨ
-pdfjs-presentation-mode-button =
- .title = ਪਰਿਜੈਂਟੇਸ਼ਨ ਮੋਡ ਵਿੱਚ ਜਾਓ
-pdfjs-presentation-mode-button-label = ਪਰਿਜੈਂਟੇਸ਼ਨ ਮੋਡ
-pdfjs-open-file-button =
- .title = ਫਾਈਲ ਨੂੰ ਖੋਲ੍ਹੋ
-pdfjs-open-file-button-label = ਖੋਲ੍ਹੋ
-pdfjs-print-button =
- .title = ਪਰਿੰਟ
-pdfjs-print-button-label = ਪਰਿੰਟ
-pdfjs-save-button =
- .title = ਸੰਭਾਲੋ
-pdfjs-save-button-label = ਸੰਭਾਲੋ
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ਡਾਊਨਲੋਡ
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ਡਾਊਨਲੋਡ
-pdfjs-bookmark-button =
- .title = ਮੌਜੂਦਾ ਸਫ਼਼ਾ (ਮੌਜੂਦਾ ਸਫ਼ੇ ਤੋਂ URL ਵੇਖੋ)
-pdfjs-bookmark-button-label = ਮੌਜੂਦਾ ਸਫ਼਼ਾ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ਟੂਲ
-pdfjs-tools-button-label = ਟੂਲ
-pdfjs-first-page-button =
- .title = ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
-pdfjs-first-page-button-label = ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
-pdfjs-last-page-button =
- .title = ਆਖਰੀ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
-pdfjs-last-page-button-label = ਆਖਰੀ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
-pdfjs-page-rotate-cw-button =
- .title = ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਓ
-pdfjs-page-rotate-cw-button-label = ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਓ
-pdfjs-page-rotate-ccw-button =
- .title = ਖੱਬੇ ਦਾਅ ਘੁੰਮਾਓ
-pdfjs-page-rotate-ccw-button-label = ਖੱਬੇ ਦਾਅ ਘੁੰਮਾਓ
-pdfjs-cursor-text-select-tool-button =
- .title = ਲਿਖਤ ਚੋਣ ਟੂਲ ਸਮਰੱਥ ਕਰੋ
-pdfjs-cursor-text-select-tool-button-label = ਲਿਖਤ ਚੋਣ ਟੂਲ
-pdfjs-cursor-hand-tool-button =
- .title = ਹੱਥ ਟੂਲ ਸਮਰੱਥ ਕਰੋ
-pdfjs-cursor-hand-tool-button-label = ਹੱਥ ਟੂਲ
-pdfjs-scroll-page-button =
- .title = ਸਫ਼ਾ ਖਿਸਕਾਉਣ ਨੂੰ ਵਰਤੋਂ
-pdfjs-scroll-page-button-label = ਸਫ਼ਾ ਖਿਸਕਾਉਣਾ
-pdfjs-scroll-vertical-button =
- .title = ਖੜ੍ਹਵੇਂ ਸਕਰਾਉਣ ਨੂੰ ਵਰਤੋਂ
-pdfjs-scroll-vertical-button-label = ਖੜ੍ਹਵਾਂ ਸਰਕਾਉਣਾ
-pdfjs-scroll-horizontal-button =
- .title = ਲੇਟਵੇਂ ਸਰਕਾਉਣ ਨੂੰ ਵਰਤੋਂ
-pdfjs-scroll-horizontal-button-label = ਲੇਟਵਾਂ ਸਰਕਾਉਣਾ
-pdfjs-scroll-wrapped-button =
- .title = ਸਮੇਟੇ ਸਰਕਾਉਣ ਨੂੰ ਵਰਤੋਂ
-pdfjs-scroll-wrapped-button-label = ਸਮੇਟਿਆ ਸਰਕਾਉਣਾ
-pdfjs-spread-none-button =
- .title = ਸਫ਼ਾ ਫੈਲਾਅ ਵਿੱਚ ਸ਼ਾਮਲ ਨਾ ਹੋਵੋ
-pdfjs-spread-none-button-label = ਕੋਈ ਫੈਲਾਅ ਨਹੀਂ
-pdfjs-spread-odd-button =
- .title = ਟਾਂਕ ਅੰਕ ਵਾਲੇ ਸਫ਼ਿਆਂ ਨਾਲ ਸ਼ੁਰੂ ਹੋਣ ਵਾਲੇ ਸਫਿਆਂ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਵੋ
-pdfjs-spread-odd-button-label = ਟਾਂਕ ਫੈਲਾਅ
-pdfjs-spread-even-button =
- .title = ਜਿਸਤ ਅੰਕ ਵਾਲੇ ਸਫ਼ਿਆਂ ਨਾਲ ਸ਼ੁਰੂ ਹੋਣ ਵਾਲੇ ਸਫਿਆਂ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਵੋ
-pdfjs-spread-even-button-label = ਜਿਸਤ ਫੈਲਾਅ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = …ਦਸਤਾਵੇਜ਼ ਦੀ ਵਿਸ਼ੇਸ਼ਤਾ
-pdfjs-document-properties-button-label = …ਦਸਤਾਵੇਜ਼ ਦੀ ਵਿਸ਼ੇਸ਼ਤਾ
-pdfjs-document-properties-file-name = ਫਾਈਲ ਦਾ ਨਾਂ:
-pdfjs-document-properties-file-size = ਫਾਈਲ ਦਾ ਆਕਾਰ:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } ਬਾਈਟ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } ਬਾਈਟ)
-pdfjs-document-properties-title = ਟਾਈਟਲ:
-pdfjs-document-properties-author = ਲੇਖਕ:
-pdfjs-document-properties-subject = ਵਿਸ਼ਾ:
-pdfjs-document-properties-keywords = ਸ਼ਬਦ:
-pdfjs-document-properties-creation-date = ਬਣਾਉਣ ਦੀ ਮਿਤੀ:
-pdfjs-document-properties-modification-date = ਸੋਧ ਦੀ ਮਿਤੀ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ਨਿਰਮਾਤਾ:
-pdfjs-document-properties-producer = PDF ਪ੍ਰੋਡਿਊਸਰ:
-pdfjs-document-properties-version = PDF ਵਰਜਨ:
-pdfjs-document-properties-page-count = ਸਫ਼ੇ ਦੀ ਗਿਣਤੀ:
-pdfjs-document-properties-page-size = ਸਫ਼ਾ ਆਕਾਰ:
-pdfjs-document-properties-page-size-unit-inches = ਇੰਚ
-pdfjs-document-properties-page-size-unit-millimeters = ਮਿਮੀ
-pdfjs-document-properties-page-size-orientation-portrait = ਪੋਰਟਰੇਟ
-pdfjs-document-properties-page-size-orientation-landscape = ਲੈਂਡਸਕੇਪ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = ਲੈਟਰ
-pdfjs-document-properties-page-size-name-legal = ਕਨੂੰਨੀ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = ਤੇਜ਼ ਵੈੱਬ ਝਲਕ:
-pdfjs-document-properties-linearized-yes = ਹਾਂ
-pdfjs-document-properties-linearized-no = ਨਹੀਂ
-pdfjs-document-properties-close-button = ਬੰਦ ਕਰੋ
-
-## Print
-
-pdfjs-print-progress-message = …ਪਰਿੰਟ ਕਰਨ ਲਈ ਦਸਤਾਵੇਜ਼ ਨੂੰ ਤਿਆਰ ਕੀਤਾ ਜਾ ਰਿਹਾ ਹੈ
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ਰੱਦ ਕਰੋ
-pdfjs-printing-not-supported = ਸਾਵਧਾਨ: ਇਹ ਬਰਾਊਜ਼ਰ ਪਰਿੰਟ ਕਰਨ ਲਈ ਪੂਰੀ ਤਰ੍ਹਾਂ ਸਹਾਇਕ ਨਹੀਂ ਹੈ।
-pdfjs-printing-not-ready = ਸਾਵਧਾਨ: PDF ਨੂੰ ਪਰਿੰਟ ਕਰਨ ਲਈ ਪੂਰੀ ਤਰ੍ਹਾਂ ਲੋਡ ਨਹੀਂ ਹੈ।
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ਬਾਹੀ ਬਦਲੋ
-pdfjs-toggle-sidebar-notification-button =
- .title = ਬਾਹੀ ਨੂੰ ਬਦਲੋ (ਦਸਤਾਵੇਜ਼ ਖਾਕਾ/ਅਟੈਚਮੈਂਟ/ਪਰਤਾਂ ਰੱਖਦਾ ਹੈ)
-pdfjs-toggle-sidebar-button-label = ਬਾਹੀ ਬਦਲੋ
-pdfjs-document-outline-button =
- .title = ਦਸਤਾਵੇਜ਼ ਖਾਕਾ ਦਿਖਾਓ (ਸਾਰੀਆਂ ਆਈਟਮਾਂ ਨੂੰ ਫੈਲਾਉਣ/ਸਮੇਟਣ ਲਈ ਦੋ ਵਾਰ ਕਲਿੱਕ ਕਰੋ)
-pdfjs-document-outline-button-label = ਦਸਤਾਵੇਜ਼ ਖਾਕਾ
-pdfjs-attachments-button =
- .title = ਅਟੈਚਮੈਂਟ ਵੇਖਾਓ
-pdfjs-attachments-button-label = ਅਟੈਚਮੈਂਟਾਂ
-pdfjs-layers-button =
- .title = ਪਰਤਾਂ ਵੇਖਾਓ (ਸਾਰੀਆਂ ਪਰਤਾਂ ਨੂੰ ਮੂਲ ਹਾਲਤ ਉੱਤੇ ਮੁੜ-ਸੈੱਟ ਕਰਨ ਲਈ ਦੋ ਵਾਰ ਕਲਿੱਕ ਕਰੋ)
-pdfjs-layers-button-label = ਪਰਤਾਂ
-pdfjs-thumbs-button =
- .title = ਥੰਮਨੇਲ ਨੂੰ ਵੇਖਾਓ
-pdfjs-thumbs-button-label = ਥੰਮਨੇਲ
-pdfjs-current-outline-item-button =
- .title = ਮੌੌਜੂਦਾ ਖਾਕਾ ਚੀਜ਼ ਲੱਭੋ
-pdfjs-current-outline-item-button-label = ਮੌਜੂਦਾ ਖਾਕਾ ਚੀਜ਼
-pdfjs-findbar-button =
- .title = ਦਸਤਾਵੇਜ਼ ਵਿੱਚ ਲੱਭੋ
-pdfjs-findbar-button-label = ਲੱਭੋ
-pdfjs-additional-layers = ਵਾਧੂ ਪਰਤਾਂ
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = ਸਫ਼ਾ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } ਸਫ਼ੇ ਦਾ ਥੰਮਨੇਲ
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ਲੱਭੋ
- .placeholder = …ਦਸਤਾਵੇਜ਼ 'ਚ ਲੱਭੋ
-pdfjs-find-previous-button =
- .title = ਵਾਕ ਦੀ ਪਿਛਲੀ ਮੌਜੂਦਗੀ ਲੱਭੋ
-pdfjs-find-previous-button-label = ਪਿੱਛੇ
-pdfjs-find-next-button =
- .title = ਵਾਕ ਦੀ ਅਗਲੀ ਮੌਜੂਦਗੀ ਲੱਭੋ
-pdfjs-find-next-button-label = ਅੱਗੇ
-pdfjs-find-highlight-checkbox = ਸਭ ਉਭਾਰੋ
-pdfjs-find-match-case-checkbox-label = ਅੱਖਰ ਆਕਾਰ ਨੂੰ ਮਿਲਾਉ
-pdfjs-find-match-diacritics-checkbox-label = ਭੇਦਸੂਚਕ ਮੇਲ
-pdfjs-find-entire-word-checkbox-label = ਪੂਰੇ ਸ਼ਬਦ
-pdfjs-find-reached-top = ਦਸਤਾਵੇਜ਼ ਦੇ ਉੱਤੇ ਆ ਗਏ ਹਾਂ, ਥੱਲੇ ਤੋਂ ਜਾਰੀ ਰੱਖਿਆ ਹੈ
-pdfjs-find-reached-bottom = ਦਸਤਾਵੇਜ਼ ਦੇ ਅੰਤ ਉੱਤੇ ਆ ਗਏ ਹਾਂ, ਉੱਤੇ ਤੋਂ ਜਾਰੀ ਰੱਖਿਆ ਹੈ
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $total } ਵਿੱਚੋਂ { $current } ਮੇਲ
- *[other] { $total } ਵਿੱਚੋਂ { $current } ਮੇਲ
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] { $limit } ਤੋਂ ਵੱਧ ਮੇਲ
- *[other] { $limit } ਤੋਂ ਵੱਧ ਮੇਲ
- }
-pdfjs-find-not-found = ਵਾਕ ਨਹੀਂ ਲੱਭਿਆ
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ਸਫ਼ੇ ਦੀ ਚੌੜਾਈ
-pdfjs-page-scale-fit = ਸਫ਼ਾ ਫਿੱਟ
-pdfjs-page-scale-auto = ਆਟੋਮੈਟਿਕ ਜ਼ੂਮ ਕਰੋ
-pdfjs-page-scale-actual = ਆਟੋਮੈਟਿਕ ਆਕਾਰ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = ਸਫ਼ਾ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ਲੋਡ ਕਰਨ ਦੇ ਦੌਰਾਨ ਗਲਤੀ ਆਈ ਹੈ।
-pdfjs-invalid-file-error = ਗਲਤ ਜਾਂ ਨਿਕਾਰਾ PDF ਫਾਈਲ ਹੈ।
-pdfjs-missing-file-error = ਨਾ-ਮੌਜੂਦ PDF ਫਾਈਲ।
-pdfjs-unexpected-response-error = ਅਣਜਾਣ ਸਰਵਰ ਜਵਾਬ।
-pdfjs-rendering-error = ਸਫ਼ਾ ਰੈਡਰ ਕਰਨ ਦੇ ਦੌਰਾਨ ਗਲਤੀ ਆਈ ਹੈ।
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ਵਿਆਖਿਆ]
-
-## Password
-
-pdfjs-password-label = ਇਹ PDF ਫਾਈਲ ਨੂੰ ਖੋਲ੍ਹਣ ਲਈ ਪਾਸਵਰਡ ਦਿਉ।
-pdfjs-password-invalid = ਗਲਤ ਪਾਸਵਰਡ। ਫੇਰ ਕੋਸ਼ਿਸ਼ ਕਰੋ ਜੀ।
-pdfjs-password-ok-button = ਠੀਕ ਹੈ
-pdfjs-password-cancel-button = ਰੱਦ ਕਰੋ
-pdfjs-web-fonts-disabled = ਵੈਬ ਫੋਂਟ ਬੰਦ ਹਨ: ਇੰਬੈਡ PDF ਫੋਂਟ ਨੂੰ ਵਰਤਣ ਲਈ ਅਸਮਰੱਥ ਹੈ।
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = ਲਿਖਤ
-pdfjs-editor-free-text-button-label = ਲਿਖਤ
-pdfjs-editor-ink-button =
- .title = ਵਾਹੋ
-pdfjs-editor-ink-button-label = ਵਾਹੋ
-pdfjs-editor-stamp-button =
- .title = ਚਿੱਤਰ ਜੋੜੋ ਜਾਂ ਸੋਧੋ
-pdfjs-editor-stamp-button-label = ਚਿੱਤਰ ਜੋੜੋ ਜਾਂ ਸੋਧੋ
-pdfjs-editor-highlight-button =
- .title = ਹਾਈਲਾਈਟ
-pdfjs-editor-highlight-button-label = ਹਾਈਲਾਈਟ
-pdfjs-highlight-floating-button =
- .title = ਹਾਈਲਾਈਟ
-pdfjs-highlight-floating-button1 =
- .title = ਹਾਈਲਾਈਟ
- .aria-label = ਹਾਈਲਾਈਟ
-pdfjs-highlight-floating-button-label = ਹਾਈਲਾਈਟ
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = ਡਰਾਇੰਗ ਨੂੰ ਹਟਾਓ
-pdfjs-editor-remove-freetext-button =
- .title = ਲਿਖਤ ਨੂੰ ਹਟਾਓ
-pdfjs-editor-remove-stamp-button =
- .title = ਚਿੱਤਰ ਨੂੰ ਹਟਾਓ
-pdfjs-editor-remove-highlight-button =
- .title = ਹਾਈਲਾਈਟ ਨੂੰ ਹਟਾਓ
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = ਰੰਗ
-pdfjs-editor-free-text-size-input = ਆਕਾਰ
-pdfjs-editor-ink-color-input = ਰੰਗ
-pdfjs-editor-ink-thickness-input = ਮੋਟਾਈ
-pdfjs-editor-ink-opacity-input = ਧੁੰਦਲਾਪਨ
-pdfjs-editor-stamp-add-image-button =
- .title = ਚਿੱਤਰ ਜੋੜੋ
-pdfjs-editor-stamp-add-image-button-label = ਚਿੱਤਰ ਜੋੜੋ
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = ਮੋਟਾਈ
-pdfjs-editor-free-highlight-thickness-title =
- .title = ਚੀਜ਼ਾਂ ਨੂੰ ਹੋਰ ਲਿਖਤਾਂ ਤੋਂ ਉਘਾੜਨ ਸਮੇਂ ਮੋਟਾਈ ਨੂੰ ਬਦਲੋ
-pdfjs-free-text =
- .aria-label = ਲਿਖਤ ਐਡੀਟਰ
-pdfjs-free-text-default-content = …ਲਿਖਣਾ ਸ਼ੁਰੂ ਕਰੋ
-pdfjs-ink =
- .aria-label = ਵਹਾਉਣ ਐਡੀਟਰ
-pdfjs-ink-canvas =
- .aria-label = ਵਰਤੋਂਕਾਰ ਵਲੋਂ ਬਣਾਇਆ ਚਿੱਤਰ
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = ਬਦਲਵੀਂ ਲਿਖਤ
-pdfjs-editor-alt-text-edit-button-label = ਬਦਲਵੀ ਲਿਖਤ ਨੂੰ ਸੋਧੋ
-pdfjs-editor-alt-text-dialog-label = ਚੋਣ ਕਰੋ
-pdfjs-editor-alt-text-dialog-description = ਚਿੱਤਰ ਨਾ ਦਿੱਸਣ ਜਾਂ ਲੋਡ ਨਾ ਹੋਣ ਦੀ ਹਾਲਤ ਵਿੱਚ Alt ਲਿਖਤ (ਬਦਲਵੀਂ ਲਿਖਤ) ਲੋਕਾਂ ਲਈ ਮਦਦਗਾਰ ਹੁੰਦੀ ਹੈ।
-pdfjs-editor-alt-text-add-description-label = ਵਰਣਨ ਜੋੜੋ
-pdfjs-editor-alt-text-add-description-description = 1-2 ਵਾਕ ਰੱਖੋ, ਜੋ ਕਿ ਵਿਸ਼ੇ, ਸੈਟਿੰਗ ਜਾਂ ਕਾਰਵਾਈਆਂ ਬਾਰੇ ਦਰਸਾਉਂਦੇ ਹੋਣ।
-pdfjs-editor-alt-text-mark-decorative-label = ਸਜਾਵਟ ਵਜੋਂ ਨਿਸ਼ਾਨ ਲਾਇਆ
-pdfjs-editor-alt-text-mark-decorative-description = ਇਸ ਨੂੰ ਸਜਾਵਟੀ ਚਿੱਤਰਾਂ ਲਈ ਵਰਤਿਆ ਜਾਂਦਾ ਹੈ ਜਿਵੇਂ ਕਿ ਹਾਸ਼ੀਆ ਜਾਂ ਵਾਟਰਮਾਰਕ ਆਦਿ।
-pdfjs-editor-alt-text-cancel-button = ਰੱਦ ਕਰੋ
-pdfjs-editor-alt-text-save-button = ਸੰਭਾਲੋ
-pdfjs-editor-alt-text-decorative-tooltip = ਸਜਾਵਟ ਵਜੋਂ ਨਿਸ਼ਾਨ ਲਾਓ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = ਮਿਸਾਲ ਵਜੋਂ, “ਗੱਭਰੂ ਭੋਜਨ ਲੈ ਕੇ ਮੇਜ਼ ਉੱਤੇ ਬੈਠਾ ਹੈ”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = ਉੱਤੇ ਖੱਬਾ ਕੋਨਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-top-middle = ਉੱਤੇ ਮੱਧ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-top-right = ਉੱਤੇ ਸੱਜਾ ਕੋਨਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-middle-right = ਮੱਧ ਸੱਜਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-bottom-right = ਹੇਠਾਂ ਸੱਜਾ ਕੋਨਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-bottom-middle = ਹੇਠਾਂ ਮੱਧ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-bottom-left = ਹੇਠਾਂ ਖੱਬਾ ਕੋਨਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-pdfjs-editor-resizer-label-middle-left = ਮੱਧ ਖੱਬਾ — ਮੁੜ-ਆਕਾਰ ਕਰੋ
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = ਹਾਈਟਲਾਈਟ ਦਾ ਰੰਗ
-pdfjs-editor-colorpicker-button =
- .title = ਰੰਗ ਨੂੰ ਬਦਲੋ
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = ਰੰਗ ਚੋਣਾਂ
-pdfjs-editor-colorpicker-yellow =
- .title = ਪੀਲਾ
-pdfjs-editor-colorpicker-green =
- .title = ਹਰਾ
-pdfjs-editor-colorpicker-blue =
- .title = ਨੀਲਾ
-pdfjs-editor-colorpicker-pink =
- .title = ਗੁਲਾਬੀ
-pdfjs-editor-colorpicker-red =
- .title = ਲਾਲ
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = ਸਭ ਵੇਖੋ
-pdfjs-editor-highlight-show-all-button =
- .title = ਸਭ ਵੇਖੋ
diff --git a/static/pdf.js/locale/pa-IN/viewer.properties b/static/pdf.js/locale/pa-IN/viewer.properties
new file mode 100644
index 00000000..fb26fc31
--- /dev/null
+++ b/static/pdf.js/locale/pa-IN/viewer.properties
@@ -0,0 +1,181 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=ਸਫ਼ਾ ਪਿੱਛੇ
+previous_label=ਪਿੱਛੇ
+next.title=ਸਫ਼ਾ ਅੱਗੇ
+next_label=ਅੱਗੇ
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=ਸਫ਼ਾ:
+page_of={{pageCount}} ਵਿੱਚੋਂ
+
+zoom_out.title=ਜ਼ੂਮ ਆਉਟ
+zoom_out_label=ਜ਼ੂਮ ਆਉਟ
+zoom_in.title=ਜ਼ੂਮ ਇਨ
+zoom_in_label=ਜ਼ੂਮ ਇਨ
+zoom.title=ਜ਼ੂਨ
+print.title=ਪਰਿੰਟ
+print_label=ਪਰਿੰਟ
+presentation_mode.title=ਪਰਿਜੈਂਟੇਸ਼ਨ ਮੋਡ ਵਿੱਚ ਜਾਓ
+presentation_mode_label=ਪਰਿਜੈਂਟੇਸ਼ਨ ਮੋਡ
+
+open_file.title=ਫਾਈਲ ਖੋਲ੍ਹੋ
+open_file_label=ਖੋਲ੍ਹੋ
+download.title=ਡਾਊਨਲੋਡ
+download_label=ਡਾਊਨਲੋਡ
+bookmark.title=ਮੌਜੂਦਾ ਝਲਕ (ਨਵੀਂ ਵਿੰਡੋ ਵਿੱਚ ਕਾਪੀ ਕਰੋ ਜਾਂ ਖੋਲ੍ਹੋ)
+bookmark_label=ਮੌਜੂਦਾ ਝਲਕ
+
+# Secondary toolbar and context menu
+tools.title=ਟੂਲ
+tools_label=ਟੂਲ
+first_page.title=ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+first_page.label=ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+first_page_label=ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+
+last_page.title=ਆਖਰੀ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+last_page_label=ਆਖਰੀ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+page_rotate_cw.title=ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਓ
+page_rotate_cw.label=ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਓ
+page_rotate_cw_label=ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਓ
+page_rotate_ccw.title=ਖੱਬੇ ਦਾਅ ਘੁੰਮਾਓ
+page_rotate_ccw_label=ਖੱਬੇ ਦਾਅ ਘੁੰਮਾਓ
+
+hand_tool_enable.title=ਹੱਥ ਟੂਲ ਚਾਲੂ
+hand_tool_enable_label=ਹੱਥ ਟੂਲ ਚਾਲੂ
+hand_tool_disable.title=ਹੱਥ ਟੂਲ ਬੰਦ
+hand_tool_disable_label=ਹੱਥ ਟੂਲ ਬੰਦ
+
+# Document properties dialog box
+document_properties.title=…ਦਸਤਾਵੇਜ਼ ਵਿਸ਼ੇਸ਼ਤਾ
+document_properties_label=…ਦਸਤਾਵੇਜ਼ ਵਿਸ਼ੇਸ਼ਤਾ
+document_properties_file_name=ਫਾਈਲ ਨਾਂ:
+document_properties_file_size=ਫਾਈਲ ਆਕਾਰ:
+document_properties_kb={{size_kb}} KB ({{size_b}} ਬਾਈਟ)
+document_properties_mb={{size_mb}} MB ({{size_b}} ਬਾਈਟ)
+document_properties_title=ਟਾਈਟਲ:
+document_properties_author=ਲੇਖਕ:
+document_properties_subject=ਵਿਸ਼ਾ:
+document_properties_keywords=ਸ਼ਬਦ:
+document_properties_creation_date=ਬਣਾਉਣ ਮਿਤੀ:
+document_properties_modification_date=ਸੋਧ ਮਿਤੀ:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=ਨਿਰਮਾਤਾ:
+document_properties_producer=PDF ਪ੍ਰੋਡਿਊਸਰ:
+document_properties_version=PDF ਵਰਜਨ:
+document_properties_page_count=ਸਫ਼ਾ ਗਿਣਤੀ:
+document_properties_close=ਬੰਦ ਕਰੋ
+
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=ਬਾਹੀ ਬਦਲੋ
+toggle_sidebar_label=ਬਾਹੀ ਬਦਲੋ
+
+outline.title=ਦਸਤਾਵੇਜ਼ ਆਉਟਲਾਈਨ ਵੇਖਾਓ
+outline_label=ਦਸਤਾਵੇਜ਼ ਆਉਟਲਾਈਨ
+attachments.title=ਅਟੈਚਮੈਂਟ ਵੇਖਾਓ
+attachments_label=ਅਟੈਚਮੈਂਟ
+thumbs.title=ਥੰਮਨੇਲ ਵੇਖਾਓ
+thumbs_label=ਥੰਮਨੇਲ
+findbar.title=ਦਸਤਾਵੇਜ਼ ਵਿੱਚ ਲੱਭੋ
+findbar_label=ਲੱਭੋ
+
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=ਸਫ਼ਾ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}} ਸਫ਼ੇ ਦਾ ਥੰਮਨੇਲ
+
+
+# Context menu
+first_page.label=ਪਹਿਲੇ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+last_page.label=ਆਖਰੀ ਸਫ਼ੇ ਉੱਤੇ ਜਾਓ
+page_rotate_cw.label=ਸੱਜੇ ਦਾਅ ਘੁੰਮਾਉ
+page_rotate_ccw.label=ਖੱਬੇ ਦਾਅ ਘੁੰਮਾਉ
+
+# Find panel button title and messages
+find_label=ਲੱਭੋ:
+find_previous.title=ਵਾਕ ਦੀ ਪਿਛਲੀ ਮੌਜੂਦਗੀ ਲੱਭੋ
+find_previous_label=ਪਿੱਛੇ
+find_next.title=ਵਾਕ ਦੀ ਅਗਲੀ ਮੌਜੂਦਗੀ ਲੱਭੋ
+find_next_label=ਅੱਗੇ
+find_highlight=ਸਭ ਉਭਾਰੋ
+find_match_case_label=ਅੱਖਰ ਆਕਾਰ ਮਿਲਾਉ
+find_reached_top=ਦਸਤਾਵੇਜ਼ ਦੇ ਉੱਤੇ ਆ ਗਏ ਹਾਂ, ਥੱਲੇ ਤੋਂ ਜਾਰੀ ਰੱਖਿਆ ਹੈ
+find_reached_bottom=ਦਸਤਾਵੇਜ਼ ਦੇ ਅੰਤ ਉੱਤੇ ਆ ਗਏ ਹਾਂ, ਉੱਤੇ ਤੋਂ ਜਾਰੀ ਰੱਖਿਆ ਹੈ
+find_not_found=ਵਾਕ ਨਹੀਂ ਲੱਭਿਆ
+
+
+# Error panel labels
+error_more_info=ਹੋਰ ਜਾਣਕਾਰੀ
+error_less_info=ਘੱਟ ਜਾਣਕਾਰੀ
+error_close=ਬੰਦ ਕਰੋ
+
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (ਬਿਲਡ: {{build}}
+
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=ਸੁਨੇਹਾ: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=ਸਟੈਕ: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ਫਾਈਲ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=ਲਾਈਨ: {{line}}
+rendering_error=ਸਫ਼ਾ ਰੈਡਰ ਕਰਨ ਦੇ ਦੌਰਾਨ ਗਲਤੀ ਆਈ ਹੈ।
+
+# Predefined zoom values
+page_scale_width=ਸਫ਼ਾ ਚੌੜਾਈ
+page_scale_fit=ਸਫ਼ਾ ਫਿੱਟ
+page_scale_auto=ਆਟੋਮੈਟਿਕ ਜ਼ੂਮ
+page_scale_actual=ਆਟੋਮੈਟਿਕ ਆਕਾਰ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+# LOCALIZATION NOTE (error_line): "{{[percent}}" will be replaced with a percentage
+loading_error_indicator=ਗਲਤੀ
+loading_error=PDF ਲੋਡ ਕਰਨ ਦੇ ਦੌਰਾਨ ਗਲਤੀ ਆਈ ਹੈ।
+invalid_file_error=ਗਲਤ ਜਾਂ ਨਿਕਾਰਾ PDF ਫਾਈਲ ਹੈ।
+missing_file_error=ਨਾ-ਮੌਜੂਦ PDF ਫਾਈਲ।
+unexpected_response_error=ਅਣਜਾਣ ਸਰਵਰ ਜਵਾਬ।
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} ਵਿਆਖਿਆ]
+password_label=ਇਹ PDF ਫਾਈਲ ਖੋਲ੍ਹਣ ਲਈ ਪਾਸਵਰਡ ਦਿਉ।
+password_invalid=ਗਲਤ ਪਾਸਵਰਡ। ਫੇਰ ਕੋਸ਼ਿਸ਼ ਕਰੋ ਜੀ।
+password_ok=ਠੀਕ ਹੈ
+password_cancel=ਰੱਦ ਕਰੋ
+
+printing_not_supported=ਸਾਵਧਾਨ: ਇਹ ਬਰਾਊਜ਼ਰ ਪਰਿੰਟ ਕਰਨ ਲਈ ਪੂਰੀ ਤਰ੍ਹਾਂ ਸਹਾਇਕ ਨਹੀਂ ਹੈ।
+printing_not_ready=ਸਾਵਧਾਨ: PDF ਪਰਿੰਟ ਕਰਨ ਲਈ ਪੂਰੀ ਤਰ੍ਹਾਂ ਲੋਡ ਨਹੀਂ ਹੈ।
+web_fonts_disabled=ਵੈਬ ਫੋਂਟ ਬੰਦ ਹਨ: ਇੰਬੈਡ PDF ਫੋਂਟ ਵਰਤਨ ਲਈ ਅਸਮਰੱਥ ਹੈ।
+document_colors_disabled=PDF ਡੌਕੂਮੈਂਟ ਨੂੰ ਆਪਣੇ ਰੰਗ ਵਰਤਣ ਦੀ ਇਜ਼ਾਜ਼ਤ ਨਹੀਂ ਹੈ।: ਬਰਾਊਜ਼ਰ ਵਿੱਚ \u0022ਸਫ਼ਿਆਂ ਨੂੰ ਆਪਣੇ ਰੰਗ ਵਰਤਣ ਦਿਉ\u0022 ਨੂੰ ਬੰਦ ਕੀਤਾ ਹੋਇਆ ਹੈ।
\ No newline at end of file
diff --git a/static/pdf.js/locale/pl/viewer.ftl b/static/pdf.js/locale/pl/viewer.ftl
deleted file mode 100644
index b34d6074..00000000
--- a/static/pdf.js/locale/pl/viewer.ftl
+++ /dev/null
@@ -1,404 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Poprzednia strona
-pdfjs-previous-button-label = Poprzednia
-pdfjs-next-button =
- .title = Następna strona
-pdfjs-next-button-label = Następna
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Strona
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = z { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } z { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Pomniejsz
-pdfjs-zoom-out-button-label = Pomniejsz
-pdfjs-zoom-in-button =
- .title = Powiększ
-pdfjs-zoom-in-button-label = Powiększ
-pdfjs-zoom-select =
- .title = Skala
-pdfjs-presentation-mode-button =
- .title = Przełącz na tryb prezentacji
-pdfjs-presentation-mode-button-label = Tryb prezentacji
-pdfjs-open-file-button =
- .title = Otwórz plik
-pdfjs-open-file-button-label = Otwórz
-pdfjs-print-button =
- .title = Drukuj
-pdfjs-print-button-label = Drukuj
-pdfjs-save-button =
- .title = Zapisz
-pdfjs-save-button-label = Zapisz
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Pobierz
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Pobierz
-pdfjs-bookmark-button =
- .title = Bieżąca strona (adres do otwarcia na bieżącej stronie)
-pdfjs-bookmark-button-label = Bieżąca strona
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Otwórz w aplikacji
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Otwórz w aplikacji
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Narzędzia
-pdfjs-tools-button-label = Narzędzia
-pdfjs-first-page-button =
- .title = Przejdź do pierwszej strony
-pdfjs-first-page-button-label = Przejdź do pierwszej strony
-pdfjs-last-page-button =
- .title = Przejdź do ostatniej strony
-pdfjs-last-page-button-label = Przejdź do ostatniej strony
-pdfjs-page-rotate-cw-button =
- .title = Obróć zgodnie z ruchem wskazówek zegara
-pdfjs-page-rotate-cw-button-label = Obróć zgodnie z ruchem wskazówek zegara
-pdfjs-page-rotate-ccw-button =
- .title = Obróć przeciwnie do ruchu wskazówek zegara
-pdfjs-page-rotate-ccw-button-label = Obróć przeciwnie do ruchu wskazówek zegara
-pdfjs-cursor-text-select-tool-button =
- .title = Włącz narzędzie zaznaczania tekstu
-pdfjs-cursor-text-select-tool-button-label = Narzędzie zaznaczania tekstu
-pdfjs-cursor-hand-tool-button =
- .title = Włącz narzędzie rączka
-pdfjs-cursor-hand-tool-button-label = Narzędzie rączka
-pdfjs-scroll-page-button =
- .title = Przewijaj strony
-pdfjs-scroll-page-button-label = Przewijanie stron
-pdfjs-scroll-vertical-button =
- .title = Przewijaj dokument w pionie
-pdfjs-scroll-vertical-button-label = Przewijanie pionowe
-pdfjs-scroll-horizontal-button =
- .title = Przewijaj dokument w poziomie
-pdfjs-scroll-horizontal-button-label = Przewijanie poziome
-pdfjs-scroll-wrapped-button =
- .title = Strony dokumentu wyświetlaj i przewijaj w kolumnach
-pdfjs-scroll-wrapped-button-label = Widok dwóch stron
-pdfjs-spread-none-button =
- .title = Nie ustawiaj stron obok siebie
-pdfjs-spread-none-button-label = Brak kolumn
-pdfjs-spread-odd-button =
- .title = Strony nieparzyste ustawiaj na lewo od parzystych
-pdfjs-spread-odd-button-label = Nieparzyste po lewej
-pdfjs-spread-even-button =
- .title = Strony parzyste ustawiaj na lewo od nieparzystych
-pdfjs-spread-even-button-label = Parzyste po lewej
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Właściwości dokumentu…
-pdfjs-document-properties-button-label = Właściwości dokumentu…
-pdfjs-document-properties-file-name = Nazwa pliku:
-pdfjs-document-properties-file-size = Rozmiar pliku:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } B)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } B)
-pdfjs-document-properties-title = Tytuł:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Temat:
-pdfjs-document-properties-keywords = Słowa kluczowe:
-pdfjs-document-properties-creation-date = Data utworzenia:
-pdfjs-document-properties-modification-date = Data modyfikacji:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Utworzony przez:
-pdfjs-document-properties-producer = PDF wyprodukowany przez:
-pdfjs-document-properties-version = Wersja PDF:
-pdfjs-document-properties-page-count = Liczba stron:
-pdfjs-document-properties-page-size = Wymiary strony:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = pionowa
-pdfjs-document-properties-page-size-orientation-landscape = pozioma
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = US Letter
-pdfjs-document-properties-page-size-name-legal = US Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width }×{ $height } { $unit } (orientacja { $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width }×{ $height } { $unit } ({ $name }, orientacja { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Szybki podgląd w Internecie:
-pdfjs-document-properties-linearized-yes = tak
-pdfjs-document-properties-linearized-no = nie
-pdfjs-document-properties-close-button = Zamknij
-
-## Print
-
-pdfjs-print-progress-message = Przygotowywanie dokumentu do druku…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Anuluj
-pdfjs-printing-not-supported = Ostrzeżenie: drukowanie nie jest w pełni obsługiwane przez tę przeglądarkę.
-pdfjs-printing-not-ready = Ostrzeżenie: dokument PDF nie jest całkowicie wczytany, więc nie można go wydrukować.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Przełącz panel boczny
-pdfjs-toggle-sidebar-notification-button =
- .title = Przełącz panel boczny (dokument zawiera konspekt/załączniki/warstwy)
-pdfjs-toggle-sidebar-button-label = Przełącz panel boczny
-pdfjs-document-outline-button =
- .title = Konspekt dokumentu (podwójne kliknięcie rozwija lub zwija wszystkie pozycje)
-pdfjs-document-outline-button-label = Konspekt dokumentu
-pdfjs-attachments-button =
- .title = Załączniki
-pdfjs-attachments-button-label = Załączniki
-pdfjs-layers-button =
- .title = Warstwy (podwójne kliknięcie przywraca wszystkie warstwy do stanu domyślnego)
-pdfjs-layers-button-label = Warstwy
-pdfjs-thumbs-button =
- .title = Miniatury
-pdfjs-thumbs-button-label = Miniatury
-pdfjs-current-outline-item-button =
- .title = Znajdź bieżący element konspektu
-pdfjs-current-outline-item-button-label = Bieżący element konspektu
-pdfjs-findbar-button =
- .title = Znajdź w dokumencie
-pdfjs-findbar-button-label = Znajdź
-pdfjs-additional-layers = Dodatkowe warstwy
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page }. strona
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura { $page }. strony
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Znajdź
- .placeholder = Znajdź w dokumencie…
-pdfjs-find-previous-button =
- .title = Znajdź poprzednie wystąpienie tekstu
-pdfjs-find-previous-button-label = Poprzednie
-pdfjs-find-next-button =
- .title = Znajdź następne wystąpienie tekstu
-pdfjs-find-next-button-label = Następne
-pdfjs-find-highlight-checkbox = Wyróżnianie wszystkich
-pdfjs-find-match-case-checkbox-label = Rozróżnianie wielkości liter
-pdfjs-find-match-diacritics-checkbox-label = Rozróżnianie liter diakrytyzowanych
-pdfjs-find-entire-word-checkbox-label = Całe słowa
-pdfjs-find-reached-top = Początek dokumentu. Wyszukiwanie od końca.
-pdfjs-find-reached-bottom = Koniec dokumentu. Wyszukiwanie od początku.
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current }. z { $total } trafienia
- [few] { $current }. z { $total } trafień
- *[many] { $current }. z { $total } trafień
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Więcej niż { $limit } trafienie
- [few] Więcej niż { $limit } trafienia
- *[many] Więcej niż { $limit } trafień
- }
-pdfjs-find-not-found = Nie znaleziono tekstu
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Szerokość strony
-pdfjs-page-scale-fit = Dopasowanie strony
-pdfjs-page-scale-auto = Skala automatyczna
-pdfjs-page-scale-actual = Rozmiar oryginalny
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page }. strona
-
-## Loading indicator messages
-
-pdfjs-loading-error = Podczas wczytywania dokumentu PDF wystąpił błąd.
-pdfjs-invalid-file-error = Nieprawidłowy lub uszkodzony plik PDF.
-pdfjs-missing-file-error = Brak pliku PDF.
-pdfjs-unexpected-response-error = Nieoczekiwana odpowiedź serwera.
-pdfjs-rendering-error = Podczas renderowania strony wystąpił błąd.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Przypis: { $type }]
-
-## Password
-
-pdfjs-password-label = Wprowadź hasło, aby otworzyć ten dokument PDF.
-pdfjs-password-invalid = Nieprawidłowe hasło. Proszę spróbować ponownie.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Anuluj
-pdfjs-web-fonts-disabled = Czcionki sieciowe są wyłączone: nie można użyć osadzonych czcionek PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Rysunek
-pdfjs-editor-ink-button-label = Rysunek
-pdfjs-editor-stamp-button =
- .title = Dodaj lub edytuj obrazy
-pdfjs-editor-stamp-button-label = Dodaj lub edytuj obrazy
-pdfjs-editor-highlight-button =
- .title = Wyróżnij
-pdfjs-editor-highlight-button-label = Wyróżnij
-pdfjs-highlight-floating-button =
- .title = Wyróżnij
-pdfjs-highlight-floating-button1 =
- .title = Wyróżnij
- .aria-label = Wyróżnij
-pdfjs-highlight-floating-button-label = Wyróżnij
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Usuń rysunek
-pdfjs-editor-remove-freetext-button =
- .title = Usuń tekst
-pdfjs-editor-remove-stamp-button =
- .title = Usuń obraz
-pdfjs-editor-remove-highlight-button =
- .title = Usuń wyróżnienie
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Kolor
-pdfjs-editor-free-text-size-input = Rozmiar
-pdfjs-editor-ink-color-input = Kolor
-pdfjs-editor-ink-thickness-input = Grubość
-pdfjs-editor-ink-opacity-input = Nieprzezroczystość
-pdfjs-editor-stamp-add-image-button =
- .title = Dodaj obraz
-pdfjs-editor-stamp-add-image-button-label = Dodaj obraz
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grubość
-pdfjs-editor-free-highlight-thickness-title =
- .title = Zmień grubość podczas wyróżniania elementów innych niż tekst
-pdfjs-free-text =
- .aria-label = Edytor tekstu
-pdfjs-free-text-default-content = Zacznij pisać…
-pdfjs-ink =
- .aria-label = Edytor rysunku
-pdfjs-ink-canvas =
- .aria-label = Obraz utworzony przez użytkownika
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Tekst alternatywny
-pdfjs-editor-alt-text-edit-button-label = Edytuj tekst alternatywny
-pdfjs-editor-alt-text-dialog-label = Wybierz opcję
-pdfjs-editor-alt-text-dialog-description = Tekst alternatywny pomaga, kiedy ktoś nie może zobaczyć obrazu lub gdy się nie wczytuje.
-pdfjs-editor-alt-text-add-description-label = Dodaj opis
-pdfjs-editor-alt-text-add-description-description = Staraj się napisać 1-2 zdania opisujące temat, miejsce lub działania.
-pdfjs-editor-alt-text-mark-decorative-label = Oznacz jako dekoracyjne
-pdfjs-editor-alt-text-mark-decorative-description = Używane w przypadku obrazów ozdobnych, takich jak obramowania lub znaki wodne.
-pdfjs-editor-alt-text-cancel-button = Anuluj
-pdfjs-editor-alt-text-save-button = Zapisz
-pdfjs-editor-alt-text-decorative-tooltip = Oznaczone jako dekoracyjne
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Na przykład: „Młody człowiek siada przy stole, aby zjeść posiłek”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Lewy górny róg — zmień rozmiar
-pdfjs-editor-resizer-label-top-middle = Górny środkowy — zmień rozmiar
-pdfjs-editor-resizer-label-top-right = Prawy górny róg — zmień rozmiar
-pdfjs-editor-resizer-label-middle-right = Prawy środkowy — zmień rozmiar
-pdfjs-editor-resizer-label-bottom-right = Prawy dolny róg — zmień rozmiar
-pdfjs-editor-resizer-label-bottom-middle = Dolny środkowy — zmień rozmiar
-pdfjs-editor-resizer-label-bottom-left = Lewy dolny róg — zmień rozmiar
-pdfjs-editor-resizer-label-middle-left = Lewy środkowy — zmień rozmiar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Kolor wyróżnienia
-pdfjs-editor-colorpicker-button =
- .title = Zmień kolor
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Wybór kolorów
-pdfjs-editor-colorpicker-yellow =
- .title = Żółty
-pdfjs-editor-colorpicker-green =
- .title = Zielony
-pdfjs-editor-colorpicker-blue =
- .title = Niebieski
-pdfjs-editor-colorpicker-pink =
- .title = Różowy
-pdfjs-editor-colorpicker-red =
- .title = Czerwony
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Pokaż wszystkie
-pdfjs-editor-highlight-show-all-button =
- .title = Pokaż wszystkie
diff --git a/static/pdf.js/locale/pl/viewer.properties b/static/pdf.js/locale/pl/viewer.properties
new file mode 100644
index 00000000..f4fa2735
--- /dev/null
+++ b/static/pdf.js/locale/pl/viewer.properties
@@ -0,0 +1,124 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title=Poprzednia strona
+previous_label=Poprzednia
+next.title=Następna strona
+next_label=Następna
+
+page_label=Strona:
+page_of=z {{pageCount}}
+
+zoom_out.title=Pomniejszenie
+zoom_out_label=Pomniejsz
+zoom_in.title=Powiększenie
+zoom_in_label=Powiększ
+zoom.title=Skala
+presentation_mode.title=Przełącz na tryb prezentacji
+presentation_mode_label=Tryb prezentacji
+open_file.title=Otwieranie pliku
+open_file_label=Otwórz
+print.title=Drukowanie
+print_label=Drukuj
+download.title=Pobieranie
+download_label=Pobierz
+bookmark.title=Bieżąca pozycja (skopiuj lub otwórz jako odnośnik w nowym oknie)
+bookmark_label=Bieżąca pozycja
+
+tools.title=Narzędzia
+tools_label=Narzędzia
+first_page.title=Przechodzenie do pierwszej strony
+first_page.label=Przejdź do pierwszej strony
+first_page_label=Przejdź do pierwszej strony
+last_page.title=Przechodzenie do ostatniej strony
+last_page.label=Przejdź do ostatniej strony
+last_page_label=Przejdź do ostatniej strony
+page_rotate_cw.title=Obracanie zgodnie z ruchem wskazówek zegara
+page_rotate_cw.label=Obróć zgodnie z ruchem wskazówek zegara
+page_rotate_cw_label=Obróć zgodnie z ruchem wskazówek zegara
+page_rotate_ccw.title=Obracanie przeciwnie do ruchu wskazówek zegara
+page_rotate_ccw.label=Obróć przeciwnie do ruchu wskazówek zegara
+page_rotate_ccw_label=Obróć przeciwnie do ruchu wskazówek zegara
+
+hand_tool_enable.title=Włączanie narzędzia rączka
+hand_tool_enable_label=Włącz narzędzie rączka
+hand_tool_disable.title=Wyłączanie narzędzia rączka
+hand_tool_disable_label=Wyłącz narzędzie rączka
+
+document_properties.title=Właściwości dokumentu…
+document_properties_label=Właściwości dokumentu…
+document_properties_file_name=Nazwa pliku:
+document_properties_file_size=Rozmiar pliku:
+document_properties_kb={{size_kb}} KB ({{size_b}} b)
+document_properties_mb={{size_mb}} MB ({{size_b}} b)
+document_properties_title=Tytuł:
+document_properties_author=Autor:
+document_properties_subject=Temat:
+document_properties_keywords=Słowa kluczowe:
+document_properties_creation_date=Data utworzenia:
+document_properties_modification_date=Data modyfikacji:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Utworzony przez:
+document_properties_producer=PDF wyprodukowany przez:
+document_properties_version=Wersja PDF:
+document_properties_page_count=Liczba stron:
+document_properties_close=Zamknij
+
+toggle_sidebar.title=Przełączanie panelu bocznego
+toggle_sidebar_label=Przełącz panel boczny
+outline.title=Wyświetlanie zarysu dokumentu
+outline_label=Zarys dokumentu
+attachments.title=Wyświetlanie załączników
+attachments_label=Załączniki
+thumbs.title=Wyświetlanie miniaturek
+thumbs_label=Miniaturki
+findbar.title=Znajdź w dokumencie
+findbar_label=Znajdź
+
+thumb_page_title=Strona {{page}}
+thumb_page_canvas=Miniaturka strony {{page}}
+
+find_label=Znajdź:
+find_previous.title=Znajdź poprzednie wystąpienie tekstu
+find_previous_label=Poprzednie
+find_next.title=Znajdź następne wystąpienie tekstu
+find_next_label=Następne
+find_highlight=Podświetl wszystkie
+find_match_case_label=Rozróżniaj wielkość znaków
+find_reached_top=Osiągnięto początek dokumentu, kontynuacja od końca
+find_reached_bottom=Osiągnięto koniec dokumentu, kontynuacja od początku
+find_not_found=Tekst nieznaleziony
+
+error_more_info=Więcej informacji
+error_less_info=Mniej informacji
+error_close=Zamknij
+error_version_info=PDF.js v{{version}} (kompilacja: {{build}})
+error_message=Wiadomość: {{message}}
+error_stack=Stos: {{stack}}
+error_file=Plik: {{file}}
+error_line=Wiersz: {{line}}
+rendering_error=Podczas renderowania strony wystąpił błąd.
+
+page_scale_width=Szerokość strony
+page_scale_fit=Dopasowanie strony
+page_scale_auto=Skala automatyczna
+page_scale_actual=Rozmiar rzeczywisty
+page_scale_percent={{scale}}%
+
+loading_error_indicator=Błąd
+loading_error=Podczas wczytywania dokumentu PDF wystąpił błąd.
+invalid_file_error=Nieprawidłowy lub uszkodzony plik PDF.
+missing_file_error=Brak pliku PDF.
+unexpected_response_error=Nieoczekiwana odpowiedź serwera.
+
+text_annotation_type.alt=[Adnotacja: {{type}}]
+password_label=Wprowadź hasło, aby otworzyć ten dokument PDF.
+password_invalid=Nieprawidłowe hasło. Proszę spróbować ponownie.
+password_ok=OK
+password_cancel=Anuluj
+
+printing_not_supported=Ostrzeżenie: Drukowanie nie jest w pełni obsługiwane przez przeglądarkę.
+printing_not_ready=Ostrzeżenie: Dokument PDF nie jest całkowicie wczytany, więc nie można go wydrukować.
+web_fonts_disabled=Czcionki sieciowe są wyłączone: nie można użyć osadzonych czcionek PDF.
+document_colors_not_allowed=Dokumenty PDF nie mogą używać własnych kolorów: Opcja „Pozwalaj stronom stosować inne kolory” w przeglądarce jest nieaktywna.
diff --git a/static/pdf.js/locale/pt-BR/viewer.ftl b/static/pdf.js/locale/pt-BR/viewer.ftl
deleted file mode 100644
index 153f0426..00000000
--- a/static/pdf.js/locale/pt-BR/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Próxima página
-pdfjs-next-button-label = Próxima
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Reduzir
-pdfjs-zoom-out-button-label = Reduzir
-pdfjs-zoom-in-button =
- .title = Ampliar
-pdfjs-zoom-in-button-label = Ampliar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Mudar para o modo de apresentação
-pdfjs-presentation-mode-button-label = Modo de apresentação
-pdfjs-open-file-button =
- .title = Abrir arquivo
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Salvar
-pdfjs-save-button-label = Salvar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Baixar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Baixar
-pdfjs-bookmark-button =
- .title = Página atual (ver URL da página atual)
-pdfjs-bookmark-button-label = Pagina atual
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ferramentas
-pdfjs-tools-button-label = Ferramentas
-pdfjs-first-page-button =
- .title = Ir para a primeira página
-pdfjs-first-page-button-label = Ir para a primeira página
-pdfjs-last-page-button =
- .title = Ir para a última página
-pdfjs-last-page-button-label = Ir para a última página
-pdfjs-page-rotate-cw-button =
- .title = Girar no sentido horário
-pdfjs-page-rotate-cw-button-label = Girar no sentido horário
-pdfjs-page-rotate-ccw-button =
- .title = Girar no sentido anti-horário
-pdfjs-page-rotate-ccw-button-label = Girar no sentido anti-horário
-pdfjs-cursor-text-select-tool-button =
- .title = Ativar a ferramenta de seleção de texto
-pdfjs-cursor-text-select-tool-button-label = Ferramenta de seleção de texto
-pdfjs-cursor-hand-tool-button =
- .title = Ativar ferramenta de deslocamento
-pdfjs-cursor-hand-tool-button-label = Ferramenta de deslocamento
-pdfjs-scroll-page-button =
- .title = Usar rolagem de página
-pdfjs-scroll-page-button-label = Rolagem de página
-pdfjs-scroll-vertical-button =
- .title = Usar deslocamento vertical
-pdfjs-scroll-vertical-button-label = Deslocamento vertical
-pdfjs-scroll-horizontal-button =
- .title = Usar deslocamento horizontal
-pdfjs-scroll-horizontal-button-label = Deslocamento horizontal
-pdfjs-scroll-wrapped-button =
- .title = Usar deslocamento contido
-pdfjs-scroll-wrapped-button-label = Deslocamento contido
-pdfjs-spread-none-button =
- .title = Não reagrupar páginas
-pdfjs-spread-none-button-label = Não estender
-pdfjs-spread-odd-button =
- .title = Agrupar páginas começando em páginas com números ímpares
-pdfjs-spread-odd-button-label = Estender ímpares
-pdfjs-spread-even-button =
- .title = Agrupar páginas começando em páginas com números pares
-pdfjs-spread-even-button-label = Estender pares
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propriedades do documento…
-pdfjs-document-properties-button-label = Propriedades do documento…
-pdfjs-document-properties-file-name = Nome do arquivo:
-pdfjs-document-properties-file-size = Tamanho do arquivo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Assunto:
-pdfjs-document-properties-keywords = Palavras-chave:
-pdfjs-document-properties-creation-date = Data da criação:
-pdfjs-document-properties-modification-date = Data da modificação:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Criação:
-pdfjs-document-properties-producer = Criador do PDF:
-pdfjs-document-properties-version = Versão do PDF:
-pdfjs-document-properties-page-count = Número de páginas:
-pdfjs-document-properties-page-size = Tamanho da página:
-pdfjs-document-properties-page-size-unit-inches = pol.
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = retrato
-pdfjs-document-properties-page-size-orientation-landscape = paisagem
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Jurídico
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Exibição web rápida:
-pdfjs-document-properties-linearized-yes = Sim
-pdfjs-document-properties-linearized-no = Não
-pdfjs-document-properties-close-button = Fechar
-
-## Print
-
-pdfjs-print-progress-message = Preparando documento para impressão…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Aviso: a impressão não é totalmente suportada neste navegador.
-pdfjs-printing-not-ready = Aviso: o PDF não está totalmente carregado para impressão.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Exibir/ocultar painel lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Exibir/ocultar painel (documento contém estrutura/anexos/camadas)
-pdfjs-toggle-sidebar-button-label = Exibir/ocultar painel
-pdfjs-document-outline-button =
- .title = Mostrar estrutura do documento (duplo-clique expande/recolhe todos os itens)
-pdfjs-document-outline-button-label = Estrutura do documento
-pdfjs-attachments-button =
- .title = Mostrar anexos
-pdfjs-attachments-button-label = Anexos
-pdfjs-layers-button =
- .title = Mostrar camadas (duplo-clique redefine todas as camadas ao estado predefinido)
-pdfjs-layers-button-label = Camadas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Encontrar item atual da estrutura
-pdfjs-current-outline-item-button-label = Item atual da estrutura
-pdfjs-findbar-button =
- .title = Procurar no documento
-pdfjs-findbar-button-label = Procurar
-pdfjs-additional-layers = Camadas adicionais
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura da página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Procurar
- .placeholder = Procurar no documento…
-pdfjs-find-previous-button =
- .title = Procurar a ocorrência anterior da frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Procurar a próxima ocorrência da frase
-pdfjs-find-next-button-label = Próxima
-pdfjs-find-highlight-checkbox = Destacar tudo
-pdfjs-find-match-case-checkbox-label = Diferenciar maiúsculas/minúsculas
-pdfjs-find-match-diacritics-checkbox-label = Considerar acentuação
-pdfjs-find-entire-word-checkbox-label = Palavras completas
-pdfjs-find-reached-top = Início do documento alcançado, continuando do fim
-pdfjs-find-reached-bottom = Fim do documento alcançado, continuando do início
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } de { $total } ocorrência
- *[other] { $current } de { $total } ocorrências
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mais de { $limit } ocorrência
- *[other] Mais de { $limit } ocorrências
- }
-pdfjs-find-not-found = Não encontrado
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Largura da página
-pdfjs-page-scale-fit = Ajustar à janela
-pdfjs-page-scale-auto = Zoom automático
-pdfjs-page-scale-actual = Tamanho real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ocorreu um erro ao carregar o PDF.
-pdfjs-invalid-file-error = Arquivo PDF corrompido ou inválido.
-pdfjs-missing-file-error = Arquivo PDF ausente.
-pdfjs-unexpected-response-error = Resposta inesperada do servidor.
-pdfjs-rendering-error = Ocorreu um erro ao renderizar a página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotação { $type }]
-
-## Password
-
-pdfjs-password-label = Forneça a senha para abrir este arquivo PDF.
-pdfjs-password-invalid = Senha inválida. Tente novamente.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = As fontes web estão desativadas: não foi possível usar fontes incorporadas do PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Desenho
-pdfjs-editor-ink-button-label = Desenho
-pdfjs-editor-stamp-button =
- .title = Adicionar ou editar imagens
-pdfjs-editor-stamp-button-label = Adicionar ou editar imagens
-pdfjs-editor-highlight-button =
- .title = Destaque
-pdfjs-editor-highlight-button-label = Destaque
-pdfjs-highlight-floating-button =
- .title = Destaque
-pdfjs-highlight-floating-button1 =
- .title = Destaque
- .aria-label = Destaque
-pdfjs-highlight-floating-button-label = Destaque
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remover desenho
-pdfjs-editor-remove-freetext-button =
- .title = Remover texto
-pdfjs-editor-remove-stamp-button =
- .title = Remover imagem
-pdfjs-editor-remove-highlight-button =
- .title = Remover destaque
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Cor
-pdfjs-editor-free-text-size-input = Tamanho
-pdfjs-editor-ink-color-input = Cor
-pdfjs-editor-ink-thickness-input = Espessura
-pdfjs-editor-ink-opacity-input = Opacidade
-pdfjs-editor-stamp-add-image-button =
- .title = Adicionar imagem
-pdfjs-editor-stamp-add-image-button-label = Adicionar imagem
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Espessura
-pdfjs-editor-free-highlight-thickness-title =
- .title = Mudar espessura ao destacar itens que não são texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Comece digitando…
-pdfjs-ink =
- .aria-label = Editor de desenho
-pdfjs-ink-canvas =
- .aria-label = Imagem criada pelo usuário
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar texto alternativo
-pdfjs-editor-alt-text-dialog-label = Escolha uma opção
-pdfjs-editor-alt-text-dialog-description = O texto alternativo ajuda quando uma imagem não aparece ou não é carregada.
-pdfjs-editor-alt-text-add-description-label = Adicionar uma descrição
-pdfjs-editor-alt-text-add-description-description = Procure usar uma ou duas frases que descrevam o assunto, cenário ou ação.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativa
-pdfjs-editor-alt-text-mark-decorative-description = Isto é usado em imagens ornamentais, como bordas ou marcas d'água.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Salvar
-pdfjs-editor-alt-text-decorative-tooltip = Marcado como decorativa
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por exemplo, “Um jovem senta-se à mesa para comer uma refeição”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Canto superior esquerdo — redimensionar
-pdfjs-editor-resizer-label-top-middle = No centro do topo — redimensionar
-pdfjs-editor-resizer-label-top-right = Canto superior direito — redimensionar
-pdfjs-editor-resizer-label-middle-right = No meio à direita — redimensionar
-pdfjs-editor-resizer-label-bottom-right = Canto inferior direito — redimensionar
-pdfjs-editor-resizer-label-bottom-middle = No centro da base — redimensionar
-pdfjs-editor-resizer-label-bottom-left = Canto inferior esquerdo — redimensionar
-pdfjs-editor-resizer-label-middle-left = No meio à esquerda — redimensionar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Cor de destaque
-pdfjs-editor-colorpicker-button =
- .title = Mudar cor
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Opções de cores
-pdfjs-editor-colorpicker-yellow =
- .title = Amarelo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Azul
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Vermelho
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostrar todos
-pdfjs-editor-highlight-show-all-button =
- .title = Mostrar todos
diff --git a/static/pdf.js/locale/pt-BR/viewer.properties b/static/pdf.js/locale/pt-BR/viewer.properties
new file mode 100644
index 00000000..cdfd8f0c
--- /dev/null
+++ b/static/pdf.js/locale/pt-BR/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Página anterior
+previous_label=Anterior
+next.title=Próxima página
+next_label=Próxima
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Página:
+page_of=de {{pageCount}}
+
+zoom_out.title=Diminuir zoom
+zoom_out_label=Diminuir zoom
+zoom_in.title=Aumentar zoom
+zoom_in_label=Aumentar zoom
+zoom.title=Zoom
+presentation_mode.title=Alternar para modo de apresentação
+presentation_mode_label=Modo de apresentação
+open_file.title=Abrir arquivo
+open_file_label=Abrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Download
+download_label=Download
+bookmark.title=Visualização atual (copie ou abra em uma nova janela)
+bookmark_label=Visualização atual
+
+# Secondary toolbar and context menu
+tools.title=Ferramentas
+tools_label=Ferramentas
+first_page.title=Ir para a primeira página
+first_page.label=Ir para a primeira página
+first_page_label=Ir para a primeira página
+last_page.title=Ir para a última página
+last_page.label=Ir para a última página
+last_page_label=Ir para a última página
+page_rotate_cw.title=Girar no sentido horário
+page_rotate_cw.label=Girar no sentido horário
+page_rotate_cw_label=Girar no sentido horário
+page_rotate_ccw.title=Girar no sentido anti-horário
+page_rotate_ccw.label=Girar no sentido anti-horário
+page_rotate_ccw_label=Girar no sentido anti-horário
+
+hand_tool_enable.title=Ativar ferramenta da mão
+hand_tool_enable_label=Ativar ferramenta da mão
+hand_tool_disable.title=Desativar ferramenta da mão
+hand_tool_disable_label=Desativar ferramenta da mão
+
+# Document properties dialog box
+document_properties.title=Propriedades do documento…
+document_properties_label=Propriedades do documento…
+document_properties_file_name=Nome do arquivo:
+document_properties_file_size=Tamanho do arquivo:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Assunto:
+document_properties_keywords=Palavras-chave:
+document_properties_creation_date=Data da criação:
+document_properties_modification_date=Data da modificação:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Criação:
+document_properties_producer=Criador do PDF:
+document_properties_version=Versão do PDF:
+document_properties_page_count=Número de páginas:
+document_properties_close=Fechar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Exibir/ocultar painel
+toggle_sidebar_label=Exibir/ocultar painel
+outline.title=Exibir estrutura de tópicos
+outline_label=Estrutura de tópicos do documento
+attachments.title=Exibir anexos
+attachments_label=Anexos
+thumbs.title=Exibir miniaturas das páginas
+thumbs_label=Miniaturas
+findbar.title=Localizar no documento
+findbar_label=Localizar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Página {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura da página {{page}}
+
+# Find panel button title and messages
+find_label=Localizar:
+find_previous.title=Localizar a ocorrência anterior do texto
+find_previous_label=Anterior
+find_next.title=Localizar a próxima ocorrência do texto
+find_next_label=Próxima
+find_highlight=Realçar tudo
+find_match_case_label=Diferenciar maiúsculas/minúsculas
+find_reached_top=Atingido o início do documento, continuando do fim
+find_reached_bottom=Atingido o fim do documento, continuando do início
+find_not_found=Texto não encontrado
+
+# Error panel labels
+error_more_info=Mais informações
+error_less_info=Menos informações
+error_close=Fechar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensagem: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Arquivo: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linha: {{line}}
+rendering_error=Ocorreu um erro ao renderizar a página.
+
+# Predefined zoom values
+page_scale_width=Largura da página
+page_scale_fit=Ajustar à janela
+page_scale_auto=Zoom automático
+page_scale_actual=Tamanho real
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Erro
+loading_error=Ocorreu um erro ao carregar o PDF.
+invalid_file_error=Arquivo PDF corrompido ou inválido.
+missing_file_error=Arquivo PDF ausente.
+unexpected_response_error=Resposta inesperada do servidor.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotação {{type}}]
+password_label=Forneça a senha para abrir este arquivo PDF.
+password_invalid=Senha inválida. Por favor, tente de novo.
+password_ok=OK
+password_cancel=Cancelar
+
+printing_not_supported=Alerta: a impressão não é totalmente suportada neste navegador.
+printing_not_ready=Alerta: o PDF não está totalmente carregado para impressão.
+web_fonts_disabled=Fontes da web estão desativadas: não é possível usar fontes incorporadas do PDF.
+document_colors_not_allowed=Documentos PDF não estão autorizados a usar suas próprias cores: “Páginas podem usar outras cores” está desativado no navegador.
diff --git a/static/pdf.js/locale/pt-PT/viewer.ftl b/static/pdf.js/locale/pt-PT/viewer.ftl
deleted file mode 100644
index 7fd8d378..00000000
--- a/static/pdf.js/locale/pt-PT/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Página anterior
-pdfjs-previous-button-label = Anterior
-pdfjs-next-button =
- .title = Página seguinte
-pdfjs-next-button-label = Seguinte
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Página
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Reduzir
-pdfjs-zoom-out-button-label = Reduzir
-pdfjs-zoom-in-button =
- .title = Ampliar
-pdfjs-zoom-in-button-label = Ampliar
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Trocar para o modo de apresentação
-pdfjs-presentation-mode-button-label = Modo de apresentação
-pdfjs-open-file-button =
- .title = Abrir ficheiro
-pdfjs-open-file-button-label = Abrir
-pdfjs-print-button =
- .title = Imprimir
-pdfjs-print-button-label = Imprimir
-pdfjs-save-button =
- .title = Guardar
-pdfjs-save-button-label = Guardar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Transferir
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Transferir
-pdfjs-bookmark-button =
- .title = Página atual (ver URL da página atual)
-pdfjs-bookmark-button-label = Pagina atual
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Abrir na aplicação
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Abrir na aplicação
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Ferramentas
-pdfjs-tools-button-label = Ferramentas
-pdfjs-first-page-button =
- .title = Ir para a primeira página
-pdfjs-first-page-button-label = Ir para a primeira página
-pdfjs-last-page-button =
- .title = Ir para a última página
-pdfjs-last-page-button-label = Ir para a última página
-pdfjs-page-rotate-cw-button =
- .title = Rodar à direita
-pdfjs-page-rotate-cw-button-label = Rodar à direita
-pdfjs-page-rotate-ccw-button =
- .title = Rodar à esquerda
-pdfjs-page-rotate-ccw-button-label = Rodar à esquerda
-pdfjs-cursor-text-select-tool-button =
- .title = Ativar ferramenta de seleção de texto
-pdfjs-cursor-text-select-tool-button-label = Ferramenta de seleção de texto
-pdfjs-cursor-hand-tool-button =
- .title = Ativar ferramenta de mão
-pdfjs-cursor-hand-tool-button-label = Ferramenta de mão
-pdfjs-scroll-page-button =
- .title = Utilizar deslocamento da página
-pdfjs-scroll-page-button-label = Deslocamento da página
-pdfjs-scroll-vertical-button =
- .title = Utilizar deslocação vertical
-pdfjs-scroll-vertical-button-label = Deslocação vertical
-pdfjs-scroll-horizontal-button =
- .title = Utilizar deslocação horizontal
-pdfjs-scroll-horizontal-button-label = Deslocação horizontal
-pdfjs-scroll-wrapped-button =
- .title = Utilizar deslocação encapsulada
-pdfjs-scroll-wrapped-button-label = Deslocação encapsulada
-pdfjs-spread-none-button =
- .title = Não juntar páginas dispersas
-pdfjs-spread-none-button-label = Sem spreads
-pdfjs-spread-odd-button =
- .title = Juntar páginas dispersas a partir de páginas com números ímpares
-pdfjs-spread-odd-button-label = Spreads ímpares
-pdfjs-spread-even-button =
- .title = Juntar páginas dispersas a partir de páginas com números pares
-pdfjs-spread-even-button-label = Spreads pares
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propriedades do documento…
-pdfjs-document-properties-button-label = Propriedades do documento…
-pdfjs-document-properties-file-name = Nome do ficheiro:
-pdfjs-document-properties-file-size = Tamanho do ficheiro:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Título:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Assunto:
-pdfjs-document-properties-keywords = Palavras-chave:
-pdfjs-document-properties-creation-date = Data de criação:
-pdfjs-document-properties-modification-date = Data de modificação:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Criador:
-pdfjs-document-properties-producer = Produtor de PDF:
-pdfjs-document-properties-version = Versão do PDF:
-pdfjs-document-properties-page-count = N.º de páginas:
-pdfjs-document-properties-page-size = Tamanho da página:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = retrato
-pdfjs-document-properties-page-size-orientation-landscape = paisagem
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Carta
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista rápida web:
-pdfjs-document-properties-linearized-yes = Sim
-pdfjs-document-properties-linearized-no = Não
-pdfjs-document-properties-close-button = Fechar
-
-## Print
-
-pdfjs-print-progress-message = A preparar o documento para impressão…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cancelar
-pdfjs-printing-not-supported = Aviso: a impressão não é totalmente suportada por este navegador.
-pdfjs-printing-not-ready = Aviso: o PDF ainda não está totalmente carregado.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Alternar barra lateral
-pdfjs-toggle-sidebar-notification-button =
- .title = Alternar barra lateral (o documento contém contornos/anexos/camadas)
-pdfjs-toggle-sidebar-button-label = Alternar barra lateral
-pdfjs-document-outline-button =
- .title = Mostrar esquema do documento (duplo clique para expandir/colapsar todos os itens)
-pdfjs-document-outline-button-label = Esquema do documento
-pdfjs-attachments-button =
- .title = Mostrar anexos
-pdfjs-attachments-button-label = Anexos
-pdfjs-layers-button =
- .title = Mostrar camadas (clique duas vezes para repor todas as camadas para o estado predefinido)
-pdfjs-layers-button-label = Camadas
-pdfjs-thumbs-button =
- .title = Mostrar miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Encontrar o item atualmente destacado
-pdfjs-current-outline-item-button-label = Item atualmente destacado
-pdfjs-findbar-button =
- .title = Localizar em documento
-pdfjs-findbar-button-label = Localizar
-pdfjs-additional-layers = Camadas adicionais
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Página { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura da página { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Localizar
- .placeholder = Localizar em documento…
-pdfjs-find-previous-button =
- .title = Localizar ocorrência anterior da frase
-pdfjs-find-previous-button-label = Anterior
-pdfjs-find-next-button =
- .title = Localizar ocorrência seguinte da frase
-pdfjs-find-next-button-label = Seguinte
-pdfjs-find-highlight-checkbox = Destacar tudo
-pdfjs-find-match-case-checkbox-label = Correspondência
-pdfjs-find-match-diacritics-checkbox-label = Corresponder diacríticos
-pdfjs-find-entire-word-checkbox-label = Palavras completas
-pdfjs-find-reached-top = Topo do documento atingido, a continuar a partir do fundo
-pdfjs-find-reached-bottom = Fim do documento atingido, a continuar a partir do topo
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } de { $total } correspondência
- *[other] { $current } de { $total } correspondências
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mais de { $limit } correspondência
- *[other] Mais de { $limit } correspondências
- }
-pdfjs-find-not-found = Frase não encontrada
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ajustar à largura
-pdfjs-page-scale-fit = Ajustar à página
-pdfjs-page-scale-auto = Zoom automático
-pdfjs-page-scale-actual = Tamanho real
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Página { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ocorreu um erro ao carregar o PDF.
-pdfjs-invalid-file-error = Ficheiro PDF inválido ou danificado.
-pdfjs-missing-file-error = Ficheiro PDF inexistente.
-pdfjs-unexpected-response-error = Resposta inesperada do servidor.
-pdfjs-rendering-error = Ocorreu um erro ao processar a página.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotação { $type }]
-
-## Password
-
-pdfjs-password-label = Introduza a palavra-passe para abrir este ficheiro PDF.
-pdfjs-password-invalid = Palavra-passe inválida. Por favor, tente novamente.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Cancelar
-pdfjs-web-fonts-disabled = Os tipos de letra web estão desativados: não é possível utilizar os tipos de letra PDF embutidos.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Texto
-pdfjs-editor-free-text-button-label = Texto
-pdfjs-editor-ink-button =
- .title = Desenhar
-pdfjs-editor-ink-button-label = Desenhar
-pdfjs-editor-stamp-button =
- .title = Adicionar ou editar imagens
-pdfjs-editor-stamp-button-label = Adicionar ou editar imagens
-pdfjs-editor-highlight-button =
- .title = Destaque
-pdfjs-editor-highlight-button-label = Destaque
-pdfjs-highlight-floating-button =
- .title = Destaque
-pdfjs-highlight-floating-button1 =
- .title = Realçar
- .aria-label = Realçar
-pdfjs-highlight-floating-button-label = Realçar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Remover desenho
-pdfjs-editor-remove-freetext-button =
- .title = Remover texto
-pdfjs-editor-remove-stamp-button =
- .title = Remover imagem
-pdfjs-editor-remove-highlight-button =
- .title = Remover destaque
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Cor
-pdfjs-editor-free-text-size-input = Tamanho
-pdfjs-editor-ink-color-input = Cor
-pdfjs-editor-ink-thickness-input = Espessura
-pdfjs-editor-ink-opacity-input = Opacidade
-pdfjs-editor-stamp-add-image-button =
- .title = Adicionar imagem
-pdfjs-editor-stamp-add-image-button-label = Adicionar imagem
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Espessura
-pdfjs-editor-free-highlight-thickness-title =
- .title = Alterar espessura quando destacar itens que não sejam texto
-pdfjs-free-text =
- .aria-label = Editor de texto
-pdfjs-free-text-default-content = Começar a digitar…
-pdfjs-ink =
- .aria-label = Editor de desenho
-pdfjs-ink-canvas =
- .aria-label = Imagem criada pelo utilizador
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Texto alternativo
-pdfjs-editor-alt-text-edit-button-label = Editar texto alternativo
-pdfjs-editor-alt-text-dialog-label = Escolher uma opção
-pdfjs-editor-alt-text-dialog-description = O texto alternativo (texto alternativo) ajuda quando as pessoas não conseguem ver a imagem ou quando a mesma não é carregada.
-pdfjs-editor-alt-text-add-description-label = Adicionar uma descrição
-pdfjs-editor-alt-text-add-description-description = Aponte para 1-2 frases que descrevam o assunto, definição ou ações.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar como decorativa
-pdfjs-editor-alt-text-mark-decorative-description = Isto é utilizado para imagens decorativas, tais como limites ou marcas d'água.
-pdfjs-editor-alt-text-cancel-button = Cancelar
-pdfjs-editor-alt-text-save-button = Guardar
-pdfjs-editor-alt-text-decorative-tooltip = Marcada como decorativa
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Por exemplo, “Um jovem senta-se à mesa para comer uma refeição”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Canto superior esquerdo — redimensionar
-pdfjs-editor-resizer-label-top-middle = Superior ao centro — redimensionar
-pdfjs-editor-resizer-label-top-right = Canto superior direito — redimensionar
-pdfjs-editor-resizer-label-middle-right = Centro à direita — redimensionar
-pdfjs-editor-resizer-label-bottom-right = Canto inferior direito — redimensionar
-pdfjs-editor-resizer-label-bottom-middle = Inferior ao centro — redimensionar
-pdfjs-editor-resizer-label-bottom-left = Canto inferior esquerdo — redimensionar
-pdfjs-editor-resizer-label-middle-left = Centro à esquerda — redimensionar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Cor de destaque
-pdfjs-editor-colorpicker-button =
- .title = Alterar cor
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Escolhas de cor
-pdfjs-editor-colorpicker-yellow =
- .title = Amarelo
-pdfjs-editor-colorpicker-green =
- .title = Verde
-pdfjs-editor-colorpicker-blue =
- .title = Azul
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Vermelho
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mostrar tudo
-pdfjs-editor-highlight-show-all-button =
- .title = Mostrar tudo
diff --git a/static/pdf.js/locale/pt-PT/viewer.properties b/static/pdf.js/locale/pt-PT/viewer.properties
new file mode 100644
index 00000000..71409520
--- /dev/null
+++ b/static/pdf.js/locale/pt-PT/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Página anterior
+previous_label=Anterior
+next.title=Página seguinte
+next_label=Seguinte
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Página:
+page_of=de {{pageCount}}
+
+zoom_out.title=Reduzir
+zoom_out_label=Reduzir
+zoom_in.title=Ampliar
+zoom_in_label=Ampliar
+zoom.title=Ampliação
+presentation_mode.title=Mudar para modo de apresentação
+presentation_mode_label=Modo de apresentação
+open_file.title=Abrir ficheiro
+open_file_label=Abrir
+print.title=Imprimir
+print_label=Imprimir
+download.title=Descarregar
+download_label=Descarregar
+bookmark.title=Visão atual (copiar ou abrir em nova janela)
+bookmark_label=Visão atual
+
+# Secondary toolbar and context menu
+tools.title=Ferramentas
+tools_label=Ferramentas
+first_page.title=Ir para a primeira página
+first_page.label=Ir para a primeira página
+first_page_label=Ir para a primeira página
+last_page.title=Ir para a última página
+last_page.label=Ir para a última página
+last_page_label=Ir para a última página
+page_rotate_cw.title=Rodar à direita
+page_rotate_cw.label=Rodar à direita
+page_rotate_cw_label=Rodar à direita
+page_rotate_ccw.title=Rodar à esquerda
+page_rotate_ccw.label=Rodar à esquerda
+page_rotate_ccw_label=Rodar à esquerda
+
+hand_tool_enable.title=Ativar ferramenta de mão
+hand_tool_enable_label=Ativar ferramenta de mão
+hand_tool_disable.title=Desativar ferramenta de mão
+hand_tool_disable_label=Desativar ferramenta de mão
+
+# Document properties dialog box
+document_properties.title=Propriedades do documento…
+document_properties_label=Propriedades do documento…
+document_properties_file_name=Nome do ficheiro:
+document_properties_file_size=Tamanho do ficheiro:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Título:
+document_properties_author=Autor:
+document_properties_subject=Assunto:
+document_properties_keywords=Palavras-chave:
+document_properties_creation_date=Data de criação:
+document_properties_modification_date=Data de modificação:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Criador:
+document_properties_producer=Produtor de PDF:
+document_properties_version=Versão do PDF:
+document_properties_page_count=N.º de páginas:
+document_properties_close=Fechar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Comutar barra lateral
+toggle_sidebar_label=Comutar barra lateral
+outline.title=Mostrar estrutura do documento
+outline_label=Estrutura do documento
+attachments.title=Mostrar anexos
+attachments_label=Anexos
+thumbs.title=Mostrar miniaturas
+thumbs_label=Miniaturas
+findbar.title=Localizar no documento
+findbar_label=Localizar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Página {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura da página {{page}}
+
+# Find panel button title and messages
+find_label=Localizar:
+find_previous.title=Localizar ocorrência anterior da frase
+find_previous_label=Anterior
+find_next.title=Localizar ocorrência seguinte da frase
+find_next_label=Seguinte
+find_highlight=Destacar tudo
+find_match_case_label=Correspondência
+find_reached_top=Início de documento atingido, a continuar do fim
+find_reached_bottom=Fim da página atingido, a continuar do início
+find_not_found=Frase não encontrada
+
+# Error panel labels
+error_more_info=Mais informação
+error_less_info=Menos informação
+error_close=Fechar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (compilação: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensagem: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Pilha: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ficheiro: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linha: {{line}}
+rendering_error=Ocorreu um erro ao processar a página.
+
+# Predefined zoom values
+page_scale_width=Ajustar à largura
+page_scale_fit=Ajustar à página
+page_scale_auto=Tamanho automático
+page_scale_actual=Tamanho real
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Erro
+loading_error=Ocorreu um erro ao carregar o PDF.
+invalid_file_error=Ficheiro PDF inválido ou danificado.
+missing_file_error=Ficheiro PDF inexistente.
+unexpected_response_error=Resposta inesperada do servidor.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotação {{type}}]
+password_label=Digite a palavra-passe para abrir este PDF.
+password_invalid=Palavra-passe inválida. Por favor, tente novamente.
+password_ok=OK
+password_cancel=Cancelar
+
+printing_not_supported=Aviso: a impressão não é totalmente suportada por este navegador.
+printing_not_ready=Aviso: o PDF ainda não está totalmente carregado.
+web_fonts_disabled=Os tipos de letra web estão desativados: não é possível utilizar os tipos de letra PDF incorporados.
+document_colors_not_allowed=Os documentos PDF não permitem a utilização das suas próprias cores: 'Autorizar as páginas a escolher as suas próprias cores' está desativada no navegador.
diff --git a/static/pdf.js/locale/rm/viewer.ftl b/static/pdf.js/locale/rm/viewer.ftl
deleted file mode 100644
index e428e133..00000000
--- a/static/pdf.js/locale/rm/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina precedenta
-pdfjs-previous-button-label = Enavos
-pdfjs-next-button =
- .title = Proxima pagina
-pdfjs-next-button-label = Enavant
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = da { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } da { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Empitschnir
-pdfjs-zoom-out-button-label = Empitschnir
-pdfjs-zoom-in-button =
- .title = Engrondir
-pdfjs-zoom-in-button-label = Engrondir
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Midar en il modus da preschentaziun
-pdfjs-presentation-mode-button-label = Modus da preschentaziun
-pdfjs-open-file-button =
- .title = Avrir datoteca
-pdfjs-open-file-button-label = Avrir
-pdfjs-print-button =
- .title = Stampar
-pdfjs-print-button-label = Stampar
-pdfjs-save-button =
- .title = Memorisar
-pdfjs-save-button-label = Memorisar
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Telechargiar
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Telechargiar
-pdfjs-bookmark-button =
- .title = Pagina actuala (mussar l'URL da la pagina actuala)
-pdfjs-bookmark-button-label = Pagina actuala
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Utensils
-pdfjs-tools-button-label = Utensils
-pdfjs-first-page-button =
- .title = Siglir a l'emprima pagina
-pdfjs-first-page-button-label = Siglir a l'emprima pagina
-pdfjs-last-page-button =
- .title = Siglir a la davosa pagina
-pdfjs-last-page-button-label = Siglir a la davosa pagina
-pdfjs-page-rotate-cw-button =
- .title = Rotar en direcziun da l'ura
-pdfjs-page-rotate-cw-button-label = Rotar en direcziun da l'ura
-pdfjs-page-rotate-ccw-button =
- .title = Rotar en direcziun cuntraria a l'ura
-pdfjs-page-rotate-ccw-button-label = Rotar en direcziun cuntraria a l'ura
-pdfjs-cursor-text-select-tool-button =
- .title = Activar l'utensil per selecziunar text
-pdfjs-cursor-text-select-tool-button-label = Utensil per selecziunar text
-pdfjs-cursor-hand-tool-button =
- .title = Activar l'utensil da maun
-pdfjs-cursor-hand-tool-button-label = Utensil da maun
-pdfjs-scroll-page-button =
- .title = Utilisar la defilada per pagina
-pdfjs-scroll-page-button-label = Defilada per pagina
-pdfjs-scroll-vertical-button =
- .title = Utilisar il defilar vertical
-pdfjs-scroll-vertical-button-label = Defilar vertical
-pdfjs-scroll-horizontal-button =
- .title = Utilisar il defilar orizontal
-pdfjs-scroll-horizontal-button-label = Defilar orizontal
-pdfjs-scroll-wrapped-button =
- .title = Utilisar il defilar en colonnas
-pdfjs-scroll-wrapped-button-label = Defilar en colonnas
-pdfjs-spread-none-button =
- .title = Betg parallelisar las paginas
-pdfjs-spread-none-button-label = Betg parallel
-pdfjs-spread-odd-button =
- .title = Parallelisar las paginas cun cumenzar cun paginas spèras
-pdfjs-spread-odd-button-label = Parallel spèr
-pdfjs-spread-even-button =
- .title = Parallelisar las paginas cun cumenzar cun paginas pèras
-pdfjs-spread-even-button-label = Parallel pèr
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Caracteristicas dal document…
-pdfjs-document-properties-button-label = Caracteristicas dal document…
-pdfjs-document-properties-file-name = Num da la datoteca:
-pdfjs-document-properties-file-size = Grondezza da la datoteca:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Autur:
-pdfjs-document-properties-subject = Tema:
-pdfjs-document-properties-keywords = Chavazzins:
-pdfjs-document-properties-creation-date = Data da creaziun:
-pdfjs-document-properties-modification-date = Data da modificaziun:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } { $time }
-pdfjs-document-properties-creator = Creà da:
-pdfjs-document-properties-producer = Creà il PDF cun:
-pdfjs-document-properties-version = Versiun da PDF:
-pdfjs-document-properties-page-count = Dumber da paginas:
-pdfjs-document-properties-page-size = Grondezza da la pagina:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = vertical
-pdfjs-document-properties-page-size-orientation-landscape = orizontal
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Gea
-pdfjs-document-properties-linearized-no = Na
-pdfjs-document-properties-close-button = Serrar
-
-## Print
-
-pdfjs-print-progress-message = Preparar il document per stampar…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Interrumper
-pdfjs-printing-not-supported = Attenziun: Il stampar na funcziunescha anc betg dal tut en quest navigatur.
-pdfjs-printing-not-ready = Attenziun: Il PDF n'è betg chargià cumplettamain per stampar.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Activar/deactivar la trav laterala
-pdfjs-toggle-sidebar-notification-button =
- .title = Activar/deactivar la trav laterala (il document cuntegna structura dal document/agiuntas/nivels)
-pdfjs-toggle-sidebar-button-label = Activar/deactivar la trav laterala
-pdfjs-document-outline-button =
- .title = Mussar la structura dal document (cliccar duas giadas per extender/cumprimer tut ils elements)
-pdfjs-document-outline-button-label = Structura dal document
-pdfjs-attachments-button =
- .title = Mussar agiuntas
-pdfjs-attachments-button-label = Agiuntas
-pdfjs-layers-button =
- .title = Mussar ils nivels (cliccar dubel per restaurar il stadi da standard da tut ils nivels)
-pdfjs-layers-button-label = Nivels
-pdfjs-thumbs-button =
- .title = Mussar las miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Tschertgar l'element da structura actual
-pdfjs-current-outline-item-button-label = Element da structura actual
-pdfjs-findbar-button =
- .title = Tschertgar en il document
-pdfjs-findbar-button-label = Tschertgar
-pdfjs-additional-layers = Nivels supplementars
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura da la pagina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Tschertgar
- .placeholder = Tschertgar en il document…
-pdfjs-find-previous-button =
- .title = Tschertgar la posiziun precedenta da l'expressiun
-pdfjs-find-previous-button-label = Enavos
-pdfjs-find-next-button =
- .title = Tschertgar la proxima posiziun da l'expressiun
-pdfjs-find-next-button-label = Enavant
-pdfjs-find-highlight-checkbox = Relevar tuts
-pdfjs-find-match-case-checkbox-label = Resguardar maiusclas/minusclas
-pdfjs-find-match-diacritics-checkbox-label = Resguardar ils segns diacritics
-pdfjs-find-entire-word-checkbox-label = Pleds entirs
-pdfjs-find-reached-top = Il cumenzament dal document è cuntanschì, la tschertga cuntinuescha a la fin dal document
-pdfjs-find-reached-bottom = La fin dal document è cuntanschì, la tschertga cuntinuescha al cumenzament dal document
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } dad { $total } correspundenza
- *[other] { $current } da { $total } correspundenzas
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Dapli che { $limit } correspundenza
- *[other] Dapli che { $limit } correspundenzas
- }
-pdfjs-find-not-found = Impussibel da chattar l'expressiun
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ladezza da la pagina
-pdfjs-page-scale-fit = Entira pagina
-pdfjs-page-scale-auto = Zoom automatic
-pdfjs-page-scale-actual = Grondezza actuala
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pagina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ina errur è cumparida cun chargiar il PDF.
-pdfjs-invalid-file-error = Datoteca PDF nunvalida u donnegiada.
-pdfjs-missing-file-error = Datoteca PDF manconta.
-pdfjs-unexpected-response-error = Resposta nunspetgada dal server.
-pdfjs-rendering-error = Ina errur è cumparida cun visualisar questa pagina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Annotaziun da { $type }]
-
-## Password
-
-pdfjs-password-label = Endatescha il pled-clav per avrir questa datoteca da PDF.
-pdfjs-password-invalid = Pled-clav nunvalid. Emprova anc ina giada.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Interrumper
-pdfjs-web-fonts-disabled = Scrittiras dal web èn deactivadas: impussibel dad utilisar las scrittiras integradas en il PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Dissegnar
-pdfjs-editor-ink-button-label = Dissegnar
-pdfjs-editor-stamp-button =
- .title = Agiuntar u modifitgar maletgs
-pdfjs-editor-stamp-button-label = Agiuntar u modifitgar maletgs
-pdfjs-editor-highlight-button =
- .title = Marcar
-pdfjs-editor-highlight-button-label = Marcar
-pdfjs-highlight-floating-button =
- .title = Relevar
-pdfjs-highlight-floating-button1 =
- .title = Marcar
- .aria-label = Marcar
-pdfjs-highlight-floating-button-label = Marcar
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Allontanar il dissegn
-pdfjs-editor-remove-freetext-button =
- .title = Allontanar il text
-pdfjs-editor-remove-stamp-button =
- .title = Allontanar la grafica
-pdfjs-editor-remove-highlight-button =
- .title = Allontanar l'emfasa
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colur
-pdfjs-editor-free-text-size-input = Grondezza
-pdfjs-editor-ink-color-input = Colur
-pdfjs-editor-ink-thickness-input = Grossezza
-pdfjs-editor-ink-opacity-input = Opacitad
-pdfjs-editor-stamp-add-image-button =
- .title = Agiuntar in maletg
-pdfjs-editor-stamp-add-image-button-label = Agiuntar in maletg
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Grossezza
-pdfjs-editor-free-highlight-thickness-title =
- .title = Midar la grossezza cun relevar elements betg textuals
-pdfjs-free-text =
- .aria-label = Editur da text
-pdfjs-free-text-default-content = Cumenzar a tippar…
-pdfjs-ink =
- .aria-label = Editur dissegn
-pdfjs-ink-canvas =
- .aria-label = Maletg creà da l'utilisader
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Text alternativ
-pdfjs-editor-alt-text-edit-button-label = Modifitgar il text alternativ
-pdfjs-editor-alt-text-dialog-label = Tscherner ina opziun
-pdfjs-editor-alt-text-dialog-description = Il text alternativ (alt text) gida en cas che persunas na vesan betg il maletg u sch'i na reussescha betg d'al chargiar.
-pdfjs-editor-alt-text-add-description-label = Agiuntar ina descripziun
-pdfjs-editor-alt-text-add-description-description = Scriva idealmain 1-2 frasas che descrivan l'object, la situaziun u las acziuns.
-pdfjs-editor-alt-text-mark-decorative-label = Marcar sco decorativ
-pdfjs-editor-alt-text-mark-decorative-description = Quai vegn duvrà per maletgs ornamentals, sco urs u filigranas.
-pdfjs-editor-alt-text-cancel-button = Interrumper
-pdfjs-editor-alt-text-save-button = Memorisar
-pdfjs-editor-alt-text-decorative-tooltip = Marcà sco decorativ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Per exempel: «In um giuven sesa a maisa per mangiar in past»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Chantun sura a sanestra — redimensiunar
-pdfjs-editor-resizer-label-top-middle = Sura amez — redimensiunar
-pdfjs-editor-resizer-label-top-right = Chantun sura a dretga — redimensiunar
-pdfjs-editor-resizer-label-middle-right = Da vart dretga amez — redimensiunar
-pdfjs-editor-resizer-label-bottom-right = Chantun sut a dretga — redimensiunar
-pdfjs-editor-resizer-label-bottom-middle = Sutvart amez — redimensiunar
-pdfjs-editor-resizer-label-bottom-left = Chantun sut a sanestra — redimensiunar
-pdfjs-editor-resizer-label-middle-left = Vart sanestra amez — redimensiunar
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Colur per l'emfasa
-pdfjs-editor-colorpicker-button =
- .title = Midar la colur
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Colurs disponiblas
-pdfjs-editor-colorpicker-yellow =
- .title = Mellen
-pdfjs-editor-colorpicker-green =
- .title = Verd
-pdfjs-editor-colorpicker-blue =
- .title = Blau
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Cotschen
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Mussar tut
-pdfjs-editor-highlight-show-all-button =
- .title = Mussar tut
diff --git a/static/pdf.js/locale/rm/viewer.properties b/static/pdf.js/locale/rm/viewer.properties
new file mode 100644
index 00000000..419aea39
--- /dev/null
+++ b/static/pdf.js/locale/rm/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pagina precedenta
+previous_label=Enavos
+next.title=Proxima pagina
+next_label=Enavant
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pagina:
+page_of=da {{pageCount}}
+
+zoom_out.title=Empitschnir
+zoom_out_label=Empitschnir
+zoom_in.title=Engrondir
+zoom_in_label=Engrondir
+zoom.title=Zoom
+presentation_mode.title=Midar en il modus da preschentaziun
+presentation_mode_label=Modus da preschentaziun
+open_file.title=Avrir datoteca
+open_file_label=Avrir
+print.title=Stampar
+print_label=Stampar
+download.title=Telechargiar
+download_label=Telechargiar
+bookmark.title=Vista actuala (copiar u avrir en ina nova fanestra)
+bookmark_label=Vista actuala
+
+# Secondary toolbar and context menu
+tools.title=Utensils
+tools_label=Utensils
+first_page.title=Siglir a l'emprima pagina
+first_page.label=Siglir a l'emprima pagina
+first_page_label=Siglir a l'emprima pagina
+last_page.title=Siglir a la davosa pagina
+last_page.label=Siglir a la davosa pagina
+last_page_label=Siglir a la davosa pagina
+page_rotate_cw.title=Rotar en direcziun da l'ura
+page_rotate_cw.label=Rotar en direcziun da l'ura
+page_rotate_cw_label=Rotar en direcziun da l'ura
+page_rotate_ccw.title=Rotar en direcziun cuntraria a l'ura
+page_rotate_ccw.label=Rotar en direcziun cuntraria a l'ura
+page_rotate_ccw_label=Rotar en direcziun cuntraria a l'ura
+
+hand_tool_enable.title=Activar l'utensil da maun
+hand_tool_enable_label=Activar l'utensil da maun
+hand_tool_disable.title=Deactivar l'utensil da maun
+hand_tool_disable_label=Deactivar l'utensil da maun
+
+# Document properties dialog box
+document_properties.title=Caracteristicas dal document…
+document_properties_label=Caracteristicas dal document…
+document_properties_file_name=Num da la datoteca:
+document_properties_file_size=Grondezza da la datoteca:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=Titel:
+document_properties_author=Autur:
+document_properties_subject=Tema:
+document_properties_keywords=Chavazzins:
+document_properties_creation_date=Data da creaziun:
+document_properties_modification_date=Data da modificaziun:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}} {{time}}
+document_properties_creator=Creà da:
+document_properties_producer=Creà il PDF cun:
+document_properties_version=Versiun da PDF:
+document_properties_page_count=Dumber da paginas:
+document_properties_close=Serrar
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Activar/deactivar la trav laterala
+toggle_sidebar_label=Activar/deactivar la trav laterala
+outline.title=Mussar la structura da la pagina
+outline_label=Structura da la pagina
+attachments.title=Mussar agiuntas
+attachments_label=Agiuntas
+thumbs.title=Mussar las miniaturas
+thumbs_label=Miniaturas
+findbar.title=Tschertgar en il document
+findbar_label=Tschertgar
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pagina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura da la pagina {{page}}
+
+# Find panel button title and messages
+find_label=Tschertgar:
+find_previous.title=Tschertgar la posiziun precedenta da l'expressiun
+find_previous_label=Enavos
+find_next.title=Tschertgar la proxima posiziun da l'expressiun
+find_next_label=Enavant
+find_highlight=Relevar tuts
+find_match_case_label=Resguardar maiusclas/minusclas
+find_reached_top=Il cumenzament dal document è cuntanschì, la tschertga cuntinuescha a la fin dal document
+find_reached_bottom=La fin dal document è cuntanschì, la tschertga cuntinuescha al cumenzament dal document
+find_not_found=Impussibel da chattar l'expressiun
+
+# Error panel labels
+error_more_info=Dapli infurmaziuns
+error_less_info=Damain infurmaziuns
+error_close=Serrar
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Messadi: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Datoteca: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Lingia: {{line}}
+rendering_error=Ina errur è cumparida cun visualisar questa pagina.
+
+# Predefined zoom values
+page_scale_width=Ladezza da la pagina
+page_scale_fit=Entira pagina
+page_scale_auto=Zoom automatic
+page_scale_actual=Grondezza actuala
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Errur
+loading_error=Ina errur è cumparida cun chargiar il PDF.
+invalid_file_error=Datoteca PDF nunvalida u donnegiada.
+missing_file_error=Datoteca PDF manconta.
+unexpected_response_error=Resposta nunspetgada dal server.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Annotaziun da {{type}}]
+password_label=Endatescha il pled-clav per avrir questa datoteca da PDF.
+password_invalid=Pled-clav nunvalid. Emprova anc ina giada.
+password_ok=OK
+password_cancel=Interrumper
+
+printing_not_supported=Attenziun: Il stampar na funcziunescha anc betg dal tut en quest navigatur.
+printing_not_ready=Attenziun: Il PDF n'è betg chargià cumplettamain per stampar.
+web_fonts_disabled=Scrittiras dal web èn deactivadas: impussibel dad utilisar las scrittiras integradas en il PDF.
+document_colors_not_allowed=Documents da PDF na dastgan betg duvrar las atgnas colurs: 'Permetter a paginas da tscherner lur atgna colur' è deactivà en il navigatur.
diff --git a/static/pdf.js/locale/ro/viewer.ftl b/static/pdf.js/locale/ro/viewer.ftl
deleted file mode 100644
index 7c6f0b6a..00000000
--- a/static/pdf.js/locale/ro/viewer.ftl
+++ /dev/null
@@ -1,251 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pagina precedentă
-pdfjs-previous-button-label = Înapoi
-pdfjs-next-button =
- .title = Pagina următoare
-pdfjs-next-button-label = Înainte
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pagina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = din { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } din { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Micșorează
-pdfjs-zoom-out-button-label = Micșorează
-pdfjs-zoom-in-button =
- .title = Mărește
-pdfjs-zoom-in-button-label = Mărește
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Comută la modul de prezentare
-pdfjs-presentation-mode-button-label = Mod de prezentare
-pdfjs-open-file-button =
- .title = Deschide un fișier
-pdfjs-open-file-button-label = Deschide
-pdfjs-print-button =
- .title = Tipărește
-pdfjs-print-button-label = Tipărește
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Instrumente
-pdfjs-tools-button-label = Instrumente
-pdfjs-first-page-button =
- .title = Mergi la prima pagină
-pdfjs-first-page-button-label = Mergi la prima pagină
-pdfjs-last-page-button =
- .title = Mergi la ultima pagină
-pdfjs-last-page-button-label = Mergi la ultima pagină
-pdfjs-page-rotate-cw-button =
- .title = Rotește în sensul acelor de ceas
-pdfjs-page-rotate-cw-button-label = Rotește în sensul acelor de ceas
-pdfjs-page-rotate-ccw-button =
- .title = Rotește în sens invers al acelor de ceas
-pdfjs-page-rotate-ccw-button-label = Rotește în sens invers al acelor de ceas
-pdfjs-cursor-text-select-tool-button =
- .title = Activează instrumentul de selecție a textului
-pdfjs-cursor-text-select-tool-button-label = Instrumentul de selecție a textului
-pdfjs-cursor-hand-tool-button =
- .title = Activează instrumentul mână
-pdfjs-cursor-hand-tool-button-label = Unealta mână
-pdfjs-scroll-vertical-button =
- .title = Folosește derularea verticală
-pdfjs-scroll-vertical-button-label = Derulare verticală
-pdfjs-scroll-horizontal-button =
- .title = Folosește derularea orizontală
-pdfjs-scroll-horizontal-button-label = Derulare orizontală
-pdfjs-scroll-wrapped-button =
- .title = Folosește derularea încadrată
-pdfjs-scroll-wrapped-button-label = Derulare încadrată
-pdfjs-spread-none-button =
- .title = Nu uni paginile broșate
-pdfjs-spread-none-button-label = Fără pagini broșate
-pdfjs-spread-odd-button =
- .title = Unește paginile broșate începând cu cele impare
-pdfjs-spread-odd-button-label = Broșare pagini impare
-pdfjs-spread-even-button =
- .title = Unește paginile broșate începând cu cele pare
-pdfjs-spread-even-button-label = Broșare pagini pare
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Proprietățile documentului…
-pdfjs-document-properties-button-label = Proprietățile documentului…
-pdfjs-document-properties-file-name = Numele fișierului:
-pdfjs-document-properties-file-size = Mărimea fișierului:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } byți)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byți)
-pdfjs-document-properties-title = Titlu:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Subiect:
-pdfjs-document-properties-keywords = Cuvinte cheie:
-pdfjs-document-properties-creation-date = Data creării:
-pdfjs-document-properties-modification-date = Data modificării:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Autor:
-pdfjs-document-properties-producer = Producător PDF:
-pdfjs-document-properties-version = Versiune PDF:
-pdfjs-document-properties-page-count = Număr de pagini:
-pdfjs-document-properties-page-size = Mărimea paginii:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = verticală
-pdfjs-document-properties-page-size-orientation-landscape = orizontală
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Literă
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vizualizare web rapidă:
-pdfjs-document-properties-linearized-yes = Da
-pdfjs-document-properties-linearized-no = Nu
-pdfjs-document-properties-close-button = Închide
-
-## Print
-
-pdfjs-print-progress-message = Se pregătește documentul pentru tipărire…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Renunță
-pdfjs-printing-not-supported = Avertisment: Tipărirea nu este suportată în totalitate de acest browser.
-pdfjs-printing-not-ready = Avertisment: PDF-ul nu este încărcat complet pentru tipărire.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Comută bara laterală
-pdfjs-toggle-sidebar-button-label = Comută bara laterală
-pdfjs-document-outline-button =
- .title = Afișează schița documentului (dublu-clic pentru a extinde/restrânge toate elementele)
-pdfjs-document-outline-button-label = Schița documentului
-pdfjs-attachments-button =
- .title = Afișează atașamentele
-pdfjs-attachments-button-label = Atașamente
-pdfjs-thumbs-button =
- .title = Afișează miniaturi
-pdfjs-thumbs-button-label = Miniaturi
-pdfjs-findbar-button =
- .title = Caută în document
-pdfjs-findbar-button-label = Caută
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pagina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura paginii { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Caută
- .placeholder = Caută în document…
-pdfjs-find-previous-button =
- .title = Mergi la apariția anterioară a textului
-pdfjs-find-previous-button-label = Înapoi
-pdfjs-find-next-button =
- .title = Mergi la apariția următoare a textului
-pdfjs-find-next-button-label = Înainte
-pdfjs-find-highlight-checkbox = Evidențiază toate aparițiile
-pdfjs-find-match-case-checkbox-label = Ține cont de majuscule și minuscule
-pdfjs-find-entire-word-checkbox-label = Cuvinte întregi
-pdfjs-find-reached-top = Am ajuns la începutul documentului, continuă de la sfârșit
-pdfjs-find-reached-bottom = Am ajuns la sfârșitul documentului, continuă de la început
-pdfjs-find-not-found = Nu s-a găsit textul
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lățime pagină
-pdfjs-page-scale-fit = Potrivire la pagină
-pdfjs-page-scale-auto = Zoom automat
-pdfjs-page-scale-actual = Mărime reală
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = A intervenit o eroare la încărcarea PDF-ului.
-pdfjs-invalid-file-error = Fișier PDF nevalid sau corupt.
-pdfjs-missing-file-error = Fișier PDF lipsă.
-pdfjs-unexpected-response-error = Răspuns neașteptat de la server.
-pdfjs-rendering-error = A intervenit o eroare la randarea paginii.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Adnotare { $type }]
-
-## Password
-
-pdfjs-password-label = Introdu parola pentru a deschide acest fișier PDF.
-pdfjs-password-invalid = Parolă nevalidă. Te rugăm să încerci din nou.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Renunță
-pdfjs-web-fonts-disabled = Fonturile web sunt dezactivate: nu se pot folosi fonturile PDF încorporate.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ro/viewer.properties b/static/pdf.js/locale/ro/viewer.properties
new file mode 100644
index 00000000..f4170ed8
--- /dev/null
+++ b/static/pdf.js/locale/ro/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Pagina precedentă
+previous_label=Înapoi
+next.title=Pagina următoare
+next_label=Înainte
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pagină:
+page_of=din {{pageCount}}
+
+zoom_out.title=Micșorează
+zoom_out_label=Micșorează
+zoom_in.title=Mărește
+zoom_in_label=Mărește
+zoom.title=Scalare
+presentation_mode.title=Schimbă la modul de prezentare
+presentation_mode_label=Mod de prezentare
+open_file.title=Deschide un fișier
+open_file_label=Deschide
+print.title=Tipărește
+print_label=Tipărește
+download.title=Descarcă
+download_label=Descarcă
+bookmark.title=Vizualizare actuală (copiați sau deschideți într-o fereastră nouă)
+bookmark_label=Vizualizare actuală
+
+# Secondary toolbar and context menu
+tools.title=Unelte
+tools_label=Unelte
+first_page.title=Mergi la prima pagină
+first_page.label=Mergeți la prima pagină
+first_page_label=Mergi la prima pagină
+last_page.title=Mergi la ultima pagină
+last_page.label=Mergi la ultima pagină
+last_page_label=Mergi la ultima pagină
+page_rotate_cw.title=Rotește în sensul acelor de ceasornic
+page_rotate_cw.label=Rotește în sensul acelor de ceasornic
+page_rotate_cw_label=Rotește în sensul acelor de ceasornic
+page_rotate_ccw.title=Rotește în sens invers al acelor de ceasornic
+page_rotate_ccw.label=Rotate Counter-Clockwise
+page_rotate_ccw_label=Rotește în sens invers acelor de ceasornic
+
+hand_tool_enable.title=Activează instrumentul mână
+hand_tool_enable_label=Activează instrumentul mână
+hand_tool_disable.title=Dezactivează instrumentul mână
+hand_tool_disable_label=Dezactivează instrumentul mână
+
+# Document properties dialog box
+document_properties.title=Proprietățile documentului…
+document_properties_label=Proprietățile documentului…
+document_properties_file_name=Nume fișier:
+document_properties_file_size=Dimensiune fișier:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} byți)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} byți)
+document_properties_title=Titlu:
+document_properties_author=Autor:
+document_properties_subject=Subiect:
+document_properties_keywords=Cuvinte cheie:
+document_properties_creation_date=Data creării:
+document_properties_modification_date=Data modificării:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Autor:
+document_properties_producer=Producător PDF:
+document_properties_version=Versiune PDF:
+document_properties_page_count=Număr de pagini:
+document_properties_close=Închide
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Comută bara laterală
+toggle_sidebar_label=Comută bara laterală
+outline.title=Arată schița documentului
+outline_label=Schiță document
+attachments.title=Afișează atașamentele
+attachments_label=Atașamente
+thumbs.title=Arată miniaturi
+thumbs_label=Miniaturi
+findbar.title=Caută în document
+findbar_label=Căutați
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pagina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatura paginii {{page}}
+
+# Find panel button title and messages
+find_label=Caută:
+find_previous.title=Găsește instanța anterioară în frază
+find_previous_label=Anterior
+find_next.title=Găstește următoarea instanță în frază
+find_next_label=Următor
+find_highlight=Evidențiază aparițiile
+find_match_case_label=Potrivește literele mari și mici
+find_reached_top=Am ajuns la începutul documentului, continuă de la sfârșit
+find_reached_bottom=Am ajuns la sfârșitul documentului, continuă de la început
+find_not_found=Nu s-a găsit textul
+
+# Error panel labels
+error_more_info=Mai multe informații
+error_less_info=Mai puține informații
+error_close=Închide
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (varianta: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mesaj: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stivă: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fișier: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linie: {{line}}
+rendering_error=A intervenit o eroare la afișarea paginii.
+
+# Predefined zoom values
+page_scale_width=Lățime pagină
+page_scale_fit=Potrivire la pagină
+page_scale_auto=Dimensiune automată
+page_scale_actual=Dimensiune reală
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Eroare
+loading_error=A intervenit o eroare la încărcarea fișierului PDF.
+invalid_file_error=Fișier PDF invalid sau deteriorat.
+missing_file_error=Fișier PDF lipsă.
+unexpected_response_error=Răspuns neașteptat de la server.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Adnotare]
+password_label=Introduceți parola pentru a deschide acest fișier PDF.
+password_invalid=Parolă greșită. Vă rugăm să încercați din nou.
+password_ok=Ok
+password_cancel=Renunță
+
+printing_not_supported=Atenție: Tipărirea nu este suportată în totalitate de acest browser.
+printing_not_ready=Atenție: Fișierul PDF nu este încărcat complet pentru tipărire.
+web_fonts_disabled=Fonturile web sunt dezactivate: nu pot utiliza fonturile PDF încorporate.
+document_colors_not_allowed=Documentele PDF nu sunt autorizate să folosească propriile culori: 'Permite paginilor să aleagă propriile culori' este dezactivată în browser.
diff --git a/static/pdf.js/locale/ru/viewer.ftl b/static/pdf.js/locale/ru/viewer.ftl
deleted file mode 100644
index 6e3713ce..00000000
--- a/static/pdf.js/locale/ru/viewer.ftl
+++ /dev/null
@@ -1,404 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Предыдущая страница
-pdfjs-previous-button-label = Предыдущая
-pdfjs-next-button =
- .title = Следующая страница
-pdfjs-next-button-label = Следующая
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Страница
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = из { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } из { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Уменьшить
-pdfjs-zoom-out-button-label = Уменьшить
-pdfjs-zoom-in-button =
- .title = Увеличить
-pdfjs-zoom-in-button-label = Увеличить
-pdfjs-zoom-select =
- .title = Масштаб
-pdfjs-presentation-mode-button =
- .title = Перейти в режим презентации
-pdfjs-presentation-mode-button-label = Режим презентации
-pdfjs-open-file-button =
- .title = Открыть файл
-pdfjs-open-file-button-label = Открыть
-pdfjs-print-button =
- .title = Печать
-pdfjs-print-button-label = Печать
-pdfjs-save-button =
- .title = Сохранить
-pdfjs-save-button-label = Сохранить
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Загрузить
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Загрузить
-pdfjs-bookmark-button =
- .title = Текущая страница (просмотр URL-адреса с текущей страницы)
-pdfjs-bookmark-button-label = Текущая страница
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Открыть в приложении
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Открыть в программе
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Инструменты
-pdfjs-tools-button-label = Инструменты
-pdfjs-first-page-button =
- .title = Перейти на первую страницу
-pdfjs-first-page-button-label = Перейти на первую страницу
-pdfjs-last-page-button =
- .title = Перейти на последнюю страницу
-pdfjs-last-page-button-label = Перейти на последнюю страницу
-pdfjs-page-rotate-cw-button =
- .title = Повернуть по часовой стрелке
-pdfjs-page-rotate-cw-button-label = Повернуть по часовой стрелке
-pdfjs-page-rotate-ccw-button =
- .title = Повернуть против часовой стрелки
-pdfjs-page-rotate-ccw-button-label = Повернуть против часовой стрелки
-pdfjs-cursor-text-select-tool-button =
- .title = Включить Инструмент «Выделение текста»
-pdfjs-cursor-text-select-tool-button-label = Инструмент «Выделение текста»
-pdfjs-cursor-hand-tool-button =
- .title = Включить Инструмент «Рука»
-pdfjs-cursor-hand-tool-button-label = Инструмент «Рука»
-pdfjs-scroll-page-button =
- .title = Использовать прокрутку страниц
-pdfjs-scroll-page-button-label = Прокрутка страниц
-pdfjs-scroll-vertical-button =
- .title = Использовать вертикальную прокрутку
-pdfjs-scroll-vertical-button-label = Вертикальная прокрутка
-pdfjs-scroll-horizontal-button =
- .title = Использовать горизонтальную прокрутку
-pdfjs-scroll-horizontal-button-label = Горизонтальная прокрутка
-pdfjs-scroll-wrapped-button =
- .title = Использовать масштабируемую прокрутку
-pdfjs-scroll-wrapped-button-label = Масштабируемая прокрутка
-pdfjs-spread-none-button =
- .title = Не использовать режим разворотов страниц
-pdfjs-spread-none-button-label = Без разворотов страниц
-pdfjs-spread-odd-button =
- .title = Развороты начинаются с нечётных номеров страниц
-pdfjs-spread-odd-button-label = Нечётные страницы слева
-pdfjs-spread-even-button =
- .title = Развороты начинаются с чётных номеров страниц
-pdfjs-spread-even-button-label = Чётные страницы слева
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Свойства документа…
-pdfjs-document-properties-button-label = Свойства документа…
-pdfjs-document-properties-file-name = Имя файла:
-pdfjs-document-properties-file-size = Размер файла:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байт)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байт)
-pdfjs-document-properties-title = Заголовок:
-pdfjs-document-properties-author = Автор:
-pdfjs-document-properties-subject = Тема:
-pdfjs-document-properties-keywords = Ключевые слова:
-pdfjs-document-properties-creation-date = Дата создания:
-pdfjs-document-properties-modification-date = Дата изменения:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Приложение:
-pdfjs-document-properties-producer = Производитель PDF:
-pdfjs-document-properties-version = Версия PDF:
-pdfjs-document-properties-page-count = Число страниц:
-pdfjs-document-properties-page-size = Размер страницы:
-pdfjs-document-properties-page-size-unit-inches = дюймов
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = книжная
-pdfjs-document-properties-page-size-orientation-landscape = альбомная
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Быстрый просмотр в Web:
-pdfjs-document-properties-linearized-yes = Да
-pdfjs-document-properties-linearized-no = Нет
-pdfjs-document-properties-close-button = Закрыть
-
-## Print
-
-pdfjs-print-progress-message = Подготовка документа к печати…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Отмена
-pdfjs-printing-not-supported = Предупреждение: В этом браузере не полностью поддерживается печать.
-pdfjs-printing-not-ready = Предупреждение: PDF не полностью загружен для печати.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Показать/скрыть боковую панель
-pdfjs-toggle-sidebar-notification-button =
- .title = Показать/скрыть боковую панель (документ имеет содержание/вложения/слои)
-pdfjs-toggle-sidebar-button-label = Показать/скрыть боковую панель
-pdfjs-document-outline-button =
- .title = Показать содержание документа (двойной щелчок, чтобы развернуть/свернуть все элементы)
-pdfjs-document-outline-button-label = Содержание документа
-pdfjs-attachments-button =
- .title = Показать вложения
-pdfjs-attachments-button-label = Вложения
-pdfjs-layers-button =
- .title = Показать слои (дважды щёлкните, чтобы сбросить все слои к состоянию по умолчанию)
-pdfjs-layers-button-label = Слои
-pdfjs-thumbs-button =
- .title = Показать миниатюры
-pdfjs-thumbs-button-label = Миниатюры
-pdfjs-current-outline-item-button =
- .title = Найти текущий элемент структуры
-pdfjs-current-outline-item-button-label = Текущий элемент структуры
-pdfjs-findbar-button =
- .title = Найти в документе
-pdfjs-findbar-button-label = Найти
-pdfjs-additional-layers = Дополнительные слои
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Страница { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Миниатюра страницы { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Найти
- .placeholder = Найти в документе…
-pdfjs-find-previous-button =
- .title = Найти предыдущее вхождение фразы в текст
-pdfjs-find-previous-button-label = Назад
-pdfjs-find-next-button =
- .title = Найти следующее вхождение фразы в текст
-pdfjs-find-next-button-label = Далее
-pdfjs-find-highlight-checkbox = Подсветить все
-pdfjs-find-match-case-checkbox-label = С учётом регистра
-pdfjs-find-match-diacritics-checkbox-label = С учётом диакритических знаков
-pdfjs-find-entire-word-checkbox-label = Слова целиком
-pdfjs-find-reached-top = Достигнут верх документа, продолжено снизу
-pdfjs-find-reached-bottom = Достигнут конец документа, продолжено сверху
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } из { $total } совпадения
- [few] { $current } из { $total } совпадений
- *[many] { $current } из { $total } совпадений
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Более { $limit } совпадения
- [few] Более { $limit } совпадений
- *[many] Более { $limit } совпадений
- }
-pdfjs-find-not-found = Фраза не найдена
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = По ширине страницы
-pdfjs-page-scale-fit = По размеру страницы
-pdfjs-page-scale-auto = Автоматически
-pdfjs-page-scale-actual = Реальный размер
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Страница { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = При загрузке PDF произошла ошибка.
-pdfjs-invalid-file-error = Некорректный или повреждённый PDF-файл.
-pdfjs-missing-file-error = PDF-файл отсутствует.
-pdfjs-unexpected-response-error = Неожиданный ответ сервера.
-pdfjs-rendering-error = При создании страницы произошла ошибка.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Аннотация { $type }]
-
-## Password
-
-pdfjs-password-label = Введите пароль, чтобы открыть этот PDF-файл.
-pdfjs-password-invalid = Неверный пароль. Пожалуйста, попробуйте снова.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Отмена
-pdfjs-web-fonts-disabled = Веб-шрифты отключены: не удалось задействовать встроенные PDF-шрифты.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Текст
-pdfjs-editor-free-text-button-label = Текст
-pdfjs-editor-ink-button =
- .title = Рисовать
-pdfjs-editor-ink-button-label = Рисовать
-pdfjs-editor-stamp-button =
- .title = Добавить или изменить изображения
-pdfjs-editor-stamp-button-label = Добавить или изменить изображения
-pdfjs-editor-highlight-button =
- .title = Выделение
-pdfjs-editor-highlight-button-label = Выделение
-pdfjs-highlight-floating-button =
- .title = Выделение
-pdfjs-highlight-floating-button1 =
- .title = Выделение
- .aria-label = Выделение
-pdfjs-highlight-floating-button-label = Выделение
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Удалить рисунок
-pdfjs-editor-remove-freetext-button =
- .title = Удалить текст
-pdfjs-editor-remove-stamp-button =
- .title = Удалить изображение
-pdfjs-editor-remove-highlight-button =
- .title = Удалить выделение
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Цвет
-pdfjs-editor-free-text-size-input = Размер
-pdfjs-editor-ink-color-input = Цвет
-pdfjs-editor-ink-thickness-input = Толщина
-pdfjs-editor-ink-opacity-input = Прозрачность
-pdfjs-editor-stamp-add-image-button =
- .title = Добавить изображение
-pdfjs-editor-stamp-add-image-button-label = Добавить изображение
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Толщина
-pdfjs-editor-free-highlight-thickness-title =
- .title = Изменить толщину при выделении элементов, кроме текста
-pdfjs-free-text =
- .aria-label = Текстовый редактор
-pdfjs-free-text-default-content = Начните вводить…
-pdfjs-ink =
- .aria-label = Редактор рисования
-pdfjs-ink-canvas =
- .aria-label = Созданное пользователем изображение
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Альтернативный текст
-pdfjs-editor-alt-text-edit-button-label = Изменить альтернативный текст
-pdfjs-editor-alt-text-dialog-label = Выберите вариант
-pdfjs-editor-alt-text-dialog-description = Альтернативный текст помогает, когда люди не видят изображение или оно не загружается.
-pdfjs-editor-alt-text-add-description-label = Добавить описание
-pdfjs-editor-alt-text-add-description-description = Старайтесь составлять 1–2 предложения, описывающих предмет, обстановку или действия.
-pdfjs-editor-alt-text-mark-decorative-label = Отметить как декоративное
-pdfjs-editor-alt-text-mark-decorative-description = Используется для декоративных изображений, таких как рамки или водяные знаки.
-pdfjs-editor-alt-text-cancel-button = Отменить
-pdfjs-editor-alt-text-save-button = Сохранить
-pdfjs-editor-alt-text-decorative-tooltip = Помечен как декоративный
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Например: «Молодой человек садится за стол, чтобы поесть»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Левый верхний угол — изменить размер
-pdfjs-editor-resizer-label-top-middle = Вверху посередине — изменить размер
-pdfjs-editor-resizer-label-top-right = Верхний правый угол — изменить размер
-pdfjs-editor-resizer-label-middle-right = В центре справа — изменить размер
-pdfjs-editor-resizer-label-bottom-right = Нижний правый угол — изменить размер
-pdfjs-editor-resizer-label-bottom-middle = Внизу посередине — изменить размер
-pdfjs-editor-resizer-label-bottom-left = Нижний левый угол — изменить размер
-pdfjs-editor-resizer-label-middle-left = В центре слева — изменить размер
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Цвет выделения
-pdfjs-editor-colorpicker-button =
- .title = Изменить цвет
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Выбор цвета
-pdfjs-editor-colorpicker-yellow =
- .title = Жёлтый
-pdfjs-editor-colorpicker-green =
- .title = Зелёный
-pdfjs-editor-colorpicker-blue =
- .title = Синий
-pdfjs-editor-colorpicker-pink =
- .title = Розовый
-pdfjs-editor-colorpicker-red =
- .title = Красный
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Показать все
-pdfjs-editor-highlight-show-all-button =
- .title = Показать все
diff --git a/static/pdf.js/locale/ru/viewer.properties b/static/pdf.js/locale/ru/viewer.properties
new file mode 100644
index 00000000..c1af9769
--- /dev/null
+++ b/static/pdf.js/locale/ru/viewer.properties
@@ -0,0 +1,111 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+previous.title = Предыдущая страница
+previous_label = Предыдущая
+next.title = Следующая страница
+next_label = Следующая
+page_label = Страница:
+page_of = из {{pageCount}}
+zoom_out.title = Уменьшить
+zoom_out_label = Уменьшить
+zoom_in.title = Увеличить
+zoom_in_label = Увеличить
+zoom.title = Масштаб
+presentation_mode.title = Перейти в режим презентации
+presentation_mode_label = Режим презентации
+open_file.title = Открыть файл
+open_file_label = Открыть
+print.title = Печать
+print_label = Печать
+download.title = Загрузить
+download_label = Загрузить
+bookmark.title = Ссылка на текущий вид (скопировать или открыть в новом окне)
+bookmark_label = Текущий вид
+tools.title = Инструменты
+tools_label = Инструменты
+first_page.title = Перейти на первую страницу
+first_page.label = Перейти на первую страницу
+first_page_label = Перейти на первую страницу
+last_page.title = Перейти на последнюю страницу
+last_page.label = Перейти на последнюю страницу
+last_page_label = Перейти на последнюю страницу
+page_rotate_cw.title = Повернуть по часовой стрелке
+page_rotate_cw.label = Повернуть по часовой стрелке
+page_rotate_cw_label = Повернуть по часовой стрелке
+page_rotate_ccw.title = Повернуть против часовой стрелки
+page_rotate_ccw.label = Повернуть против часовой стрелки
+page_rotate_ccw_label = Повернуть против часовой стрелки
+hand_tool_enable.title = Включить Инструмент «Рука»
+hand_tool_enable_label = Включить Инструмент «Рука»
+hand_tool_disable.title = Отключить Инструмент «Рука»
+hand_tool_disable_label = Отключить Инструмент «Рука»
+document_properties.title = Свойства документа…
+document_properties_label = Свойства документа…
+document_properties_file_name = Имя файла:
+document_properties_file_size = Размер файла:
+document_properties_kb = {{size_kb}} КБ ({{size_b}} байт)
+document_properties_mb = {{size_mb}} МБ ({{size_b}} байт)
+document_properties_title = Заголовок:
+document_properties_author = Автор:
+document_properties_subject = Тема:
+document_properties_keywords = Ключевые слова:
+document_properties_creation_date = Дата создания:
+document_properties_modification_date = Дата изменения:
+document_properties_date_string = {{date}}, {{time}}
+document_properties_creator = Приложение:
+document_properties_producer = Производитель PDF:
+document_properties_version = Версия PDF:
+document_properties_page_count = Число страниц:
+document_properties_close = Закрыть
+toggle_sidebar.title = Открыть/закрыть боковую панель
+toggle_sidebar_label = Открыть/закрыть боковую панель
+outline.title = Показать содержание документа
+outline_label = Содержание документа
+attachments.title = Показать вложения
+attachments_label = Вложения
+thumbs.title = Показать миниатюры
+thumbs_label = Миниатюры
+findbar.title = Найти в документе
+findbar_label = Найти
+thumb_page_title = Страница {{page}}
+thumb_page_canvas = Миниатюра страницы {{page}}
+find_label = Найти:
+find_previous.title = Найти предыдущее вхождение фразы в текст
+find_previous_label = Назад
+find_next.title = Найти следующее вхождение фразы в текст
+find_next_label = Далее
+find_highlight = Подсветить все
+find_match_case_label = С учётом регистра
+find_reached_top = Достигнут верх документа, продолжено снизу
+find_reached_bottom = Достигнут конец документа, продолжено сверху
+find_not_found = Фраза не найдена
+error_more_info = Детали
+error_less_info = Скрыть детали
+error_close = Закрыть
+error_version_info = PDF.js v{{version}} (сборка: {{build}})
+error_message = Сообщение: {{message}}
+error_stack = Стeк: {{stack}}
+error_file = Файл: {{file}}
+error_line = Строка: {{line}}
+rendering_error = При создании страницы произошла ошибка.
+page_scale_width = По ширине страницы
+page_scale_fit = По размеру страницы
+page_scale_auto = Автоматически
+page_scale_actual = Реальный размер
+page_scale_percent = {{scale}}%
+loading_error_indicator = Ошибка
+loading_error = При загрузке PDF произошла ошибка.
+invalid_file_error = Некорректный или повреждённый PDF-файл.
+missing_file_error = PDF-файл отсутствует.
+unexpected_response_error = Неожиданный ответ сервера.
+text_annotation_type.alt = [Аннотация {{type}}]
+password_label = Введите пароль, чтобы открыть этот PDF-файл.
+password_invalid = Неверный пароль. Пожалуйста, попробуйте снова.
+password_ok = OK
+password_cancel = Отмена
+printing_not_supported = Предупреждение: В этом браузере не полностью поддерживается печать.
+printing_not_ready = Предупреждение: PDF не полностью загружен для печати.
+web_fonts_disabled = Веб-шрифты отключены: невозможно использовать встроенные PDF-шрифты.
+document_colors_not_allowed = PDF-документам не разрешено использовать свои цвета: в браузере отключён параметр «Разрешить веб-сайтам использовать свои цвета».
diff --git a/static/pdf.js/locale/rw/viewer.properties b/static/pdf.js/locale/rw/viewer.properties
new file mode 100644
index 00000000..7858fe64
--- /dev/null
+++ b/static/pdf.js/locale/rw/viewer.properties
@@ -0,0 +1,79 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+
+zoom.title=Ihindurangano
+open_file.title=Gufungura Dosiye
+open_file_label=Gufungura
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Umutwe:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+findbar_label=Gushakisha
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+
+# Find panel button title and messages
+find_label="Gushaka:"
+find_previous.title=Gushaka aho uyu murongo ugaruka mbere y'aha
+find_next.title=Gushaka aho uyu murongo wongera kugaruka
+find_not_found=Umurongo ntubonetse
+
+# Error panel labels
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+
+# Predefined zoom values
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Ikosa
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+password_invalid=Ijambo ry'ibanga ridahari. Wakongera ukagerageza
+password_ok=YEGO
+password_cancel=Kureka
+
diff --git a/static/pdf.js/locale/sah/viewer.properties b/static/pdf.js/locale/sah/viewer.properties
new file mode 100644
index 00000000..d0e08614
--- /dev/null
+++ b/static/pdf.js/locale/sah/viewer.properties
@@ -0,0 +1,171 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Инники сирэй
+previous_label=Иннинээҕи
+next.title=Аныгыскы сирэй
+next_label=Аныгыскы
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Сирэй:
+page_of=мантан {{pageCount}}
+
+zoom_out.title=Куччат
+zoom_out_label=Куччат
+zoom_in.title=Улаатыннар
+zoom_in_label=Улаатыннар
+zoom.title=Улаатыннар
+presentation_mode.title=Көрдөрөр эрэсиимҥэ
+presentation_mode_label=Көрдөрөр эрэсиим
+open_file.title=Билэни арый
+open_file_label=Ас
+print.title=Бэчээт
+print_label=Бэчээт
+download.title=Хачайдааһын
+download_label=Хачайдааһын
+bookmark.title=Билиҥҥи көстүүтэ (хатылаа эбэтэр саҥа түннүккэ арый)
+bookmark_label=Билиҥҥи көстүүтэ
+
+# Secondary toolbar and context menu
+tools.title=Тэриллэр
+tools_label=Тэриллэр
+first_page.title=Бастакы сирэйгэ көс
+first_page.label=Бастакы сирэйгэ көс
+first_page_label=Бастакы сирэйгэ көс
+last_page.title=Тиһэх сирэйгэ көс
+last_page.label=Тиһэх сирэйгэ көс
+last_page_label=Тиһэх сирэйгэ көс
+page_rotate_cw.title=Чаһы хоту эргит
+page_rotate_cw.label=Чаһы хоту эргит
+page_rotate_cw_label=Чаһы хоту эргит
+page_rotate_ccw.title=Чаһы утары эргит
+page_rotate_ccw.label=Чаһы утары эргит
+page_rotate_ccw_label=Чаһы утары эргит
+
+hand_tool_enable.title=«Илии» диэн тэрили холбоо
+hand_tool_enable_label=«Илии» диэн тэрили холбоо
+hand_tool_disable.title=«Илии» диэн тэрили араар
+hand_tool_disable_label=«Илии» диэн тэрили араар
+
+# Document properties dialog box
+document_properties.title=Докумуон туруоруулара...
+document_properties_label=Докумуон туруоруулара...\u0020
+document_properties_file_name=Билэ аата:
+document_properties_file_size=Билэ кээмэйэ:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} КБ ({{size_b}} баайт)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} МБ ({{size_b}} баайт)
+document_properties_title=Баһа:
+document_properties_author=Ааптар:
+document_properties_subject=Тиэмэ:
+document_properties_keywords=Күлүүс тыл:
+document_properties_creation_date=Оҥоһуллубут кэмэ:
+document_properties_modification_date=Уларытыллыбыт кэмэ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_producer=PDF оҥорооччу:
+document_properties_version=PDF барыла:
+document_properties_page_count=Сирэй ахсаана:
+document_properties_close=Сап
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Ойоҕос хапталы арый/сап
+toggle_sidebar_label=Ойоҕос хапталы арый/сап
+outline.title=Дөкүмүөн иһинээҕитин көрдөр
+outline_label=Дөкүмүөн иһинээҕитэ
+attachments.title=Кыбытыктары көрдөр
+attachments_label=Кыбытык
+thumbs.title=Ойуучааннары көрдөр
+thumbs_label=Ойуучааннар
+findbar.title=Дөкүмүөнтэн бул
+findbar_label=Бул
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Сирэй {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Сирэй ойуучаана {{page}}
+
+# Find panel button title and messages
+find_label=Бул:
+find_previous.title=Этии тиэкискэ бу иннинээҕи киириитин бул
+find_previous_label=Иннинээҕи
+find_next.title=Этии тиэкискэ бу кэннинээҕи киириитин бул
+find_next_label=Аныгыскы
+find_highlight=Барытын сырдатан көрдөр
+find_match_case_label=Буукуба улаханын-кыратын араар
+find_reached_top=Сирэй үрдүгэр тиийдиҥ, салгыыта аллара
+find_reached_bottom=Сирэй бүттэ, үөһэ салҕанна
+find_not_found=Этии көстүбэтэ
+
+# Error panel labels
+error_more_info=Сиһилии
+error_less_info=Сиһилиитин кистээ
+error_close=Сап
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (хомуйуута: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Этии: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Стeк: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Билэ: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Устуруока: {{line}}
+rendering_error=Сирэйи айарга алҕас таҕыста.
+
+# Predefined zoom values
+page_scale_width=Сирэй кэтитинэн
+page_scale_fit=Сирэй кээмэйинэн
+page_scale_auto=Аптамаатынан
+page_scale_actual=Дьиҥнээх кээмэйэ
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Алҕас
+loading_error=PDF-билэни хачайдыырга алҕас таҕыста.
+invalid_file_error=Туох эрэ алҕастаах эбэтэр алдьаммыт PDF-билэ.
+missing_file_error=PDF-билэ суох.
+unexpected_response_error=Сиэрбэр хоруйдаабат.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} туһунан]
+password_label=Бу PDF-билэни арыйарга көмүскэл тылы киллэриэхтээхин.
+password_invalid=Киирии тыл алҕастаах. Бука диэн, хатылаан көр.
+password_ok=СӨП
+password_cancel=Салҕаама
+
+printing_not_supported=Сэрэтии: Бу браузер бэчээттиири толору өйөөбөт.
+printing_not_ready=Сэрэтии: PDF бэчээттииргэ толору хачайдана илик.
+web_fonts_disabled=Ситим-бичиктэр араарыллыахтара: PDF бичиктэрэ кыайан көстүбэттэр.
+document_colors_not_allowed=PDF-дөкүмүөүннэргэ бэйэлэрин өҥнөрүн туттар көҥүллэммэтэ: "Ситим-сирдэр бэйэлэрин өҥнөрүн тутталларын көҥүллүүргэ" диэн браузерга арахса сылдьар эбит.
diff --git a/static/pdf.js/locale/sat/viewer.ftl b/static/pdf.js/locale/sat/viewer.ftl
deleted file mode 100644
index 90f12a31..00000000
--- a/static/pdf.js/locale/sat/viewer.ftl
+++ /dev/null
@@ -1,311 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = ᱢᱟᱲᱟᱝ ᱥᱟᱦᱴᱟ
-pdfjs-previous-button-label = ᱢᱟᱲᱟᱝᱟᱜ
-pdfjs-next-button =
- .title = ᱤᱱᱟᱹ ᱛᱟᱭᱚᱢ ᱥᱟᱦᱴᱟ
-pdfjs-next-button-label = ᱤᱱᱟᱹ ᱛᱟᱭᱚᱢ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ᱥᱟᱦᱴᱟ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = ᱨᱮᱭᱟᱜ { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } ᱠᱷᱚᱱ { $pagesCount })
-pdfjs-zoom-out-button =
- .title = ᱦᱤᱲᱤᱧ ᱛᱮᱭᱟᱨ
-pdfjs-zoom-out-button-label = ᱦᱤᱲᱤᱧ ᱛᱮᱭᱟᱨ
-pdfjs-zoom-in-button =
- .title = ᱢᱟᱨᱟᱝ ᱛᱮᱭᱟᱨ
-pdfjs-zoom-in-button-label = ᱢᱟᱨᱟᱝ ᱛᱮᱭᱟᱨ
-pdfjs-zoom-select =
- .title = ᱡᱩᱢ
-pdfjs-presentation-mode-button =
- .title = ᱩᱫᱩᱜ ᱥᱚᱫᱚᱨ ᱚᱵᱚᱥᱛᱟ ᱨᱮ ᱚᱛᱟᱭ ᱢᱮ
-pdfjs-presentation-mode-button-label = ᱩᱫᱩᱜ ᱥᱚᱫᱚᱨ ᱚᱵᱚᱥᱛᱟ ᱨᱮ
-pdfjs-open-file-button =
- .title = ᱨᱮᱫ ᱡᱷᱤᱡᱽ ᱢᱮ
-pdfjs-open-file-button-label = ᱡᱷᱤᱡᱽ ᱢᱮ
-pdfjs-print-button =
- .title = ᱪᱷᱟᱯᱟ
-pdfjs-print-button-label = ᱪᱷᱟᱯᱟ
-pdfjs-save-button =
- .title = ᱥᱟᱺᱪᱟᱣ ᱢᱮ
-pdfjs-save-button-label = ᱥᱟᱺᱪᱟᱣ ᱢᱮ
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ᱰᱟᱣᱩᱱᱞᱚᱰ
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ᱰᱟᱣᱩᱱᱞᱚᱰ
-pdfjs-bookmark-button =
- .title = ᱱᱤᱛᱚᱜᱟᱜ ᱥᱟᱦᱴᱟ (ᱱᱤᱛᱚᱜᱟᱜ ᱥᱟᱦᱴᱟ ᱠᱷᱚᱱ URL ᱫᱮᱠᱷᱟᱣ ᱢᱮ)
-pdfjs-bookmark-button-label = ᱱᱤᱛᱚᱜᱟᱜ ᱥᱟᱦᱴᱟ
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = ᱮᱯ ᱨᱮ ᱡᱷᱤᱡᱽ ᱢᱮ
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = ᱮᱯ ᱨᱮ ᱡᱷᱤᱡᱽ ᱢᱮ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = ᱦᱟᱹᱛᱤᱭᱟᱹᱨ ᱠᱚ
-pdfjs-tools-button-label = ᱦᱟᱹᱛᱤᱭᱟᱹᱨ ᱠᱚ
-pdfjs-first-page-button =
- .title = ᱯᱩᱭᱞᱩ ᱥᱟᱦᱴᱟ ᱥᱮᱫ ᱪᱟᱞᱟᱜ ᱢᱮ
-pdfjs-first-page-button-label = ᱯᱩᱭᱞᱩ ᱥᱟᱦᱴᱟ ᱥᱮᱫ ᱪᱟᱞᱟᱜ ᱢᱮ
-pdfjs-last-page-button =
- .title = ᱢᱩᱪᱟᱹᱫ ᱥᱟᱦᱴᱟ ᱥᱮᱫ ᱪᱟᱞᱟᱜ ᱢᱮ
-pdfjs-last-page-button-label = ᱢᱩᱪᱟᱹᱫ ᱥᱟᱦᱴᱟ ᱥᱮᱫ ᱪᱟᱞᱟᱜ ᱢᱮ
-pdfjs-page-rotate-cw-button =
- .title = ᱜᱷᱚᱰᱤ ᱦᱤᱥᱟᱹᱵ ᱛᱮ ᱟᱹᱪᱩᱨ
-pdfjs-page-rotate-cw-button-label = ᱜᱷᱚᱰᱤ ᱦᱤᱥᱟᱹᱵ ᱛᱮ ᱟᱹᱪᱩᱨ
-pdfjs-page-rotate-ccw-button =
- .title = ᱜᱷᱚᱰᱤ ᱦᱤᱥᱟᱹᱵ ᱛᱮ ᱩᱞᱴᱟᱹ ᱟᱹᱪᱩᱨ
-pdfjs-page-rotate-ccw-button-label = ᱜᱷᱚᱰᱤ ᱦᱤᱥᱟᱹᱵ ᱛᱮ ᱩᱞᱴᱟᱹ ᱟᱹᱪᱩᱨ
-pdfjs-cursor-text-select-tool-button =
- .title = ᱚᱞ ᱵᱟᱪᱷᱟᱣ ᱦᱟᱹᱛᱤᱭᱟᱨ ᱮᱢ ᱪᱷᱚᱭ ᱢᱮ
-pdfjs-cursor-text-select-tool-button-label = ᱚᱞ ᱵᱟᱪᱷᱟᱣ ᱦᱟᱹᱛᱤᱭᱟᱨ
-pdfjs-cursor-hand-tool-button =
- .title = ᱛᱤ ᱦᱟᱹᱛᱤᱭᱟᱨ ᱮᱢ ᱪᱷᱚᱭ ᱢᱮ
-pdfjs-cursor-hand-tool-button-label = ᱛᱤ ᱦᱟᱹᱛᱤᱭᱟᱨ
-pdfjs-scroll-page-button =
- .title = ᱥᱟᱦᱴᱟ ᱜᱩᱲᱟᱹᱣ ᱵᱮᱵᱷᱟᱨ ᱢᱮ
-pdfjs-scroll-page-button-label = ᱥᱟᱦᱴᱟ ᱜᱩᱲᱟᱹᱣ
-pdfjs-scroll-vertical-button =
- .title = ᱥᱤᱫᱽ ᱜᱩᱲᱟᱹᱣ ᱵᱮᱵᱷᱟᱨ ᱢᱮ
-pdfjs-scroll-vertical-button-label = ᱥᱤᱫᱽ ᱜᱩᱲᱟᱹᱣ
-pdfjs-scroll-horizontal-button =
- .title = ᱜᱤᱛᱤᱡ ᱛᱮ ᱜᱩᱲᱟᱹᱣ ᱵᱮᱵᱷᱟᱨ ᱢᱮ
-pdfjs-scroll-horizontal-button-label = ᱜᱤᱛᱤᱡ ᱛᱮ ᱜᱩᱲᱟᱹᱣ
-pdfjs-scroll-wrapped-button =
- .title = ᱞᱤᱯᱴᱟᱹᱣ ᱜᱩᱰᱨᱟᱹᱣ ᱵᱮᱵᱷᱟᱨ ᱢᱮ
-pdfjs-scroll-wrapped-button-label = ᱞᱤᱯᱴᱟᱣ ᱜᱩᱰᱨᱟᱹᱣ
-pdfjs-spread-none-button =
- .title = ᱟᱞᱚᱢ ᱡᱚᱲᱟᱣ ᱟ ᱥᱟᱦᱴᱟ ᱫᱚ ᱯᱟᱥᱱᱟᱣᱜᱼᱟ
-pdfjs-spread-none-button-label = ᱯᱟᱥᱱᱟᱣ ᱵᱟᱹᱱᱩᱜᱼᱟ
-pdfjs-spread-odd-button =
- .title = ᱥᱟᱦᱴᱟ ᱯᱟᱥᱱᱟᱣ ᱡᱚᱲᱟᱣ ᱢᱮ ᱡᱟᱦᱟᱸ ᱫᱚ ᱚᱰᱼᱮᱞ ᱥᱟᱦᱴᱟᱠᱚ ᱥᱟᱞᱟᱜ ᱮᱛᱦᱚᱵᱚᱜ ᱠᱟᱱᱟ
-pdfjs-spread-odd-button-label = ᱚᱰ ᱯᱟᱥᱱᱟᱣ
-pdfjs-spread-even-button =
- .title = ᱥᱟᱦᱴᱟ ᱯᱟᱥᱱᱟᱣ ᱡᱚᱲᱟᱣ ᱢᱮ ᱡᱟᱦᱟᱸ ᱫᱚ ᱤᱣᱮᱱᱼᱮᱞ ᱥᱟᱦᱴᱟᱠᱚ ᱥᱟᱞᱟᱜ ᱮᱛᱦᱚᱵᱚᱜ ᱠᱟᱱᱟ
-pdfjs-spread-even-button-label = ᱯᱟᱥᱱᱟᱣ ᱤᱣᱮᱱ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = ᱫᱚᱞᱤᱞ ᱜᱩᱱᱠᱚ …
-pdfjs-document-properties-button-label = ᱫᱚᱞᱤᱞ ᱜᱩᱱᱠᱚ …
-pdfjs-document-properties-file-name = ᱨᱮᱫᱽ ᱧᱩᱛᱩᱢ :
-pdfjs-document-properties-file-size = ᱨᱮᱫᱽ ᱢᱟᱯ :
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } ᱵᱟᱭᱤᱴ ᱠᱚ)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } ᱵᱟᱭᱤᱴ ᱠᱚ)
-pdfjs-document-properties-title = ᱧᱩᱛᱩᱢ :
-pdfjs-document-properties-author = ᱚᱱᱚᱞᱤᱭᱟᱹ :
-pdfjs-document-properties-subject = ᱵᱤᱥᱚᱭ :
-pdfjs-document-properties-keywords = ᱠᱟᱹᱴᱷᱤ ᱥᱟᱵᱟᱫᱽ :
-pdfjs-document-properties-creation-date = ᱛᱮᱭᱟᱨ ᱢᱟᱸᱦᱤᱛ :
-pdfjs-document-properties-modification-date = ᱵᱚᱫᱚᱞ ᱦᱚᱪᱚ ᱢᱟᱹᱦᱤᱛ :
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ᱵᱮᱱᱟᱣᱤᱡ :
-pdfjs-document-properties-producer = PDF ᱛᱮᱭᱟᱨ ᱚᱰᱚᱠᱤᱡ :
-pdfjs-document-properties-version = PDF ᱵᱷᱟᱹᱨᱥᱚᱱ :
-pdfjs-document-properties-page-count = ᱥᱟᱦᱴᱟ ᱞᱮᱠᱷᱟ :
-pdfjs-document-properties-page-size = ᱥᱟᱦᱴᱟ ᱢᱟᱯ :
-pdfjs-document-properties-page-size-unit-inches = ᱤᱧᱪ
-pdfjs-document-properties-page-size-unit-millimeters = ᱢᱤᱢᱤ
-pdfjs-document-properties-page-size-orientation-portrait = ᱯᱚᱴᱨᱮᱴ
-pdfjs-document-properties-page-size-orientation-landscape = ᱞᱮᱱᱰᱥᱠᱮᱯ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = ᱪᱤᱴᱷᱤ
-pdfjs-document-properties-page-size-name-legal = ᱠᱟᱹᱱᱩᱱᱤ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = ᱞᱚᱜᱚᱱ ᱣᱮᱵᱽ ᱧᱮᱞ :
-pdfjs-document-properties-linearized-yes = ᱦᱚᱭ
-pdfjs-document-properties-linearized-no = ᱵᱟᱝ
-pdfjs-document-properties-close-button = ᱵᱚᱸᱫᱚᱭ ᱢᱮ
-
-## Print
-
-pdfjs-print-progress-message = ᱪᱷᱟᱯᱟ ᱞᱟᱹᱜᱤᱫ ᱫᱚᱞᱤᱞ ᱛᱮᱭᱟᱨᱚᱜ ᱠᱟᱱᱟ …
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ᱵᱟᱹᱰᱨᱟᱹ
-pdfjs-printing-not-supported = ᱦᱚᱥᱤᱭᱟᱨ : ᱪᱷᱟᱯᱟ ᱱᱚᱣᱟ ᱯᱟᱱᱛᱮᱭᱟᱜ ᱫᱟᱨᱟᱭ ᱛᱮ ᱯᱩᱨᱟᱹᱣ ᱵᱟᱭ ᱜᱚᱲᱚᱣᱟᱠᱟᱱᱟ ᱾
-pdfjs-printing-not-ready = ᱦᱩᱥᱤᱭᱟᱹᱨ : ᱪᱷᱟᱯᱟ ᱞᱟᱹᱜᱤᱫ PDF ᱯᱩᱨᱟᱹ ᱵᱟᱭ ᱞᱟᱫᱮ ᱟᱠᱟᱱᱟ ᱾
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = ᱫᱷᱟᱨᱮᱵᱟᱨ ᱥᱮᱫ ᱩᱪᱟᱹᱲᱚᱜ ᱢᱮ
-pdfjs-toggle-sidebar-notification-button =
- .title = ᱫᱷᱟᱨᱮᱵᱟᱨ ᱥᱮᱫ ᱩᱪᱟᱹᱲᱚᱜ ᱢᱮ (ᱫᱚᱞᱤᱞ ᱨᱮ ᱟᱣᱴᱞᱟᱭᱤᱢ ᱢᱮᱱᱟᱜᱼᱟ/ᱞᱟᱪᱷᱟᱠᱚ/ᱯᱚᱨᱚᱛᱠᱚ)
-pdfjs-toggle-sidebar-button-label = ᱫᱷᱟᱨᱮᱵᱟᱨ ᱥᱮᱫ ᱩᱪᱟᱹᱲᱚᱜ ᱢᱮ
-pdfjs-document-outline-button =
- .title = ᱫᱚᱞᱚᱞ ᱟᱣᱴᱞᱟᱭᱤᱱ ᱫᱮᱠᱷᱟᱣ ᱢᱮ (ᱡᱷᱚᱛᱚ ᱡᱤᱱᱤᱥᱠᱚ ᱵᱟᱨ ᱡᱮᱠᱷᱟ ᱚᱛᱟ ᱠᱮᱛᱮ ᱡᱷᱟᱹᱞ/ᱦᱩᱰᱤᱧ ᱪᱷᱚᱭ ᱢᱮ)
-pdfjs-document-outline-button-label = ᱫᱚᱞᱤᱞ ᱛᱮᱭᱟᱨ ᱛᱮᱫ
-pdfjs-attachments-button =
- .title = ᱞᱟᱴᱷᱟ ᱥᱮᱞᱮᱫ ᱠᱚ ᱩᱫᱩᱜᱽ ᱢᱮ
-pdfjs-attachments-button-label = ᱞᱟᱴᱷᱟ ᱥᱮᱞᱮᱫ ᱠᱚ
-pdfjs-layers-button =
- .title = ᱯᱚᱨᱚᱛ ᱫᱮᱠᱷᱟᱣ ᱢᱮ (ᱢᱩᱞ ᱡᱟᱭᱜᱟ ᱛᱮ ᱡᱷᱚᱛᱚ ᱯᱚᱨᱚᱛᱠᱚ ᱨᱤᱥᱮᱴ ᱞᱟᱹᱜᱤᱫ ᱵᱟᱨ ᱡᱮᱠᱷᱟ ᱚᱛᱚᱭ ᱢᱮ)
-pdfjs-layers-button-label = ᱯᱚᱨᱚᱛᱠᱚ
-pdfjs-thumbs-button =
- .title = ᱪᱤᱛᱟᱹᱨ ᱟᱦᱞᱟ ᱠᱚ ᱩᱫᱩᱜᱽ ᱢᱮ
-pdfjs-thumbs-button-label = ᱪᱤᱛᱟᱹᱨ ᱟᱦᱞᱟ ᱠᱚ
-pdfjs-current-outline-item-button =
- .title = ᱱᱤᱛᱚᱜᱟᱜ ᱟᱣᱴᱞᱟᱭᱤᱱ ᱡᱟᱱᱤᱥ ᱯᱟᱱᱛᱮ ᱢᱮ
-pdfjs-current-outline-item-button-label = ᱱᱤᱛᱚᱜᱟᱜ ᱟᱣᱴᱞᱟᱭᱤᱱ ᱡᱟᱱᱤᱥ
-pdfjs-findbar-button =
- .title = ᱫᱚᱞᱤᱞ ᱨᱮ ᱯᱟᱱᱛᱮ
-pdfjs-findbar-button-label = ᱥᱮᱸᱫᱽᱨᱟᱭ ᱢᱮ
-pdfjs-additional-layers = ᱵᱟᱹᱲᱛᱤ ᱯᱚᱨᱚᱛᱠᱚ
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } ᱥᱟᱦᱴᱟ
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } ᱥᱟᱦᱴᱟ ᱨᱮᱭᱟᱜ ᱪᱤᱛᱟᱹᱨ ᱟᱦᱞᱟ
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ᱥᱮᱸᱫᱽᱨᱟᱭ ᱢᱮ
- .placeholder = ᱫᱚᱞᱤᱞ ᱨᱮ ᱯᱟᱱᱛᱮ ᱢᱮ …
-pdfjs-find-previous-button =
- .title = ᱟᱭᱟᱛ ᱦᱤᱸᱥ ᱨᱮᱭᱟᱜ ᱯᱟᱹᱦᱤᱞ ᱥᱮᱫᱟᱜ ᱚᱰᱚᱠ ᱧᱟᱢ ᱢᱮ
-pdfjs-find-previous-button-label = ᱢᱟᱲᱟᱝᱟᱜ
-pdfjs-find-next-button =
- .title = ᱟᱭᱟᱛ ᱦᱤᱸᱥ ᱨᱮᱭᱟᱜ ᱤᱱᱟᱹ ᱛᱟᱭᱚᱢ ᱚᱰᱚᱠ ᱧᱟᱢ ᱢᱮ
-pdfjs-find-next-button-label = ᱤᱱᱟᱹ ᱛᱟᱭᱚᱢ
-pdfjs-find-highlight-checkbox = ᱡᱷᱚᱛᱚ ᱩᱫᱩᱜ ᱨᱟᱠᱟᱵ
-pdfjs-find-match-case-checkbox-label = ᱡᱚᱲ ᱠᱟᱛᱷᱟ
-pdfjs-find-match-diacritics-checkbox-label = ᱵᱤᱥᱮᱥᱚᱠ ᱠᱚ ᱢᱮᱲᱟᱣ ᱢᱮ
-pdfjs-find-entire-word-checkbox-label = ᱡᱷᱚᱛᱚ ᱟᱹᱲᱟᱹᱠᱚ
-pdfjs-find-reached-top = ᱫᱚᱞᱤᱞ ᱨᱮᱭᱟᱜ ᱪᱤᱴ ᱨᱮ ᱥᱮᱴᱮᱨ, ᱞᱟᱛᱟᱨ ᱠᱷᱚᱱ ᱞᱮᱛᱟᱲ
-pdfjs-find-reached-bottom = ᱫᱚᱞᱤᱞ ᱨᱮᱭᱟᱜ ᱢᱩᱪᱟᱹᱫ ᱨᱮ ᱥᱮᱴᱮᱨ, ᱪᱚᱴ ᱠᱷᱚᱱ ᱞᱮᱛᱟᱲ
-pdfjs-find-not-found = ᱛᱚᱯᱚᱞ ᱫᱚᱱᱚᱲ ᱵᱟᱝ ᱧᱟᱢ ᱞᱮᱱᱟ
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ᱥᱟᱦᱴᱟ ᱚᱥᱟᱨ
-pdfjs-page-scale-fit = ᱥᱟᱦᱴᱟ ᱠᱷᱟᱯ
-pdfjs-page-scale-auto = ᱟᱡᱼᱟᱡ ᱛᱮ ᱦᱩᱰᱤᱧ ᱞᱟᱹᱴᱩ ᱛᱮᱭᱟᱨ
-pdfjs-page-scale-actual = ᱴᱷᱤᱠ ᱢᱟᱨᱟᱝ ᱛᱮᱫ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = { $page } ᱥᱟᱦᱴᱟ
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ᱞᱟᱫᱮ ᱡᱚᱦᱚᱜ ᱢᱤᱫ ᱵᱷᱩᱞ ᱦᱩᱭ ᱮᱱᱟ ᱾
-pdfjs-invalid-file-error = ᱵᱟᱝ ᱵᱟᱛᱟᱣ ᱟᱨᱵᱟᱝᱠᱷᱟᱱ ᱰᱤᱜᱟᱹᱣ PDF ᱨᱮᱫᱽ ᱾
-pdfjs-missing-file-error = ᱟᱫᱟᱜ PDF ᱨᱮᱫᱽ ᱾
-pdfjs-unexpected-response-error = ᱵᱟᱝᱵᱩᱡᱷ ᱥᱚᱨᱵᱷᱚᱨ ᱛᱮᱞᱟ ᱾
-pdfjs-rendering-error = ᱥᱟᱦᱴᱟ ᱮᱢ ᱡᱚᱦᱚᱠ ᱢᱤᱫ ᱵᱷᱩᱞ ᱦᱩᱭ ᱮᱱᱟ ᱾
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } ᱢᱚᱱᱛᱚ ᱮᱢ]
-
-## Password
-
-pdfjs-password-label = ᱱᱚᱶᱟ PDF ᱨᱮᱫᱽ ᱡᱷᱤᱡᱽ ᱞᱟᱹᱜᱤᱫ ᱫᱟᱱᱟᱝ ᱥᱟᱵᱟᱫᱽ ᱟᱫᱮᱨ ᱢᱮ ᱾
-pdfjs-password-invalid = ᱵᱷᱩᱞ ᱫᱟᱱᱟᱝ ᱥᱟᱵᱟᱫᱽ ᱾ ᱫᱟᱭᱟᱠᱟᱛᱮ ᱫᱩᱦᱲᱟᱹ ᱪᱮᱥᱴᱟᱭ ᱢᱮ ᱾
-pdfjs-password-ok-button = ᱴᱷᱤᱠ
-pdfjs-password-cancel-button = ᱵᱟᱹᱰᱨᱟᱹ
-pdfjs-web-fonts-disabled = ᱣᱮᱵᱽ ᱪᱤᱠᱤ ᱵᱟᱝ ᱦᱩᱭ ᱦᱚᱪᱚ ᱠᱟᱱᱟ : ᱵᱷᱤᱛᱤᱨ ᱛᱷᱟᱯᱚᱱ PDF ᱪᱤᱠᱤ ᱵᱮᱵᱷᱟᱨ ᱵᱟᱝ ᱦᱩᱭ ᱠᱮᱭᱟ ᱾
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = ᱚᱞ
-pdfjs-editor-free-text-button-label = ᱚᱞ
-pdfjs-editor-ink-button =
- .title = ᱛᱮᱭᱟᱨ
-pdfjs-editor-ink-button-label = ᱛᱮᱭᱟᱨ
-pdfjs-editor-stamp-button =
- .title = ᱪᱤᱛᱟᱹᱨᱠᱚ ᱥᱮᱞᱮᱫ ᱥᱮ ᱥᱟᱯᱲᱟᱣ ᱢᱮ
-pdfjs-editor-stamp-button-label = ᱪᱤᱛᱟᱹᱨᱠᱚ ᱥᱮᱞᱮᱫ ᱥᱮ ᱥᱟᱯᱲᱟᱣ ᱢᱮ
-# Editor Parameters
-pdfjs-editor-free-text-color-input = ᱨᱚᱝ
-pdfjs-editor-free-text-size-input = ᱢᱟᱯ
-pdfjs-editor-ink-color-input = ᱨᱚᱝ
-pdfjs-editor-ink-thickness-input = ᱢᱚᱴᱟ
-pdfjs-editor-ink-opacity-input = ᱟᱨᱯᱟᱨ
-pdfjs-editor-stamp-add-image-button =
- .title = ᱪᱤᱛᱟᱹᱨ ᱥᱮᱞᱮᱫ ᱢᱮ
-pdfjs-editor-stamp-add-image-button-label = ᱪᱤᱛᱟᱹᱨ ᱥᱮᱞᱮᱫ ᱢᱮ
-pdfjs-free-text =
- .aria-label = ᱚᱞ ᱥᱟᱯᱲᱟᱣᱤᱭᱟᱹ
-pdfjs-free-text-default-content = ᱚᱞ ᱮᱛᱦᱚᱵ ᱢᱮ …
-pdfjs-ink =
- .aria-label = ᱛᱮᱭᱟᱨ ᱥᱟᱯᱲᱟᱣᱤᱭᱟᱹ
-pdfjs-ink-canvas =
- .aria-label = ᱵᱮᱵᱷᱟᱨᱤᱭᱟᱹ ᱛᱮᱭᱟᱨ ᱠᱟᱫ ᱪᱤᱛᱟᱹᱨ
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/sc/viewer.ftl b/static/pdf.js/locale/sc/viewer.ftl
deleted file mode 100644
index a51943c9..00000000
--- a/static/pdf.js/locale/sc/viewer.ftl
+++ /dev/null
@@ -1,290 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pàgina anteriore
-pdfjs-previous-button-label = S'ischeda chi b'est primu
-pdfjs-next-button =
- .title = Pàgina imbeniente
-pdfjs-next-button-label = Imbeniente
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pàgina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = de { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } de { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Impitica
-pdfjs-zoom-out-button-label = Impitica
-pdfjs-zoom-in-button =
- .title = Ismànnia
-pdfjs-zoom-in-button-label = Ismànnia
-pdfjs-zoom-select =
- .title = Ismànnia
-pdfjs-presentation-mode-button =
- .title = Cola a sa modalidade de presentatzione
-pdfjs-presentation-mode-button-label = Modalidade de presentatzione
-pdfjs-open-file-button =
- .title = Aberi s'archìviu
-pdfjs-open-file-button-label = Abertu
-pdfjs-print-button =
- .title = Imprenta
-pdfjs-print-button-label = Imprenta
-pdfjs-save-button =
- .title = Sarva
-pdfjs-save-button-label = Sarva
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Iscàrriga
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Iscàrriga
-pdfjs-bookmark-button =
- .title = Pàgina atuale (ammustra s’URL de sa pàgina atuale)
-pdfjs-bookmark-button-label = Pàgina atuale
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Aberi in un’aplicatzione
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Aberi in un’aplicatzione
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Istrumentos
-pdfjs-tools-button-label = Istrumentos
-pdfjs-first-page-button =
- .title = Bae a sa prima pàgina
-pdfjs-first-page-button-label = Bae a sa prima pàgina
-pdfjs-last-page-button =
- .title = Bae a s'ùrtima pàgina
-pdfjs-last-page-button-label = Bae a s'ùrtima pàgina
-pdfjs-page-rotate-cw-button =
- .title = Gira in sensu oràriu
-pdfjs-page-rotate-cw-button-label = Gira in sensu oràriu
-pdfjs-page-rotate-ccw-button =
- .title = Gira in sensu anti-oràriu
-pdfjs-page-rotate-ccw-button-label = Gira in sensu anti-oràriu
-pdfjs-cursor-text-select-tool-button =
- .title = Ativa s'aina de seletzione de testu
-pdfjs-cursor-text-select-tool-button-label = Aina de seletzione de testu
-pdfjs-cursor-hand-tool-button =
- .title = Ativa s'aina de manu
-pdfjs-cursor-hand-tool-button-label = Aina de manu
-pdfjs-scroll-page-button =
- .title = Imprea s'iscurrimentu de pàgina
-pdfjs-scroll-page-button-label = Iscurrimentu de pàgina
-pdfjs-scroll-vertical-button =
- .title = Imprea s'iscurrimentu verticale
-pdfjs-scroll-vertical-button-label = Iscurrimentu verticale
-pdfjs-scroll-horizontal-button =
- .title = Imprea s'iscurrimentu orizontale
-pdfjs-scroll-horizontal-button-label = Iscurrimentu orizontale
-pdfjs-scroll-wrapped-button =
- .title = Imprea s'iscurrimentu continu
-pdfjs-scroll-wrapped-button-label = Iscurrimentu continu
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Propiedades de su documentu…
-pdfjs-document-properties-button-label = Propiedades de su documentu…
-pdfjs-document-properties-file-name = Nòmine de s'archìviu:
-pdfjs-document-properties-file-size = Mannària de s'archìviu:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Tìtulu:
-pdfjs-document-properties-author = Autoria:
-pdfjs-document-properties-subject = Ogetu:
-pdfjs-document-properties-keywords = Faeddos crae:
-pdfjs-document-properties-creation-date = Data de creatzione:
-pdfjs-document-properties-modification-date = Data de modìfica:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Creatzione:
-pdfjs-document-properties-producer = Produtore de PDF:
-pdfjs-document-properties-version = Versione de PDF:
-pdfjs-document-properties-page-count = Contu de pàginas:
-pdfjs-document-properties-page-size = Mannària de sa pàgina:
-pdfjs-document-properties-page-size-unit-inches = pòddighes
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = verticale
-pdfjs-document-properties-page-size-orientation-landscape = orizontale
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Lìtera
-pdfjs-document-properties-page-size-name-legal = Legale
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Visualizatzione web lestra:
-pdfjs-document-properties-linearized-yes = Eja
-pdfjs-document-properties-linearized-no = Nono
-pdfjs-document-properties-close-button = Serra
-
-## Print
-
-pdfjs-print-progress-message = Aparitzende s'imprenta de su documentu…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Cantzella
-pdfjs-printing-not-supported = Atentzione: s'imprenta no est funtzionende de su totu in custu navigadore.
-pdfjs-printing-not-ready = Atentzione: su PDF no est istadu carrigadu de su totu pro s'imprenta.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Ativa/disativa sa barra laterale
-pdfjs-toggle-sidebar-notification-button =
- .title = Ativa/disativa sa barra laterale (su documentu cuntenet un'ischema, alligongiados o livellos)
-pdfjs-toggle-sidebar-button-label = Ativa/disativa sa barra laterale
-pdfjs-document-outline-button-label = Ischema de su documentu
-pdfjs-attachments-button =
- .title = Ammustra alligongiados
-pdfjs-attachments-button-label = Alliongiados
-pdfjs-layers-button =
- .title = Ammustra livellos (clic dòpiu pro ripristinare totu is livellos a s'istadu predefinidu)
-pdfjs-layers-button-label = Livellos
-pdfjs-thumbs-button =
- .title = Ammustra miniaturas
-pdfjs-thumbs-button-label = Miniaturas
-pdfjs-current-outline-item-button =
- .title = Agata s'elementu atuale de s'ischema
-pdfjs-current-outline-item-button-label = Elementu atuale de s'ischema
-pdfjs-findbar-button =
- .title = Agata in su documentu
-pdfjs-findbar-button-label = Agata
-pdfjs-additional-layers = Livellos additzionales
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pàgina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura de sa pàgina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Agata
- .placeholder = Agata in su documentu…
-pdfjs-find-previous-button =
- .title = Agata s'ocurrèntzia pretzedente de sa fràsia
-pdfjs-find-previous-button-label = S'ischeda chi b'est primu
-pdfjs-find-next-button =
- .title = Agata s'ocurrèntzia imbeniente de sa fràsia
-pdfjs-find-next-button-label = Imbeniente
-pdfjs-find-highlight-checkbox = Evidèntzia totu
-pdfjs-find-match-case-checkbox-label = Distinghe intre majùsculas e minùsculas
-pdfjs-find-match-diacritics-checkbox-label = Respeta is diacrìticos
-pdfjs-find-entire-word-checkbox-label = Faeddos intreos
-pdfjs-find-reached-top = S'est lòmpidu a su cumintzu de su documentu, si sighit dae su bàsciu
-pdfjs-find-reached-bottom = Acabbu de su documentu, si sighit dae s'artu
-pdfjs-find-not-found = Testu no agatadu
-
-## Predefined zoom values
-
-pdfjs-page-scale-auto = Ingrandimentu automàticu
-pdfjs-page-scale-actual = Mannària reale
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Pàgina { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Faddina in sa càrriga de su PDF.
-pdfjs-invalid-file-error = Archìviu PDF non vàlidu o corrùmpidu.
-pdfjs-missing-file-error = Ammancat s'archìviu PDF.
-pdfjs-unexpected-response-error = Risposta imprevista de su serbidore.
-pdfjs-rendering-error = Faddina in sa visualizatzione de sa pàgina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-## Password
-
-pdfjs-password-label = Inserta sa crae pro abèrrere custu archìviu PDF.
-pdfjs-password-invalid = Sa crae no est curreta. Torra a nche proare.
-pdfjs-password-ok-button = Andat bene
-pdfjs-password-cancel-button = Cantzella
-pdfjs-web-fonts-disabled = Is tipografias web sunt disativadas: is tipografias incrustadas a su PDF non podent èssere impreadas.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Testu
-pdfjs-editor-free-text-button-label = Testu
-pdfjs-editor-ink-button =
- .title = Disinnu
-pdfjs-editor-ink-button-label = Disinnu
-pdfjs-editor-stamp-button =
- .title = Agiunghe o modìfica immàgines
-pdfjs-editor-stamp-button-label = Agiunghe o modìfica immàgines
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Colore
-pdfjs-editor-free-text-size-input = Mannària
-pdfjs-editor-ink-color-input = Colore
-pdfjs-editor-ink-thickness-input = Grussària
-pdfjs-editor-stamp-add-image-button =
- .title = Agiunghe un’immàgine
-pdfjs-editor-stamp-add-image-button-label = Agiunghe un’immàgine
-pdfjs-free-text =
- .aria-label = Editore de testu
-pdfjs-free-text-default-content = Cumintza a iscrìere…
-pdfjs-ink =
- .aria-label = Editore de disinnos
-pdfjs-ink-canvas =
- .aria-label = Immàgine creada dae s’utente
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/scn/viewer.ftl b/static/pdf.js/locale/scn/viewer.ftl
deleted file mode 100644
index a3c7c038..00000000
--- a/static/pdf.js/locale/scn/viewer.ftl
+++ /dev/null
@@ -1,74 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-zoom-out-button =
- .title = Cchiù nicu
-pdfjs-zoom-out-button-label = Cchiù nicu
-pdfjs-zoom-in-button =
- .title = Cchiù granni
-pdfjs-zoom-in-button-label = Cchiù granni
-
-## Secondary toolbar and context menu
-
-
-## Document properties dialog
-
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Vista web lesta:
-pdfjs-document-properties-linearized-yes = Se
-
-## Print
-
-pdfjs-print-progress-close-button = Sfai
-
-## Tooltips and alt text for side panel toolbar buttons
-
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-
-## Find panel button title and messages
-
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Larghizza dâ pàggina
-
-## PDF page
-
-
-## Loading indicator messages
-
-
-## Annotations
-
-
-## Password
-
-pdfjs-password-cancel-button = Sfai
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/sco/viewer.ftl b/static/pdf.js/locale/sco/viewer.ftl
deleted file mode 100644
index 6f71c47a..00000000
--- a/static/pdf.js/locale/sco/viewer.ftl
+++ /dev/null
@@ -1,264 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Page Afore
-pdfjs-previous-button-label = Previous
-pdfjs-next-button =
- .title = Page Efter
-pdfjs-next-button-label = Neist
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Page
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = o { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } o { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zoom Oot
-pdfjs-zoom-out-button-label = Zoom Oot
-pdfjs-zoom-in-button =
- .title = Zoom In
-pdfjs-zoom-in-button-label = Zoom In
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Flit tae Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Open File
-pdfjs-open-file-button-label = Open
-pdfjs-print-button =
- .title = Prent
-pdfjs-print-button-label = Prent
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Tools
-pdfjs-tools-button-label = Tools
-pdfjs-first-page-button =
- .title = Gang tae First Page
-pdfjs-first-page-button-label = Gang tae First Page
-pdfjs-last-page-button =
- .title = Gang tae Lest Page
-pdfjs-last-page-button-label = Gang tae Lest Page
-pdfjs-page-rotate-cw-button =
- .title = Rotate Clockwise
-pdfjs-page-rotate-cw-button-label = Rotate Clockwise
-pdfjs-page-rotate-ccw-button =
- .title = Rotate Coonterclockwise
-pdfjs-page-rotate-ccw-button-label = Rotate Coonterclockwise
-pdfjs-cursor-text-select-tool-button =
- .title = Enable Text Walin Tool
-pdfjs-cursor-text-select-tool-button-label = Text Walin Tool
-pdfjs-cursor-hand-tool-button =
- .title = Enable Haun Tool
-pdfjs-cursor-hand-tool-button-label = Haun Tool
-pdfjs-scroll-vertical-button =
- .title = Yaise Vertical Scrollin
-pdfjs-scroll-vertical-button-label = Vertical Scrollin
-pdfjs-scroll-horizontal-button =
- .title = Yaise Horizontal Scrollin
-pdfjs-scroll-horizontal-button-label = Horizontal Scrollin
-pdfjs-scroll-wrapped-button =
- .title = Yaise Wrapped Scrollin
-pdfjs-scroll-wrapped-button-label = Wrapped Scrollin
-pdfjs-spread-none-button =
- .title = Dinnae jyn page spreids
-pdfjs-spread-none-button-label = Nae Spreids
-pdfjs-spread-odd-button =
- .title = Jyn page spreids stertin wi odd-numbered pages
-pdfjs-spread-odd-button-label = Odd Spreids
-pdfjs-spread-even-button =
- .title = Jyn page spreids stertin wi even-numbered pages
-pdfjs-spread-even-button-label = Even Spreids
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Document Properties…
-pdfjs-document-properties-button-label = Document Properties…
-pdfjs-document-properties-file-name = File nemme:
-pdfjs-document-properties-file-size = File size:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Title:
-pdfjs-document-properties-author = Author:
-pdfjs-document-properties-subject = Subjeck:
-pdfjs-document-properties-keywords = Keywirds:
-pdfjs-document-properties-creation-date = Date o Makkin:
-pdfjs-document-properties-modification-date = Date o Chynges:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Makker:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Page Coont:
-pdfjs-document-properties-page-size = Page Size:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portrait
-pdfjs-document-properties-page-size-orientation-landscape = landscape
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Wab View:
-pdfjs-document-properties-linearized-yes = Aye
-pdfjs-document-properties-linearized-no = Naw
-pdfjs-document-properties-close-button = Sneck
-
-## Print
-
-pdfjs-print-progress-message = Reddin document fur prentin…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Stap
-pdfjs-printing-not-supported = Tak tent: Prentin isnae richt supportit by this stravaiger.
-pdfjs-printing-not-ready = Tak tent: The PDF isnae richt loadit fur prentin.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Toggle Sidebaur
-pdfjs-toggle-sidebar-notification-button =
- .title = Toggle Sidebaur (document conteens ootline/attachments/layers)
-pdfjs-toggle-sidebar-button-label = Toggle Sidebaur
-pdfjs-document-outline-button =
- .title = Kythe Document Ootline (double-click fur tae oot-fauld/in-fauld aw items)
-pdfjs-document-outline-button-label = Document Ootline
-pdfjs-attachments-button =
- .title = Kythe Attachments
-pdfjs-attachments-button-label = Attachments
-pdfjs-layers-button =
- .title = Kythe Layers (double-click fur tae reset aw layers tae the staunart state)
-pdfjs-layers-button-label = Layers
-pdfjs-thumbs-button =
- .title = Kythe Thumbnails
-pdfjs-thumbs-button-label = Thumbnails
-pdfjs-current-outline-item-button =
- .title = Find Current Ootline Item
-pdfjs-current-outline-item-button-label = Current Ootline Item
-pdfjs-findbar-button =
- .title = Find in Document
-pdfjs-findbar-button-label = Find
-pdfjs-additional-layers = Mair Layers
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Page { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail o Page { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Find
- .placeholder = Find in document…
-pdfjs-find-previous-button =
- .title = Airt oot the last time this phrase occurred
-pdfjs-find-previous-button-label = Previous
-pdfjs-find-next-button =
- .title = Airt oot the neist time this phrase occurs
-pdfjs-find-next-button-label = Neist
-pdfjs-find-highlight-checkbox = Highlicht aw
-pdfjs-find-match-case-checkbox-label = Match case
-pdfjs-find-entire-word-checkbox-label = Hale Wirds
-pdfjs-find-reached-top = Raxed tap o document, went on fae the dowp end
-pdfjs-find-reached-bottom = Raxed end o document, went on fae the tap
-pdfjs-find-not-found = Phrase no fund
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Page Width
-pdfjs-page-scale-fit = Page Fit
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Actual Size
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Page { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = An mishanter tuik place while loadin the PDF.
-pdfjs-invalid-file-error = No suithfest or camshauchlet PDF file.
-pdfjs-missing-file-error = PDF file tint.
-pdfjs-unexpected-response-error = Unexpectit server repone.
-pdfjs-rendering-error = A mishanter tuik place while renderin the page.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Inpit the passwird fur tae open this PDF file.
-pdfjs-password-invalid = Passwird no suithfest. Gonnae gie it anither shot.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Stap
-pdfjs-web-fonts-disabled = Wab fonts are disabled: cannae yaise embeddit PDF fonts.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/si/viewer.ftl b/static/pdf.js/locale/si/viewer.ftl
deleted file mode 100644
index 28387298..00000000
--- a/static/pdf.js/locale/si/viewer.ftl
+++ /dev/null
@@ -1,253 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = කලින් පිටුව
-pdfjs-previous-button-label = කලින්
-pdfjs-next-button =
- .title = ඊළඟ පිටුව
-pdfjs-next-button-label = ඊළඟ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = පිටුව
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = කුඩාලනය
-pdfjs-zoom-out-button-label = කුඩාලනය
-pdfjs-zoom-in-button =
- .title = විශාලනය
-pdfjs-zoom-in-button-label = විශාලනය
-pdfjs-zoom-select =
- .title = විශාල කරන්න
-pdfjs-presentation-mode-button =
- .title = සමර්පණ ප්රකාරය වෙත මාරුවන්න
-pdfjs-presentation-mode-button-label = සමර්පණ ප්රකාරය
-pdfjs-open-file-button =
- .title = ගොනුව අරින්න
-pdfjs-open-file-button-label = අරින්න
-pdfjs-print-button =
- .title = මුද්රණය
-pdfjs-print-button-label = මුද්රණය
-pdfjs-save-button =
- .title = සුරකින්න
-pdfjs-save-button-label = සුරකින්න
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = බාගන්න
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = බාගන්න
-pdfjs-bookmark-button-label = පවතින පිටුව
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = යෙදුමෙහි අරින්න
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = යෙදුමෙහි අරින්න
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = මෙවලම්
-pdfjs-tools-button-label = මෙවලම්
-pdfjs-first-page-button =
- .title = මුල් පිටුවට යන්න
-pdfjs-first-page-button-label = මුල් පිටුවට යන්න
-pdfjs-last-page-button =
- .title = අවසන් පිටුවට යන්න
-pdfjs-last-page-button-label = අවසන් පිටුවට යන්න
-pdfjs-cursor-text-select-tool-button =
- .title = පෙළ තේරීමේ මෙවලම සබල කරන්න
-pdfjs-cursor-text-select-tool-button-label = පෙළ තේරීමේ මෙවලම
-pdfjs-cursor-hand-tool-button =
- .title = අත් මෙවලම සබල කරන්න
-pdfjs-cursor-hand-tool-button-label = අත් මෙවලම
-pdfjs-scroll-page-button =
- .title = පිටුව අනුචලනය භාවිතය
-pdfjs-scroll-page-button-label = පිටුව අනුචලනය
-pdfjs-scroll-vertical-button =
- .title = සිරස් අනුචලනය භාවිතය
-pdfjs-scroll-vertical-button-label = සිරස් අනුචලනය
-pdfjs-scroll-horizontal-button =
- .title = තිරස් අනුචලනය භාවිතය
-pdfjs-scroll-horizontal-button-label = තිරස් අනුචලනය
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = ලේඛනයේ ගුණාංග…
-pdfjs-document-properties-button-label = ලේඛනයේ ගුණාංග…
-pdfjs-document-properties-file-name = ගොනුවේ නම:
-pdfjs-document-properties-file-size = ගොනුවේ ප්රමාණය:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = කි.බ. { $size_kb } (බයිට { $size_b })
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = මෙ.බ. { $size_mb } (බයිට { $size_b })
-pdfjs-document-properties-title = සිරැසිය:
-pdfjs-document-properties-author = කතෘ:
-pdfjs-document-properties-subject = මාතෘකාව:
-pdfjs-document-properties-keywords = මූල පද:
-pdfjs-document-properties-creation-date = සෑදූ දිනය:
-pdfjs-document-properties-modification-date = සංශෝධිත දිනය:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = නිර්මාතෘ:
-pdfjs-document-properties-producer = පීඩීඑෆ් සම්පාදක:
-pdfjs-document-properties-version = පීඩීඑෆ් අනුවාදය:
-pdfjs-document-properties-page-count = පිටු ගණන:
-pdfjs-document-properties-page-size = පිටුවේ තරම:
-pdfjs-document-properties-page-size-unit-inches = අඟල්
-pdfjs-document-properties-page-size-unit-millimeters = මි.මී.
-pdfjs-document-properties-page-size-orientation-portrait = සිරස්
-pdfjs-document-properties-page-size-orientation-landscape = තිරස්
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width }×{ $height }{ $unit }{ $name }{ $orientation }
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = වේගවත් වියමන දැක්ම:
-pdfjs-document-properties-linearized-yes = ඔව්
-pdfjs-document-properties-linearized-no = නැහැ
-pdfjs-document-properties-close-button = වසන්න
-
-## Print
-
-pdfjs-print-progress-message = මුද්රණය සඳහා ලේඛනය සූදානම් වෙමින්…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = අවලංගු කරන්න
-pdfjs-printing-not-supported = අවවාදයයි: මෙම අතිරික්සුව මුද්රණය සඳහා හොඳින් සහාය නොදක්වයි.
-pdfjs-printing-not-ready = අවවාදයයි: මුද්රණයට පීඩීඑෆ් ගොනුව සම්පූර්ණයෙන් පූරණය වී නැත.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-document-outline-button-label = ලේඛනයේ වටසන
-pdfjs-attachments-button =
- .title = ඇමුණුම් පෙන්වන්න
-pdfjs-attachments-button-label = ඇමුණුම්
-pdfjs-layers-button =
- .title = ස්තර පෙන්වන්න (සියළු ස්තර පෙරනිමි තත්වයට යළි සැකසීමට දෙවරක් ඔබන්න)
-pdfjs-layers-button-label = ස්තර
-pdfjs-thumbs-button =
- .title = සිඟිති රූ පෙන්වන්න
-pdfjs-thumbs-button-label = සිඟිති රූ
-pdfjs-findbar-button =
- .title = ලේඛනයෙහි සොයන්න
-pdfjs-findbar-button-label = සොයන්න
-pdfjs-additional-layers = අතිරේක ස්තර
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = පිටුව { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = පිටුවේ සිඟිත රූව { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = සොයන්න
- .placeholder = ලේඛනයේ සොයන්න…
-pdfjs-find-previous-button =
- .title = මෙම වැකිකඩ කලින් යෙදුණු ස්ථානය සොයන්න
-pdfjs-find-previous-button-label = කලින්
-pdfjs-find-next-button =
- .title = මෙම වැකිකඩ ඊළඟට යෙදෙන ස්ථානය සොයන්න
-pdfjs-find-next-button-label = ඊළඟ
-pdfjs-find-highlight-checkbox = සියල්ල උද්දීපනය
-pdfjs-find-entire-word-checkbox-label = සමස්ත වචන
-pdfjs-find-reached-top = ලේඛනයේ මුදුනට ළඟා විය, පහළ සිට ඉහළට
-pdfjs-find-reached-bottom = ලේඛනයේ අවසානයට ළඟා විය, ඉහළ සිට පහළට
-pdfjs-find-not-found = වැකිකඩ හමු නොවිණි
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = පිටුවේ පළල
-pdfjs-page-scale-auto = ස්වයංක්රීය විශාලනය
-pdfjs-page-scale-actual = සැබෑ ප්රමාණය
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = පිටුව { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = පීඩීඑෆ් පූරණය කිරීමේදී දෝෂයක් සිදු විය.
-pdfjs-invalid-file-error = වලංගු නොවන හෝ හානිවූ පීඩීඑෆ් ගොනුවකි.
-pdfjs-missing-file-error = මඟහැරුණු පීඩීඑෆ් ගොනුවකි.
-pdfjs-unexpected-response-error = අනපේක්ෂිත සේවාදායක ප්රතිචාරයකි.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-
-## Password
-
-pdfjs-password-label = මෙම පීඩීඑෆ් ගොනුව විවෘත කිරීමට මුරපදය යොදන්න.
-pdfjs-password-invalid = වැරදි මුරපදයකි. නැවත උත්සාහ කරන්න.
-pdfjs-password-ok-button = හරි
-pdfjs-password-cancel-button = අවලංගු
-pdfjs-web-fonts-disabled = වියමන අකුරු අබලයි: පීඩීඑෆ් වෙත කාවැද්දූ රුවකුරු භාවිතා කළ නොහැකිය.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = පෙළ
-pdfjs-editor-free-text-button-label = පෙළ
-pdfjs-editor-ink-button =
- .title = අඳින්න
-pdfjs-editor-ink-button-label = අඳින්න
-# Editor Parameters
-pdfjs-editor-free-text-color-input = වර්ණය
-pdfjs-editor-free-text-size-input = තරම
-pdfjs-editor-ink-color-input = වර්ණය
-pdfjs-editor-ink-thickness-input = ඝණකම
-pdfjs-free-text =
- .aria-label = වදන් සකසනය
-pdfjs-free-text-default-content = ලිවීීම අරඹන්න…
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/si/viewer.properties b/static/pdf.js/locale/si/viewer.properties
new file mode 100644
index 00000000..80cae85f
--- /dev/null
+++ b/static/pdf.js/locale/si/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=මීට පෙර පිටුව
+previous_label=පෙර
+next.title=මීළඟ පිටුව
+next_label=මීළඟ
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=පිටුව:
+page_of={{pageCount}} කින්
+
+zoom_out.title=කුඩා කරන්න
+zoom_out_label=කුඩා කරන්න
+zoom_in.title=විශාල කරන්න
+zoom_in_label=විශාල කරන්න
+zoom.title=විශාලණය
+presentation_mode.title=ඉදිරිපත්කිරීම් ප්රකාරය වෙත මාරුවන්න
+presentation_mode_label=ඉදිරිපත්කිරීම් ප්රකාරය
+open_file.title=ගොනුව විවෘත කරන්න
+open_file_label=විවෘත කරන්න
+print.title=මුද්රණය
+print_label=මුද්රණය
+download.title=බාගන්න
+download_label=බාගන්න
+bookmark.title=දැනට ඇති දසුන (පිටපත් කරන්න හෝ නව කවුළුවක විවෘත කරන්න)
+bookmark_label=දැනට ඇති දසුන
+
+# Secondary toolbar and context menu
+tools.title=මෙවලම්
+tools_label=මෙවලම්
+first_page.title=මුල් පිටුවට යන්න
+first_page.label=මුල් පිටුවට යන්න
+first_page_label=මුල් පිටුවට යන්න
+last_page.title=අවසන් පිටුවට යන්න
+last_page.label=අවසන් පිටුවට යන්න
+last_page_label=අවසන් පිටුවට යන්න
+page_rotate_cw.title=දක්ශිණාවර්තව භ්රමණය
+page_rotate_cw.label=දක්ශිණාවර්තව භ්රමණය
+page_rotate_cw_label=දක්ශිණාවර්තව භ්රමණය
+page_rotate_ccw.title=වාමාවර්තව භ්රමණය
+page_rotate_ccw.label=වාමාවර්තව භ්රමණය
+page_rotate_ccw_label=වාමාවර්තව භ්රමණය
+
+hand_tool_enable.title=හස්ත මෙවලම සක්රීය
+hand_tool_enable_label=හස්ත මෙවලම සක්රීය
+hand_tool_disable.title=හස්ත මෙවලම අක්රීය
+hand_tool_disable_label=හස්ත මෙවලම අක්රීය
+
+# Document properties dialog box
+document_properties.title=ලේඛන වත්කම්...
+document_properties_label=ලේඛන වත්කම්...
+document_properties_file_name=ගොනු නම:
+document_properties_file_size=ගොනු ප්රමාණය:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} බයිට)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} බයිට)
+document_properties_title=සිරස්තලය:
+document_properties_author=කතෲ
+document_properties_subject=මාතෘකාව:
+document_properties_keywords=යතුරු වදන්:
+document_properties_creation_date=නිර්මිත දිනය:
+document_properties_modification_date=වෙනස්කල දිනය:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=නිර්මාපක:
+document_properties_producer=PDF නිශ්පාදක:
+document_properties_version=PDF නිකුතුව:
+document_properties_page_count=පිටු ගණන:
+document_properties_close=වසන්න
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=පැති තීරුවට මාරුවන්න
+toggle_sidebar_label=පැති තීරුවට මාරුවන්න
+outline.title=ලේඛනයේ පිට මායිම පෙන්වන්න
+outline_label=ලේඛනයේ පිට මායිම
+attachments.title=ඇමිණුම් පෙන්වන්න
+attachments_label=ඇමිණුම්
+thumbs.title=සිඟිති රූ පෙන්වන්න
+thumbs_label=සිඟිති රූ
+findbar.title=ලේඛනය තුළ සොයන්න
+findbar_label=සොයන්න
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=පිටුව {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=පිටුවෙ සිඟිත රූව {{page}}
+
+# Find panel button title and messages
+find_label=සොයන්න:
+find_previous.title=මේ වාක්ය ඛණ්ඩය මීට පෙර යෙදුණු ස්ථානය සොයන්න
+find_previous_label=පෙර:
+find_next.title=මේ වාක්ය ඛණ්ඩය මීළඟට යෙදෙන ස්ථානය සොයන්න
+find_next_label=මීළඟ
+find_highlight=සියල්ල උද්දීපනය
+find_match_case_label=අකුරු ගළපන්න
+find_reached_top=පිටුවේ ඉහළ කෙළවරට ලගාවිය, පහළ සිට ඉදිරියට යමින්
+find_reached_bottom=පිටුවේ පහළ කෙළවරට ලගාවිය, ඉහළ සිට ඉදිරියට යමින්
+find_not_found=ඔබ සෙව් වචන හමු නොවීය
+
+# Error panel labels
+error_more_info=බොහෝ තොරතුරු
+error_less_info=අවම තොරතුරු
+error_close=වසන්න
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (නිකුතුව: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=පණිවිඩය: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ගොනුව: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=පේළිය: {{line}}
+rendering_error=පිටුව රෙන්ඩර් විමේදි ගැටලුවක් හට ගැනුණි.
+
+# Predefined zoom values
+page_scale_width=පිටුවේ පළල
+page_scale_fit=පිටුවට සුදුසු ලෙස
+page_scale_auto=ස්වයංක්රීය විශාලණය
+page_scale_actual=නියමිත ප්රමාණය
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=දෝෂය
+loading_error=PDF පූරණය විමේදි දෝෂයක් හට ගැනුණි.
+invalid_file_error=දූශිත හෝ සාවද්ය PDF ගොනුව.
+missing_file_error=නැතිවූ PDF ගොනුව.
+unexpected_response_error=බලාපොරොත්තු නොවූ සේවාදායක ප්රතිචාරය.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} විස්තරය]
+password_label=මෙම PDF ගොනුව විවෘත කිරීමට මුරපදය ඇතුළත් කරන්න.
+password_invalid=වැරදි මුරපදයක්. කරුණාකර නැවත උත්සහ කරන්න.
+password_ok=හරි
+password_cancel=එපා
+
+printing_not_supported=අවවාදයයි: මෙම ගවේශකය මුද්රණය සඳහා සම්පූර්ණයෙන් සහය නොදක්වයි.
+printing_not_ready=අවවාදයයි: මුද්රණය සඳහා PDF සම්පූර්ණයෙන් පූර්ණය වී නොමැත.
+web_fonts_disabled=ජාල අකුරු අක්රීයයි: තිළැලි PDF අකුරු භාවිත කළ නොහැක.
+document_colors_disabled=PDF ලේඛනයට ඔවුන්ගේම වර්ණ භාවිතයට ඉඩ නොලැබේ: 'පිටු වෙත ඔවුන්ගේම වර්ණ භාවිතයට ඉඩදෙන්න' ගවේශකය මත අක්රීය කර ඇත.
diff --git a/static/pdf.js/locale/sk/viewer.ftl b/static/pdf.js/locale/sk/viewer.ftl
deleted file mode 100644
index 07a0c5ef..00000000
--- a/static/pdf.js/locale/sk/viewer.ftl
+++ /dev/null
@@ -1,406 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Predchádzajúca strana
-pdfjs-previous-button-label = Predchádzajúca
-pdfjs-next-button =
- .title = Nasledujúca strana
-pdfjs-next-button-label = Nasledujúca
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Strana
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = z { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } z { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zmenšiť veľkosť
-pdfjs-zoom-out-button-label = Zmenšiť veľkosť
-pdfjs-zoom-in-button =
- .title = Zväčšiť veľkosť
-pdfjs-zoom-in-button-label = Zväčšiť veľkosť
-pdfjs-zoom-select =
- .title = Nastavenie veľkosti
-pdfjs-presentation-mode-button =
- .title = Prepnúť na režim prezentácie
-pdfjs-presentation-mode-button-label = Režim prezentácie
-pdfjs-open-file-button =
- .title = Otvoriť súbor
-pdfjs-open-file-button-label = Otvoriť
-pdfjs-print-button =
- .title = Tlačiť
-pdfjs-print-button-label = Tlačiť
-pdfjs-save-button =
- .title = Uložiť
-pdfjs-save-button-label = Uložiť
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Stiahnuť
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Stiahnuť
-pdfjs-bookmark-button =
- .title = Aktuálna stránka (zobraziť adresu URL z aktuálnej stránky)
-pdfjs-bookmark-button-label = Aktuálna stránka
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Otvoriť v aplikácii
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Otvoriť v aplikácii
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Nástroje
-pdfjs-tools-button-label = Nástroje
-pdfjs-first-page-button =
- .title = Prejsť na prvú stranu
-pdfjs-first-page-button-label = Prejsť na prvú stranu
-pdfjs-last-page-button =
- .title = Prejsť na poslednú stranu
-pdfjs-last-page-button-label = Prejsť na poslednú stranu
-pdfjs-page-rotate-cw-button =
- .title = Otočiť v smere hodinových ručičiek
-pdfjs-page-rotate-cw-button-label = Otočiť v smere hodinových ručičiek
-pdfjs-page-rotate-ccw-button =
- .title = Otočiť proti smeru hodinových ručičiek
-pdfjs-page-rotate-ccw-button-label = Otočiť proti smeru hodinových ručičiek
-pdfjs-cursor-text-select-tool-button =
- .title = Povoliť výber textu
-pdfjs-cursor-text-select-tool-button-label = Výber textu
-pdfjs-cursor-hand-tool-button =
- .title = Povoliť nástroj ruka
-pdfjs-cursor-hand-tool-button-label = Nástroj ruka
-pdfjs-scroll-page-button =
- .title = Použiť rolovanie po stránkach
-pdfjs-scroll-page-button-label = Rolovanie po stránkach
-pdfjs-scroll-vertical-button =
- .title = Používať zvislé posúvanie
-pdfjs-scroll-vertical-button-label = Zvislé posúvanie
-pdfjs-scroll-horizontal-button =
- .title = Používať vodorovné posúvanie
-pdfjs-scroll-horizontal-button-label = Vodorovné posúvanie
-pdfjs-scroll-wrapped-button =
- .title = Použiť postupné posúvanie
-pdfjs-scroll-wrapped-button-label = Postupné posúvanie
-pdfjs-spread-none-button =
- .title = Nezdružovať stránky
-pdfjs-spread-none-button-label = Žiadne združovanie
-pdfjs-spread-odd-button =
- .title = Združí stránky a umiestni nepárne stránky vľavo
-pdfjs-spread-odd-button-label = Združiť stránky (nepárne vľavo)
-pdfjs-spread-even-button =
- .title = Združí stránky a umiestni párne stránky vľavo
-pdfjs-spread-even-button-label = Združiť stránky (párne vľavo)
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Vlastnosti dokumentu…
-pdfjs-document-properties-button-label = Vlastnosti dokumentu…
-pdfjs-document-properties-file-name = Názov súboru:
-pdfjs-document-properties-file-size = Veľkosť súboru:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } bajtov)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtov)
-pdfjs-document-properties-title = Názov:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Predmet:
-pdfjs-document-properties-keywords = Kľúčové slová:
-pdfjs-document-properties-creation-date = Dátum vytvorenia:
-pdfjs-document-properties-modification-date = Dátum úpravy:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Aplikácia:
-pdfjs-document-properties-producer = Tvorca PDF:
-pdfjs-document-properties-version = Verzia PDF:
-pdfjs-document-properties-page-count = Počet strán:
-pdfjs-document-properties-page-size = Veľkosť stránky:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = na výšku
-pdfjs-document-properties-page-size-orientation-landscape = na šírku
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = List
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Rýchle zobrazovanie z webu:
-pdfjs-document-properties-linearized-yes = Áno
-pdfjs-document-properties-linearized-no = Nie
-pdfjs-document-properties-close-button = Zavrieť
-
-## Print
-
-pdfjs-print-progress-message = Príprava dokumentu na tlač…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Zrušiť
-pdfjs-printing-not-supported = Upozornenie: tlač nie je v tomto prehliadači plne podporovaná.
-pdfjs-printing-not-ready = Upozornenie: súbor PDF nie je plne načítaný pre tlač.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Prepnúť bočný panel
-pdfjs-toggle-sidebar-notification-button =
- .title = Prepnúť bočný panel (dokument obsahuje osnovu/prílohy/vrstvy)
-pdfjs-toggle-sidebar-button-label = Prepnúť bočný panel
-pdfjs-document-outline-button =
- .title = Zobraziť osnovu dokumentu (dvojitým kliknutím rozbalíte/zbalíte všetky položky)
-pdfjs-document-outline-button-label = Osnova dokumentu
-pdfjs-attachments-button =
- .title = Zobraziť prílohy
-pdfjs-attachments-button-label = Prílohy
-pdfjs-layers-button =
- .title = Zobraziť vrstvy (dvojitým kliknutím uvediete všetky vrstvy do pôvodného stavu)
-pdfjs-layers-button-label = Vrstvy
-pdfjs-thumbs-button =
- .title = Zobraziť miniatúry
-pdfjs-thumbs-button-label = Miniatúry
-pdfjs-current-outline-item-button =
- .title = Nájsť aktuálnu položku v osnove
-pdfjs-current-outline-item-button-label = Aktuálna položka v osnove
-pdfjs-findbar-button =
- .title = Hľadať v dokumente
-pdfjs-findbar-button-label = Hľadať
-pdfjs-additional-layers = Ďalšie vrstvy
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Strana { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatúra strany { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Hľadať
- .placeholder = Hľadať v dokumente…
-pdfjs-find-previous-button =
- .title = Vyhľadať predchádzajúci výskyt reťazca
-pdfjs-find-previous-button-label = Predchádzajúce
-pdfjs-find-next-button =
- .title = Vyhľadať ďalší výskyt reťazca
-pdfjs-find-next-button-label = Ďalšie
-pdfjs-find-highlight-checkbox = Zvýrazniť všetky
-pdfjs-find-match-case-checkbox-label = Rozlišovať veľkosť písmen
-pdfjs-find-match-diacritics-checkbox-label = Rozlišovať diakritiku
-pdfjs-find-entire-word-checkbox-label = Celé slová
-pdfjs-find-reached-top = Bol dosiahnutý začiatok stránky, pokračuje sa od konca
-pdfjs-find-reached-bottom = Bol dosiahnutý koniec stránky, pokračuje sa od začiatku
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] Výskyt { $current } z { $total }
- [few] Výskyt { $current } z { $total }
- [many] Výskyt { $current } z { $total }
- *[other] Výskyt { $current } z { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Viac ako { $limit } výskyt
- [few] Viac ako { $limit } výskyty
- [many] Viac ako { $limit } výskytov
- *[other] Viac ako { $limit } výskytov
- }
-pdfjs-find-not-found = Výraz nebol nájdený
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Na šírku strany
-pdfjs-page-scale-fit = Na veľkosť strany
-pdfjs-page-scale-auto = Automatická veľkosť
-pdfjs-page-scale-actual = Skutočná veľkosť
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Strana { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Počas načítavania dokumentu PDF sa vyskytla chyba.
-pdfjs-invalid-file-error = Neplatný alebo poškodený súbor PDF.
-pdfjs-missing-file-error = Chýbajúci súbor PDF.
-pdfjs-unexpected-response-error = Neočakávaná odpoveď zo servera.
-pdfjs-rendering-error = Pri vykresľovaní stránky sa vyskytla chyba.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotácia typu { $type }]
-
-## Password
-
-pdfjs-password-label = Ak chcete otvoriť tento súbor PDF, zadajte jeho heslo.
-pdfjs-password-invalid = Heslo nie je platné. Skúste to znova.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Zrušiť
-pdfjs-web-fonts-disabled = Webové písma sú vypnuté: nie je možné použiť písma vložené do súboru PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Kresliť
-pdfjs-editor-ink-button-label = Kresliť
-pdfjs-editor-stamp-button =
- .title = Pridať alebo upraviť obrázky
-pdfjs-editor-stamp-button-label = Pridať alebo upraviť obrázky
-pdfjs-editor-highlight-button =
- .title = Zvýrazniť
-pdfjs-editor-highlight-button-label = Zvýrazniť
-pdfjs-highlight-floating-button =
- .title = Zvýrazniť
-pdfjs-highlight-floating-button1 =
- .title = Zvýrazniť
- .aria-label = Zvýrazniť
-pdfjs-highlight-floating-button-label = Zvýrazniť
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Odstrániť kresbu
-pdfjs-editor-remove-freetext-button =
- .title = Odstrániť text
-pdfjs-editor-remove-stamp-button =
- .title = Odstrániť obrázok
-pdfjs-editor-remove-highlight-button =
- .title = Odstrániť zvýraznenie
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Farba
-pdfjs-editor-free-text-size-input = Veľkosť
-pdfjs-editor-ink-color-input = Farba
-pdfjs-editor-ink-thickness-input = Hrúbka
-pdfjs-editor-ink-opacity-input = Priehľadnosť
-pdfjs-editor-stamp-add-image-button =
- .title = Pridať obrázok
-pdfjs-editor-stamp-add-image-button-label = Pridať obrázok
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Hrúbka
-pdfjs-editor-free-highlight-thickness-title =
- .title = Zmeňte hrúbku pre zvýrazňovanie iných položiek ako textu
-pdfjs-free-text =
- .aria-label = Textový editor
-pdfjs-free-text-default-content = Začnite písať…
-pdfjs-ink =
- .aria-label = Editor kreslenia
-pdfjs-ink-canvas =
- .aria-label = Obrázok vytvorený používateľom
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatívny text
-pdfjs-editor-alt-text-edit-button-label = Upraviť alternatívny text
-pdfjs-editor-alt-text-dialog-label = Vyberte možnosť
-pdfjs-editor-alt-text-dialog-description = Alternatívny text (alt text) pomáha, keď ľudia obrázok nevidia alebo sa nenačítava.
-pdfjs-editor-alt-text-add-description-label = Pridať popis
-pdfjs-editor-alt-text-add-description-description = Zamerajte sa na 1-2 vety, ktoré popisujú predmet, prostredie alebo akcie.
-pdfjs-editor-alt-text-mark-decorative-label = Označiť ako dekoratívny
-pdfjs-editor-alt-text-mark-decorative-description = Používa sa na ozdobné obrázky, ako sú okraje alebo vodoznaky.
-pdfjs-editor-alt-text-cancel-button = Zrušiť
-pdfjs-editor-alt-text-save-button = Uložiť
-pdfjs-editor-alt-text-decorative-tooltip = Označený ako dekoratívny
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Napríklad: „Mladý muž si sadá za stôl, aby sa najedol“
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Ľavý horný roh – zmena veľkosti
-pdfjs-editor-resizer-label-top-middle = Horný stred – zmena veľkosti
-pdfjs-editor-resizer-label-top-right = Pravý horný roh – zmena veľkosti
-pdfjs-editor-resizer-label-middle-right = Vpravo uprostred – zmena veľkosti
-pdfjs-editor-resizer-label-bottom-right = Pravý dolný roh – zmena veľkosti
-pdfjs-editor-resizer-label-bottom-middle = Stred dole – zmena veľkosti
-pdfjs-editor-resizer-label-bottom-left = Ľavý dolný roh – zmena veľkosti
-pdfjs-editor-resizer-label-middle-left = Vľavo uprostred – zmena veľkosti
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Farba zvýraznenia
-pdfjs-editor-colorpicker-button =
- .title = Zmeniť farbu
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Výber farieb
-pdfjs-editor-colorpicker-yellow =
- .title = Žltá
-pdfjs-editor-colorpicker-green =
- .title = Zelená
-pdfjs-editor-colorpicker-blue =
- .title = Modrá
-pdfjs-editor-colorpicker-pink =
- .title = Ružová
-pdfjs-editor-colorpicker-red =
- .title = Červená
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Zobraziť všetko
-pdfjs-editor-highlight-show-all-button =
- .title = Zobraziť všetko
diff --git a/static/pdf.js/locale/sk/viewer.properties b/static/pdf.js/locale/sk/viewer.properties
new file mode 100644
index 00000000..e73d1b7f
--- /dev/null
+++ b/static/pdf.js/locale/sk/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Predchádzajúca strana
+previous_label=Predchádzajúca
+next.title=Nasledujúca strana
+next_label=Nasledujúca
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Strana:
+page_of=z {{pageCount}}
+
+zoom_out.title=Vzdialiť
+zoom_out_label=Vzdialiť
+zoom_in.title=Priblížiť
+zoom_in_label=Priblížiť
+zoom.title=Lupa
+presentation_mode.title=Prepnúť na režim Prezentácia
+presentation_mode_label=Režim Prezentácia
+open_file.title=Otvoriť súbor
+open_file_label=Otvoriť
+print.title=Tlačiť
+print_label=Tlačiť
+download.title=Prevziať
+download_label=Prevziať
+bookmark.title=Aktuálne zobrazenie (kopírovať alebo otvoriť v novom okne)
+bookmark_label=Aktuálne zobrazenie
+
+# Secondary toolbar and context menu
+tools.title=Nástroje
+tools_label=Nástroje
+first_page.title=Prejsť na prvú stranu
+first_page.label=Prejsť na prvú stranu
+first_page_label=Prejsť na prvú stranu
+last_page.title=Prejsť na poslednú stranu
+last_page.label=Prejsť na poslednú stranu
+last_page_label=Prejsť na poslednú stranu
+page_rotate_cw.title=Otočiť v smere hodinových ručičiek
+page_rotate_cw.label=Otočiť v smere hodinových ručičiek
+page_rotate_cw_label=Otočiť v smere hodinových ručičiek
+page_rotate_ccw.title=Otočiť proti smeru hodinových ručičiek
+page_rotate_ccw.label=Otočiť proti smeru hodinových ručičiek
+page_rotate_ccw_label=Otočiť proti smeru hodinových ručičiek
+
+hand_tool_enable.title=Zapnúť nástroj Ruka
+hand_tool_enable_label=Zapnúť nástroj Ruka
+hand_tool_disable.title=Vypnúť nástroj Ruka
+hand_tool_disable_label=Vypnúť nástroj Ruka
+
+# Document properties dialog box
+document_properties.title=Vlastnosti dokumentu…
+document_properties_label=Vlastnosti dokumentu…
+document_properties_file_name=Názov súboru:
+document_properties_file_size=Veľkosť súboru:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} kB ({{size_b}} bajtov)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bajtov)
+document_properties_title=Názov:
+document_properties_author=Autor:
+document_properties_subject=Predmet:
+document_properties_keywords=Kľúčové slová:
+document_properties_creation_date=Dátum vytvorenia:
+document_properties_modification_date=Dátum úpravy:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Vytvoril:
+document_properties_producer=Tvorca PDF:
+document_properties_version=Verzia PDF:
+document_properties_page_count=Počet strán:
+document_properties_close=Zavrieť
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Prepnúť bočný panel
+toggle_sidebar_label=Prepnúť bočný panel
+outline.title=Zobraziť prehľad dokumentu
+outline_label=Prehľad dokumentu
+attachments.title=Zobraziť prílohy
+attachments_label=Prílohy
+thumbs.title=Zobraziť miniatúry
+thumbs_label=Miniatúry
+findbar.title=Hľadať v dokumente
+findbar_label=Hľadať
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Strana {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatúra strany {{page}}
+
+# Find panel button title and messages
+find_label=Hľadať:
+find_previous.title=Vyhľadať predchádzajúci výskyt reťazca
+find_previous_label=Predchádzajúce
+find_next.title=Vyhľadať ďalší výskyt reťazca
+find_next_label=Ďalšie
+find_highlight=Zvýrazniť všetky
+find_match_case_label=Rozlišovať malé/veľké písmená
+find_reached_top=Bol dosiahnutý začiatok stránky, pokračuje sa od konca
+find_reached_bottom=Bol dosiahnutý koniec stránky, pokračuje sa od začiatku
+find_not_found=Výraz nebol nájdený
+
+# Error panel labels
+error_more_info=Viac informácií
+error_less_info=Menej informácií
+error_close=Zavrieť
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (zostavenie: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Správa: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Zásobník: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Súbor: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Riadok: {{line}}
+rendering_error=Pri vykresľovaní stránky sa vyskytla chyba.
+
+# Predefined zoom values
+page_scale_width=Na šírku strany
+page_scale_fit=Na veľkosť strany
+page_scale_auto=Automatická veľkosť
+page_scale_actual=Skutočná veľkosť
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Chyba
+loading_error=Počas načítavania dokumentu PDF sa vyskytla chyba.
+invalid_file_error=Neplatný alebo poškodený súbor PDF.
+missing_file_error=Chýbajúci súbor PDF.
+unexpected_response_error=Neočakávaná odpoveď zo servera.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Anotácia typu {{type}}]
+password_label=Ak chcete otvoriť tento súbor PDF, zadajte jeho heslo.
+password_invalid=Heslo nie je platné. Skúste to znova.
+password_ok=OK
+password_cancel=Zrušiť
+
+printing_not_supported=Upozornenie: tlač nie je v tomto prehliadači plne podporovaná.
+printing_not_ready=Upozornenie: súbor PDF nie je plne načítaný pre tlač.
+web_fonts_disabled=Webové písma sú vypnuté: nie je možné použiť písma vložené do súboru PDF.
+document_colors_not_allowed=Dokumenty PDF nemajú povolené používať vlastné farby, pretože voľba "Povoliť stránkam používať vlastné farby" je v nastaveniach prehliadača vypnutá.
diff --git a/static/pdf.js/locale/skr/viewer.ftl b/static/pdf.js/locale/skr/viewer.ftl
deleted file mode 100644
index 72afe356..00000000
--- a/static/pdf.js/locale/skr/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = پچھلا ورقہ
-pdfjs-previous-button-label = پچھلا
-pdfjs-next-button =
- .title = اڳلا ورقہ
-pdfjs-next-button-label = اڳلا
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = ورقہ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } دا
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } دا { $pagesCount })
-pdfjs-zoom-out-button =
- .title = زوم آؤٹ
-pdfjs-zoom-out-button-label = زوم آؤٹ
-pdfjs-zoom-in-button =
- .title = زوم اِن
-pdfjs-zoom-in-button-label = زوم اِن
-pdfjs-zoom-select =
- .title = زوم
-pdfjs-presentation-mode-button =
- .title = پریزنٹیشن موڈ تے سوئچ کرو
-pdfjs-presentation-mode-button-label = پریزنٹیشن موڈ
-pdfjs-open-file-button =
- .title = فائل کھولو
-pdfjs-open-file-button-label = کھولو
-pdfjs-print-button =
- .title = چھاپو
-pdfjs-print-button-label = چھاپو
-pdfjs-save-button =
- .title = ہتھیکڑا کرو
-pdfjs-save-button-label = ہتھیکڑا کرو
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ڈاؤن لوڈ
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ڈاؤن لوڈ
-pdfjs-bookmark-button =
- .title = موجودہ ورقہ (موجودہ ورقے کنوں یوآرایل ݙیکھو)
-pdfjs-bookmark-button-label = موجودہ ورقہ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = اوزار
-pdfjs-tools-button-label = اوزار
-pdfjs-first-page-button =
- .title = پہلے ورقے تے ونڄو
-pdfjs-first-page-button-label = پہلے ورقے تے ونڄو
-pdfjs-last-page-button =
- .title = چھیکڑی ورقے تے ونڄو
-pdfjs-last-page-button-label = چھیکڑی ورقے تے ونڄو
-pdfjs-page-rotate-cw-button =
- .title = گھڑی وانگوں گھماؤ
-pdfjs-page-rotate-cw-button-label = گھڑی وانگوں گھماؤ
-pdfjs-page-rotate-ccw-button =
- .title = گھڑی تے اُپٹھ گھماؤ
-pdfjs-page-rotate-ccw-button-label = گھڑی تے اُپٹھ گھماؤ
-pdfjs-cursor-text-select-tool-button =
- .title = متن منتخب کݨ والا آلہ فعال بݨاؤ
-pdfjs-cursor-text-select-tool-button-label = متن منتخب کرݨ والا آلہ
-pdfjs-cursor-hand-tool-button =
- .title = ہینڈ ٹول فعال بݨاؤ
-pdfjs-cursor-hand-tool-button-label = ہینڈ ٹول
-pdfjs-scroll-page-button =
- .title = پیج سکرولنگ استعمال کرو
-pdfjs-scroll-page-button-label = پیج سکرولنگ
-pdfjs-scroll-vertical-button =
- .title = عمودی سکرولنگ استعمال کرو
-pdfjs-scroll-vertical-button-label = عمودی سکرولنگ
-pdfjs-scroll-horizontal-button =
- .title = افقی سکرولنگ استعمال کرو
-pdfjs-scroll-horizontal-button-label = افقی سکرولنگ
-pdfjs-scroll-wrapped-button =
- .title = ویڑھی ہوئی سکرولنگ استعمال کرو
-pdfjs-scroll-wrapped-button-label = وہڑھی ہوئی سکرولنگ
-pdfjs-spread-none-button =
- .title = پیج سپریڈز وِچ شامل نہ تھیوو۔
-pdfjs-spread-none-button-label = کوئی پولھ کائنی
-pdfjs-spread-odd-button =
- .title = طاق نمبر والے ورقیاں دے نال شروع تھیوݨ والے پیج سپریڈز وِچ شامل تھیوو۔
-pdfjs-spread-odd-button-label = تاک پھیلاؤ
-pdfjs-spread-even-button =
- .title = جفت نمر والے ورقیاں نال شروع تھیوݨ والے پیج سپریڈز وِ شامل تھیوو۔
-pdfjs-spread-even-button-label = جفت پھیلاؤ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = دستاویز خواص…
-pdfjs-document-properties-button-label = دستاویز خواص …
-pdfjs-document-properties-file-name = فائل دا ناں:
-pdfjs-document-properties-file-size = فائل دا سائز:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } کے بی ({ $size_b } بائٹس)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } ایم بی ({ $size_b } بائٹس)
-pdfjs-document-properties-title = عنوان:
-pdfjs-document-properties-author = تخلیق کار:
-pdfjs-document-properties-subject = موضوع:
-pdfjs-document-properties-keywords = کلیدی الفاظ:
-pdfjs-document-properties-creation-date = تخلیق دی تاریخ:
-pdfjs-document-properties-modification-date = ترمیم دی تاریخ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = تخلیق کار:
-pdfjs-document-properties-producer = PDF پیدا کار:
-pdfjs-document-properties-version = PDF ورژن:
-pdfjs-document-properties-page-count = ورقہ شماری:
-pdfjs-document-properties-page-size = ورقہ دی سائز:
-pdfjs-document-properties-page-size-unit-inches = وِچ
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = عمودی انداز
-pdfjs-document-properties-page-size-orientation-landscape = افقى انداز
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = لیٹر
-pdfjs-document-properties-page-size-name-legal = قنونی
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = تکھا ویب نظارہ:
-pdfjs-document-properties-linearized-yes = جیا
-pdfjs-document-properties-linearized-no = کو
-pdfjs-document-properties-close-button = بند کرو
-
-## Print
-
-pdfjs-print-progress-message = چھاپݨ کیتے دستاویز تیار تھیندے پئے ہن …
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = منسوخ کرو
-pdfjs-printing-not-supported = چتاوݨی: چھپائی ایں براؤزر تے پوری طراں معاونت شدہ کائنی۔
-pdfjs-printing-not-ready = چتاوݨی: PDF چھپائی کیتے پوری طراں لوڈ نئیں تھئی۔
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = سائیڈ بار ٹوگل کرو
-pdfjs-toggle-sidebar-notification-button =
- .title = سائیڈ بار ٹوگل کرو (دستاویز وِچ آؤٹ لائن/ منسلکات/ پرتاں شامل ہن)
-pdfjs-toggle-sidebar-button-label = سائیڈ بار ٹوگل کرو
-pdfjs-document-outline-button =
- .title = دستاویز دا خاکہ ݙکھاؤ (تمام آئٹمز کوں پھیلاوݨ/سنگوڑݨ کیتے ڈبل کلک کرو)
-pdfjs-document-outline-button-label = دستاویز آؤٹ لائن
-pdfjs-attachments-button =
- .title = نتھیاں ݙکھاؤ
-pdfjs-attachments-button-label = منسلکات
-pdfjs-layers-button =
- .title = پرتاں ݙکھاؤ (تمام پرتاں کوں ڈیفالٹ حالت وِچ دوبارہ ترتیب ݙیوݨ کیتے ڈبل کلک کرو)
-pdfjs-layers-button-label = پرتاں
-pdfjs-thumbs-button =
- .title = تھمبنیل ݙکھاؤ
-pdfjs-thumbs-button-label = تھمبنیلز
-pdfjs-current-outline-item-button =
- .title = موجودہ آؤٹ لائن آئٹم لبھو
-pdfjs-current-outline-item-button-label = موجودہ آؤٹ لائن آئٹم
-pdfjs-findbar-button =
- .title = دستاویز وِچ لبھو
-pdfjs-findbar-button-label = لبھو
-pdfjs-additional-layers = اضافی پرتاں
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = ورقہ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = ورقے دا تھمبنیل { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = لبھو
- .placeholder = دستاویز وِچ لبھو …
-pdfjs-find-previous-button =
- .title = فقرے دا پچھلا واقعہ لبھو
-pdfjs-find-previous-button-label = پچھلا
-pdfjs-find-next-button =
- .title = فقرے دا اڳلا واقعہ لبھو
-pdfjs-find-next-button-label = اڳلا
-pdfjs-find-highlight-checkbox = تمام نشابر کرو
-pdfjs-find-match-case-checkbox-label = حروف مشابہ کرو
-pdfjs-find-match-diacritics-checkbox-label = ڈائیکرٹکس مشابہ کرو
-pdfjs-find-entire-word-checkbox-label = تمام الفاظ
-pdfjs-find-reached-top = ورقے دے شروع تے پُج ڳیا، تلوں جاری کیتا ڳیا
-pdfjs-find-reached-bottom = ورقے دے پاند تے پُڄ ڳیا، اُتوں شروع کیتا ڳیا
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $total } وِچوں { $current } مشابہ
- *[other] { $total } وِچوں { $current } مشابے
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] { $limit } توں ودھ مماثلت۔
- *[other] { $limit } توں ودھ مماثلتاں۔
- }
-pdfjs-find-not-found = فقرہ نئیں ملیا
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ورقے دی چوڑائی
-pdfjs-page-scale-fit = ورقہ فٹنگ
-pdfjs-page-scale-auto = آپوں آپ زوم
-pdfjs-page-scale-actual = اصل میچا
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = ورقہ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF لوڈ کریندے ویلھے نقص آ ڳیا۔
-pdfjs-invalid-file-error = غلط یا خراب شدہ PDF فائل۔
-pdfjs-missing-file-error = PDF فائل غائب ہے۔
-pdfjs-unexpected-response-error = سرور دا غیر متوقع جواب۔
-pdfjs-rendering-error = ورقہ رینڈر کریندے ویلھے ہک خرابی پیش آڳئی۔
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } تشریح]
-
-## Password
-
-pdfjs-password-label = ایہ PDF فائل کھولݨ کیتے پاس ورڈ درج کرو۔
-pdfjs-password-invalid = غلط پاس ورڈ: براہ مہربانی ولدا کوشش کرو۔
-pdfjs-password-ok-button = ٹھیک ہے
-pdfjs-password-cancel-button = منسوخ کرو
-pdfjs-web-fonts-disabled = ویب فونٹس غیر فعال ہن: ایمبیڈڈ PDF فونٹس استعمال کرݨ کنوں قاصر ہن
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = متن
-pdfjs-editor-free-text-button-label = متن
-pdfjs-editor-ink-button =
- .title = چھکو
-pdfjs-editor-ink-button-label = چھکو
-pdfjs-editor-stamp-button =
- .title = تصویراں کوں شامل کرو یا ترمیم کرو
-pdfjs-editor-stamp-button-label = تصویراں کوں شامل کرو یا ترمیم کرو
-pdfjs-editor-highlight-button =
- .title = نمایاں کرو
-pdfjs-editor-highlight-button-label = نمایاں کرو
-pdfjs-highlight-floating-button =
- .title = نمایاں کرو
-pdfjs-highlight-floating-button1 =
- .title = نمایاں کرو
- .aria-label = نمایاں کرو
-pdfjs-highlight-floating-button-label = نمایاں کرو
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = ڈرائینگ ہٹاؤ
-pdfjs-editor-remove-freetext-button =
- .title = متن ہٹاؤ
-pdfjs-editor-remove-stamp-button =
- .title = تصویر ہٹاؤ
-pdfjs-editor-remove-highlight-button =
- .title = نمایاں ہٹاؤ
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = رنگ
-pdfjs-editor-free-text-size-input = سائز
-pdfjs-editor-ink-color-input = رنگ
-pdfjs-editor-ink-thickness-input = ٹھولھ
-pdfjs-editor-ink-opacity-input = دھندلاپن
-pdfjs-editor-stamp-add-image-button =
- .title = تصویر شامل کرو
-pdfjs-editor-stamp-add-image-button-label = تصویر شامل کرو
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = مُٹاݨ
-pdfjs-editor-free-highlight-thickness-title =
- .title = متن توں ان٘ج ٻئے شئیں کوں نمایاں کرݨ ویلے مُٹاݨ کوں بدلو
-pdfjs-free-text =
- .aria-label = ٹیکسٹ ایڈیٹر
-pdfjs-free-text-default-content = ٹائپنگ شروع کرو …
-pdfjs-ink =
- .aria-label = ڈرا ایڈیٹر
-pdfjs-ink-canvas =
- .aria-label = صارف دی بݨائی ہوئی تصویر
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alt متن
-pdfjs-editor-alt-text-edit-button-label = alt متن وِچ ترمیم کرو
-pdfjs-editor-alt-text-dialog-label = ہِک اختیار چُݨو
-pdfjs-editor-alt-text-dialog-description = Alt متن (متبادل متن) اِیں ویلے مَدَت کرین٘دا ہِے جہڑیلے لوک تصویر کوں نِھیں ݙیکھ سڳدے یا جہڑیلے اِیہ لوڈ کائنی تِھین٘دا۔
-pdfjs-editor-alt-text-add-description-label = تفصیل شامل کرو
-pdfjs-editor-alt-text-add-description-description = 1-2 جملیاں دا مقصد جہڑے موضوع، ترتیب، یا اعمال کوں بیان کرین٘دے ہِن۔
-pdfjs-editor-alt-text-mark-decorative-label = آرائشی طور تے نشان زد کرو
-pdfjs-editor-alt-text-mark-decorative-description = اِیہ آرائشی تصویراں کِیتے استعمال تِھین٘دا ہِے، جیویں بارڈر یا واٹر مارکس۔
-pdfjs-editor-alt-text-cancel-button = منسوخ
-pdfjs-editor-alt-text-save-button = محفوظ
-pdfjs-editor-alt-text-decorative-tooltip = آرائشی دے طور تے نشان زد تِھی ڳِیا
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = مثال دے طور تے، "ہِک جؤان کھاݨاں کھاوݨ کِیتے میز اُتّے ٻیٹھا ہِے"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = اُتلی کَھٻّی نُکّڑ — سائز بدلو
-pdfjs-editor-resizer-label-top-middle = اُتلا وِچلا — سائز بدلو
-pdfjs-editor-resizer-label-top-right = اُتلی سَڄّی نُکَّڑ — سائز بدلو
-pdfjs-editor-resizer-label-middle-right = وِچلا سڄّا — سائز بدلو
-pdfjs-editor-resizer-label-bottom-right = تلوِیں سَڄّی نُکَّڑ — سائز بدلو
-pdfjs-editor-resizer-label-bottom-middle = تلواں وِچلا — سائز بدلو
-pdfjs-editor-resizer-label-bottom-left = تلوِیں کَھٻّی نُکّڑ — سائز بدلو
-pdfjs-editor-resizer-label-middle-left = وِچلا کَھٻّا — سائز بدلو
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = نشابر رنگ
-pdfjs-editor-colorpicker-button =
- .title = رنگ بدلو
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = رنگ اختیارات
-pdfjs-editor-colorpicker-yellow =
- .title = پیلا
-pdfjs-editor-colorpicker-green =
- .title = ساوا
-pdfjs-editor-colorpicker-blue =
- .title = نیلا
-pdfjs-editor-colorpicker-pink =
- .title = گلابی
-pdfjs-editor-colorpicker-red =
- .title = لال
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = سارے ݙکھاؤ
-pdfjs-editor-highlight-show-all-button =
- .title = سارے ݙکھاؤ
diff --git a/static/pdf.js/locale/sl/viewer.ftl b/static/pdf.js/locale/sl/viewer.ftl
deleted file mode 100644
index 841dfccb..00000000
--- a/static/pdf.js/locale/sl/viewer.ftl
+++ /dev/null
@@ -1,398 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Prejšnja stran
-pdfjs-previous-button-label = Nazaj
-pdfjs-next-button =
- .title = Naslednja stran
-pdfjs-next-button-label = Naprej
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Stran
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = od { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } od { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Pomanjšaj
-pdfjs-zoom-out-button-label = Pomanjšaj
-pdfjs-zoom-in-button =
- .title = Povečaj
-pdfjs-zoom-in-button-label = Povečaj
-pdfjs-zoom-select =
- .title = Povečava
-pdfjs-presentation-mode-button =
- .title = Preklopi v način predstavitve
-pdfjs-presentation-mode-button-label = Način predstavitve
-pdfjs-open-file-button =
- .title = Odpri datoteko
-pdfjs-open-file-button-label = Odpri
-pdfjs-print-button =
- .title = Natisni
-pdfjs-print-button-label = Natisni
-pdfjs-save-button =
- .title = Shrani
-pdfjs-save-button-label = Shrani
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Prenesi
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Prenesi
-pdfjs-bookmark-button =
- .title = Trenutna stran (prikaži URL, ki vodi do trenutne strani)
-pdfjs-bookmark-button-label = Na trenutno stran
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Orodja
-pdfjs-tools-button-label = Orodja
-pdfjs-first-page-button =
- .title = Pojdi na prvo stran
-pdfjs-first-page-button-label = Pojdi na prvo stran
-pdfjs-last-page-button =
- .title = Pojdi na zadnjo stran
-pdfjs-last-page-button-label = Pojdi na zadnjo stran
-pdfjs-page-rotate-cw-button =
- .title = Zavrti v smeri urnega kazalca
-pdfjs-page-rotate-cw-button-label = Zavrti v smeri urnega kazalca
-pdfjs-page-rotate-ccw-button =
- .title = Zavrti v nasprotni smeri urnega kazalca
-pdfjs-page-rotate-ccw-button-label = Zavrti v nasprotni smeri urnega kazalca
-pdfjs-cursor-text-select-tool-button =
- .title = Omogoči orodje za izbor besedila
-pdfjs-cursor-text-select-tool-button-label = Orodje za izbor besedila
-pdfjs-cursor-hand-tool-button =
- .title = Omogoči roko
-pdfjs-cursor-hand-tool-button-label = Roka
-pdfjs-scroll-page-button =
- .title = Uporabi drsenje po strani
-pdfjs-scroll-page-button-label = Drsenje po strani
-pdfjs-scroll-vertical-button =
- .title = Uporabi navpično drsenje
-pdfjs-scroll-vertical-button-label = Navpično drsenje
-pdfjs-scroll-horizontal-button =
- .title = Uporabi vodoravno drsenje
-pdfjs-scroll-horizontal-button-label = Vodoravno drsenje
-pdfjs-scroll-wrapped-button =
- .title = Uporabi ovito drsenje
-pdfjs-scroll-wrapped-button-label = Ovito drsenje
-pdfjs-spread-none-button =
- .title = Ne združuj razponov strani
-pdfjs-spread-none-button-label = Brez razponov
-pdfjs-spread-odd-button =
- .title = Združuj razpone strani z začetkom pri lihih straneh
-pdfjs-spread-odd-button-label = Lihi razponi
-pdfjs-spread-even-button =
- .title = Združuj razpone strani z začetkom pri sodih straneh
-pdfjs-spread-even-button-label = Sodi razponi
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Lastnosti dokumenta …
-pdfjs-document-properties-button-label = Lastnosti dokumenta …
-pdfjs-document-properties-file-name = Ime datoteke:
-pdfjs-document-properties-file-size = Velikost datoteke:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajtov)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajtov)
-pdfjs-document-properties-title = Ime:
-pdfjs-document-properties-author = Avtor:
-pdfjs-document-properties-subject = Tema:
-pdfjs-document-properties-keywords = Ključne besede:
-pdfjs-document-properties-creation-date = Datum nastanka:
-pdfjs-document-properties-modification-date = Datum spremembe:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Ustvaril:
-pdfjs-document-properties-producer = Izdelovalec PDF:
-pdfjs-document-properties-version = Različica PDF:
-pdfjs-document-properties-page-count = Število strani:
-pdfjs-document-properties-page-size = Velikost strani:
-pdfjs-document-properties-page-size-unit-inches = palcev
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = pokončno
-pdfjs-document-properties-page-size-orientation-landscape = ležeče
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Pismo
-pdfjs-document-properties-page-size-name-legal = Pravno
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Hitri spletni ogled:
-pdfjs-document-properties-linearized-yes = Da
-pdfjs-document-properties-linearized-no = Ne
-pdfjs-document-properties-close-button = Zapri
-
-## Print
-
-pdfjs-print-progress-message = Priprava dokumenta na tiskanje …
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress } %
-pdfjs-print-progress-close-button = Prekliči
-pdfjs-printing-not-supported = Opozorilo: ta brskalnik ne podpira vseh možnosti tiskanja.
-pdfjs-printing-not-ready = Opozorilo: PDF ni v celoti naložen za tiskanje.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Preklopi stransko vrstico
-pdfjs-toggle-sidebar-notification-button =
- .title = Preklopi stransko vrstico (dokument vsebuje oris/priponke/plasti)
-pdfjs-toggle-sidebar-button-label = Preklopi stransko vrstico
-pdfjs-document-outline-button =
- .title = Prikaži oris dokumenta (dvokliknite za razširitev/strnitev vseh predmetov)
-pdfjs-document-outline-button-label = Oris dokumenta
-pdfjs-attachments-button =
- .title = Prikaži priponke
-pdfjs-attachments-button-label = Priponke
-pdfjs-layers-button =
- .title = Prikaži plasti (dvokliknite za ponastavitev vseh plasti na privzeto stanje)
-pdfjs-layers-button-label = Plasti
-pdfjs-thumbs-button =
- .title = Prikaži sličice
-pdfjs-thumbs-button-label = Sličice
-pdfjs-current-outline-item-button =
- .title = Najdi trenutni predmet orisa
-pdfjs-current-outline-item-button-label = Trenutni predmet orisa
-pdfjs-findbar-button =
- .title = Iskanje po dokumentu
-pdfjs-findbar-button-label = Najdi
-pdfjs-additional-layers = Dodatne plasti
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Stran { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Sličica strani { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Najdi
- .placeholder = Najdi v dokumentu …
-pdfjs-find-previous-button =
- .title = Najdi prejšnjo ponovitev iskanega
-pdfjs-find-previous-button-label = Najdi nazaj
-pdfjs-find-next-button =
- .title = Najdi naslednjo ponovitev iskanega
-pdfjs-find-next-button-label = Najdi naprej
-pdfjs-find-highlight-checkbox = Označi vse
-pdfjs-find-match-case-checkbox-label = Razlikuj velike/male črke
-pdfjs-find-match-diacritics-checkbox-label = Razlikuj diakritične znake
-pdfjs-find-entire-word-checkbox-label = Cele besede
-pdfjs-find-reached-top = Dosežen začetek dokumenta iz smeri konca
-pdfjs-find-reached-bottom = Doseženo konec dokumenta iz smeri začetka
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] Zadetek { $current } od { $total }
- [two] Zadetek { $current } od { $total }
- [few] Zadetek { $current } od { $total }
- *[other] Zadetek { $current } od { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Več kot { $limit } zadetek
- [two] Več kot { $limit } zadetka
- [few] Več kot { $limit } zadetki
- *[other] Več kot { $limit } zadetkov
- }
-pdfjs-find-not-found = Iskanega ni mogoče najti
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Širina strani
-pdfjs-page-scale-fit = Prilagodi stran
-pdfjs-page-scale-auto = Samodejno
-pdfjs-page-scale-actual = Dejanska velikost
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale } %
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Stran { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Med nalaganjem datoteke PDF je prišlo do napake.
-pdfjs-invalid-file-error = Neveljavna ali pokvarjena datoteka PDF.
-pdfjs-missing-file-error = Ni datoteke PDF.
-pdfjs-unexpected-response-error = Nepričakovan odgovor strežnika.
-pdfjs-rendering-error = Med pripravljanjem strani je prišlo do napake!
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Opomba vrste { $type }]
-
-## Password
-
-pdfjs-password-label = Vnesite geslo za odpiranje te datoteke PDF.
-pdfjs-password-invalid = Neveljavno geslo. Poskusite znova.
-pdfjs-password-ok-button = V redu
-pdfjs-password-cancel-button = Prekliči
-pdfjs-web-fonts-disabled = Spletne pisave so onemogočene: vgradnih pisav za PDF ni mogoče uporabiti.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Besedilo
-pdfjs-editor-free-text-button-label = Besedilo
-pdfjs-editor-ink-button =
- .title = Riši
-pdfjs-editor-ink-button-label = Riši
-pdfjs-editor-stamp-button =
- .title = Dodajanje ali urejanje slik
-pdfjs-editor-stamp-button-label = Dodajanje ali urejanje slik
-pdfjs-editor-highlight-button =
- .title = Označevalnik
-pdfjs-editor-highlight-button-label = Označevalnik
-pdfjs-highlight-floating-button1 =
- .title = Označi
- .aria-label = Označi
-pdfjs-highlight-floating-button-label = Označi
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Odstrani risbo
-pdfjs-editor-remove-freetext-button =
- .title = Odstrani besedilo
-pdfjs-editor-remove-stamp-button =
- .title = Odstrani sliko
-pdfjs-editor-remove-highlight-button =
- .title = Odstrani označbo
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Barva
-pdfjs-editor-free-text-size-input = Velikost
-pdfjs-editor-ink-color-input = Barva
-pdfjs-editor-ink-thickness-input = Debelina
-pdfjs-editor-ink-opacity-input = Neprosojnost
-pdfjs-editor-stamp-add-image-button =
- .title = Dodaj sliko
-pdfjs-editor-stamp-add-image-button-label = Dodaj sliko
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Debelina
-pdfjs-editor-free-highlight-thickness-title =
- .title = Spremeni debelino pri označevanju nebesedilnih elementov
-pdfjs-free-text =
- .aria-label = Urejevalnik besedila
-pdfjs-free-text-default-content = Začnite tipkati …
-pdfjs-ink =
- .aria-label = Urejevalnik risanja
-pdfjs-ink-canvas =
- .aria-label = Uporabnikova slika
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Nadomestno besedilo
-pdfjs-editor-alt-text-edit-button-label = Uredi nadomestno besedilo
-pdfjs-editor-alt-text-dialog-label = Izberite možnost
-pdfjs-editor-alt-text-dialog-description = Nadomestno besedilo se prikaže tistim, ki ne vidijo slike, ali če se ta ne naloži.
-pdfjs-editor-alt-text-add-description-label = Dodaj opis
-pdfjs-editor-alt-text-add-description-description = Poskušajte v enem ali dveh stavkih opisati motiv, okolje ali dejanja.
-pdfjs-editor-alt-text-mark-decorative-label = Označi kot okrasno
-pdfjs-editor-alt-text-mark-decorative-description = Uporablja se za slike, ki služijo samo okrasu, na primer obrobe ali vodne žige.
-pdfjs-editor-alt-text-cancel-button = Prekliči
-pdfjs-editor-alt-text-save-button = Shrani
-pdfjs-editor-alt-text-decorative-tooltip = Označeno kot okrasno
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Na primer: "Mladenič sedi za mizo pri jedi"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Zgornji levi kot – spremeni velikost
-pdfjs-editor-resizer-label-top-middle = Zgoraj na sredini – spremeni velikost
-pdfjs-editor-resizer-label-top-right = Zgornji desni kot – spremeni velikost
-pdfjs-editor-resizer-label-middle-right = Desno na sredini – spremeni velikost
-pdfjs-editor-resizer-label-bottom-right = Spodnji desni kot – spremeni velikost
-pdfjs-editor-resizer-label-bottom-middle = Spodaj na sredini – spremeni velikost
-pdfjs-editor-resizer-label-bottom-left = Spodnji levi kot – spremeni velikost
-pdfjs-editor-resizer-label-middle-left = Levo na sredini – spremeni velikost
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Barva označbe
-pdfjs-editor-colorpicker-button =
- .title = Spremeni barvo
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Izbira barve
-pdfjs-editor-colorpicker-yellow =
- .title = Rumena
-pdfjs-editor-colorpicker-green =
- .title = Zelena
-pdfjs-editor-colorpicker-blue =
- .title = Modra
-pdfjs-editor-colorpicker-pink =
- .title = Roza
-pdfjs-editor-colorpicker-red =
- .title = Rdeča
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Prikaži vse
-pdfjs-editor-highlight-show-all-button =
- .title = Prikaži vse
diff --git a/static/pdf.js/locale/sl/viewer.properties b/static/pdf.js/locale/sl/viewer.properties
new file mode 100644
index 00000000..e4483f06
--- /dev/null
+++ b/static/pdf.js/locale/sl/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Prejšnja stran
+previous_label=Nazaj
+next.title=Naslednja stran
+next_label=Naprej
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Stran:
+page_of=od {{pageCount}}
+
+zoom_out.title=Pomanjšaj
+zoom_out_label=Pomanjšaj
+zoom_in.title=Povečaj
+zoom_in_label=Povečaj
+zoom.title=Povečava
+presentation_mode.title=Preklopi v način predstavitve
+presentation_mode_label=Način predstavitve
+open_file.title=Odpri datoteko
+open_file_label=Odpri
+print.title=Natisni
+print_label=Natisni
+download.title=Prenesi
+download_label=Prenesi
+bookmark.title=Trenutni pogled (kopiraj ali odpri v novem oknu)
+bookmark_label=Trenutni pogled
+
+# Secondary toolbar and context menu
+tools.title=Orodja
+tools_label=Orodja
+first_page.title=Pojdi na prvo stran
+first_page.label=Pojdi na prvo stran
+first_page_label=Pojdi na prvo stran
+last_page.title=Pojdi na zadnjo stran
+last_page.label=Pojdi na zadnjo stran
+last_page_label=Pojdi na zadnjo stran
+page_rotate_cw.title=Zavrti v smeri urninega kazalca
+page_rotate_cw.label=Zavrti v smeri urninega kazalca
+page_rotate_cw_label=Zavrti v smeri urninega kazalca
+page_rotate_ccw.title=Zavrti v nasprotni smeri urninega kazalca
+page_rotate_ccw.label=Zavrti v nasprotni smeri urninega kazalca
+page_rotate_ccw_label=Zavrti v nasprotni smeri urninega kazalca
+
+hand_tool_enable.title=Omogoči roko
+hand_tool_enable_label=Omogoči roko
+hand_tool_disable.title=Onemogoči roko
+hand_tool_disable_label=Onemogoči roko
+
+# Document properties dialog box
+document_properties.title=Lastnosti dokumenta …
+document_properties_label=Lastnosti dokumenta …
+document_properties_file_name=Ime datoteke:
+document_properties_file_size=Velikost datoteke:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bajtov)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bajtov)
+document_properties_title=Ime:
+document_properties_author=Avtor:
+document_properties_subject=Tema:
+document_properties_keywords=Ključne besede:
+document_properties_creation_date=Datum nastanka:
+document_properties_modification_date=Datum spremembe:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Ustvaril:
+document_properties_producer=Izdelovalec PDF:
+document_properties_version=Različica PDF:
+document_properties_page_count=Število strani:
+document_properties_close=Zapri
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Preklopi stransko vrstico
+toggle_sidebar_label=Preklopi stransko vrstico
+outline.title=Prikaži oris dokumenta
+outline_label=Oris dokumenta
+attachments.title=Prikaži priponke
+attachments_label=Priponke
+thumbs.title=Prikaži sličice
+thumbs_label=Sličice
+findbar.title=Iskanje po dokumentu
+findbar_label=Iskanje
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Stran {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Sličica strani {{page}}
+
+# Find panel button title and messages
+find_label=Najdi:
+find_previous.title=Najdi prejšnjo ponovitev iskanega
+find_previous_label=Najdi nazaj
+find_next.title=Najdi naslednjo ponovitev iskanega
+find_next_label=Najdi naprej
+find_highlight=Označi vse
+find_match_case_label=Razlikuj velike/male črke
+find_reached_top=Dosežen začetek dokumenta iz smeri konca
+find_reached_bottom=Doseženo konec dokumenta iz smeri začetka
+find_not_found=Iskanega ni mogoče najti
+
+# Error panel labels
+error_more_info=Več informacij
+error_less_info=Manj informacij
+error_close=Zapri
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js r{{version}} (graditev: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Sporočilo: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Sklad: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Datoteka: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Vrstica: {{line}}
+rendering_error=Med pripravljanjem strani je prišlo do napake!
+
+# Predefined zoom values
+page_scale_width=Širina strani
+page_scale_fit=Prilagodi stran
+page_scale_auto=Samodejno
+page_scale_actual=Dejanska velikost
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}} %
+
+# Loading indicator messages
+loading_error_indicator=Napaka
+loading_error=Med nalaganjem datoteke PDF je prišlo do napake.
+invalid_file_error=Neveljavna ali pokvarjena datoteka PDF.
+missing_file_error=Ni datoteke PDF.
+unexpected_response_error=Nepričakovan odgovor strežnika.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Opomba vrste {{type}}]
+password_label=Vnesite geslo za odpiranje te datoteke PDF.
+password_invalid=Neveljavno geslo. Poskusite znova.
+password_ok=V redu
+password_cancel=Prekliči
+
+printing_not_supported=Opozorilo: ta brskalnik ne podpira vseh možnosti tiskanja.
+printing_not_ready=Opozorilo: PDF ni v celoti naložen za tiskanje.
+web_fonts_disabled=Spletne pisave so onemogočene: vgradnih pisav za PDF ni mogoče uporabiti.
+document_colors_not_allowed=Dokumenti PDF ne smejo uporabljati svojih lastnih barv: možnost 'Dovoli stranem uporabo lastnih barv' je v brskalniku onemogočena.
diff --git a/static/pdf.js/locale/son/viewer.ftl b/static/pdf.js/locale/son/viewer.ftl
deleted file mode 100644
index fa4f6b1f..00000000
--- a/static/pdf.js/locale/son/viewer.ftl
+++ /dev/null
@@ -1,206 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Moo bisante
-pdfjs-previous-button-label = Bisante
-pdfjs-next-button =
- .title = Jinehere moo
-pdfjs-next-button-label = Jine
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Moo
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } ra
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } ka hun { $pagesCount }) ra
-pdfjs-zoom-out-button =
- .title = Nakasandi
-pdfjs-zoom-out-button-label = Nakasandi
-pdfjs-zoom-in-button =
- .title = Bebbeerandi
-pdfjs-zoom-in-button-label = Bebbeerandi
-pdfjs-zoom-select =
- .title = Bebbeerandi
-pdfjs-presentation-mode-button =
- .title = Bere cebeyan alhaali
-pdfjs-presentation-mode-button-label = Cebeyan alhaali
-pdfjs-open-file-button =
- .title = Tuku feeri
-pdfjs-open-file-button-label = Feeri
-pdfjs-print-button =
- .title = Kar
-pdfjs-print-button-label = Kar
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Goyjinawey
-pdfjs-tools-button-label = Goyjinawey
-pdfjs-first-page-button =
- .title = Koy moo jinaa ga
-pdfjs-first-page-button-label = Koy moo jinaa ga
-pdfjs-last-page-button =
- .title = Koy moo koraa ga
-pdfjs-last-page-button-label = Koy moo koraa ga
-pdfjs-page-rotate-cw-button =
- .title = Kuubi kanbe guma here
-pdfjs-page-rotate-cw-button-label = Kuubi kanbe guma here
-pdfjs-page-rotate-ccw-button =
- .title = Kuubi kanbe wowa here
-pdfjs-page-rotate-ccw-button-label = Kuubi kanbe wowa here
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Takadda mayrawey…
-pdfjs-document-properties-button-label = Takadda mayrawey…
-pdfjs-document-properties-file-name = Tuku maa:
-pdfjs-document-properties-file-size = Tuku adadu:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = KB { $size_kb } (cebsu-ize { $size_b })
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = MB { $size_mb } (cebsu-ize { $size_b })
-pdfjs-document-properties-title = Tiiramaa:
-pdfjs-document-properties-author = Hantumkaw:
-pdfjs-document-properties-subject = Dalil:
-pdfjs-document-properties-keywords = Kufalkalimawey:
-pdfjs-document-properties-creation-date = Teeyan han:
-pdfjs-document-properties-modification-date = Barmayan han:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Teekaw:
-pdfjs-document-properties-producer = PDF berandikaw:
-pdfjs-document-properties-version = PDF dumi:
-pdfjs-document-properties-page-count = Moo hinna:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = Daabu
-
-## Print
-
-pdfjs-print-progress-message = Goo ma takaddaa soolu k'a kar se…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Naŋ
-pdfjs-printing-not-supported = Yaamar: Karyan ši tee ka timme nda ceecikaa woo.
-pdfjs-printing-not-ready = Yaamar: PDF ši zunbu ka timme karyan še.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Kanjari ceraw zuu
-pdfjs-toggle-sidebar-button-label = Kanjari ceraw zuu
-pdfjs-document-outline-button =
- .title = Takaddaa korfur alhaaloo cebe (naagu cee hinka ka haya-izey kul hayandi/kankamandi)
-pdfjs-document-outline-button-label = Takadda filla-boŋ
-pdfjs-attachments-button =
- .title = Hangarey cebe
-pdfjs-attachments-button-label = Hangarey
-pdfjs-thumbs-button =
- .title = Kabeboy biyey cebe
-pdfjs-thumbs-button-label = Kabeboy biyey
-pdfjs-findbar-button =
- .title = Ceeci takaddaa ra
-pdfjs-findbar-button-label = Ceeci
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } moo
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Kabeboy bii { $page } moo še
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Ceeci
- .placeholder = Ceeci takaddaa ra…
-pdfjs-find-previous-button =
- .title = Kalimaɲaŋoo bangayri bisantaa ceeci
-pdfjs-find-previous-button-label = Bisante
-pdfjs-find-next-button =
- .title = Kalimaɲaŋoo hiino bangayroo ceeci
-pdfjs-find-next-button-label = Jine
-pdfjs-find-highlight-checkbox = Ikul šilbay
-pdfjs-find-match-case-checkbox-label = Harfu-beeriyan hawgay
-pdfjs-find-reached-top = A too moŋoo boŋoo, koy jine ka šinitin nda cewoo
-pdfjs-find-reached-bottom = A too moɲoo cewoo, koy jine šintioo ga
-pdfjs-find-not-found = Kalimaɲaa mana duwandi
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Mooo hayyan
-pdfjs-page-scale-fit = Moo sawayan
-pdfjs-page-scale-auto = Boŋše azzaati barmayyan
-pdfjs-page-scale-actual = Adadu cimi
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Firka bangay kaŋ PDF goo ma zumandi.
-pdfjs-invalid-file-error = PDF tuku laala wala laybante.
-pdfjs-missing-file-error = PDF tuku kumante.
-pdfjs-unexpected-response-error = Manti feršikaw tuuruyan maatante.
-pdfjs-rendering-error = Firka bangay kaŋ moɲoo goo ma willandi.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = { $type } maasa-caw]
-
-## Password
-
-pdfjs-password-label = Šennikufal dam ka PDF tukoo woo feeri.
-pdfjs-password-invalid = Šennikufal laalo. Ceeci koyne taare.
-pdfjs-password-ok-button = Ayyo
-pdfjs-password-cancel-button = Naŋ
-pdfjs-web-fonts-disabled = Interneti šigirawey kay: ši hin ka goy nda PDF šigira hurantey.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/son/viewer.properties b/static/pdf.js/locale/son/viewer.properties
new file mode 100644
index 00000000..c7742e40
--- /dev/null
+++ b/static/pdf.js/locale/son/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Moo bisante
+previous_label=Bisante
+next.title=Jinehere moo
+next_label=Jine
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=&Moo:
+page_of={{pageCount}} ga
+
+zoom_out.title=Nakasandi
+zoom_out_label=Nakasandi
+zoom_in.title=Bebbeerandi
+zoom_in_label=Bebbeerandi
+zoom.title=Bebbeerandi
+presentation_mode.title=Bere cebeyan alhaali
+presentation_mode_label=Cebeyan alhaali
+open_file.title=Tuku feeri
+open_file_label=Feeri
+print.title=Kar
+print_label=Kar
+download.title=Zumandi
+download_label=Zumandi
+bookmark.title=Sohõ gunarro (bere wala feeri zanfun taaga ra)
+bookmark_label=Sohõ gunaroo
+
+# Secondary toolbar and context menu
+tools.title=Goyjinawey
+tools_label=Goyjinawey
+first_page.title=Koy moo jinaa ga
+first_page.label=Koy moo jinaa ga
+first_page_label=Koy moo jinaa ga
+last_page.title=Koy moo koraa ga
+last_page.label=Koy moo koraa ga
+last_page_label=Koy moo koraa ga
+page_rotate_cw.title=Kuubi kanbe guma here
+page_rotate_cw.label=Kuubi kanbe guma here
+page_rotate_cw_label=Kuubi kanbe guma here
+page_rotate_ccw.title=Kuubi kanbe wowa here
+page_rotate_ccw.label=Kuubi kanbe wowa here
+page_rotate_ccw_label=Kuubi kanbe wowa here
+
+hand_tool_enable.title=Kanbe goyjinay tunandi
+hand_tool_enable_label=Kanbe goyjinay tunandi
+hand_tool_disable.title=Kanbe joyjinay kaa
+hand_tool_disable_label=Kanbe goyjinay kaa
+
+# Document properties dialog box
+document_properties.title=Takadda mayrawey…
+document_properties_label=Takadda mayrawey…
+document_properties_file_name=Tuku maa:
+document_properties_file_size=Tuku adadu:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb=KB {{size_kb}} (cebsu-ize {{size_b}})
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb=MB {{size_mb}} (cebsu-ize {{size_b}})
+document_properties_title=Tiiramaa:
+document_properties_author=Hantumkaw:
+document_properties_subject=Dalil:
+document_properties_keywords=Kufalkalimawey:
+document_properties_creation_date=Teeyan han:
+document_properties_modification_date=Barmayan han:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Teekaw:
+document_properties_producer=PDF berandikaw:
+document_properties_version=PDF dumi:
+document_properties_page_count=Moo hinna:
+document_properties_close=Daabu
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Kanjari ceraw zuu
+toggle_sidebar_label=Kanjari ceraw zuu
+outline.title=Takadda filla-boŋ cebe
+outline_label=Takadda filla-boŋ
+attachments.title=Hangarey cebe
+attachments_label=Hangarey
+thumbs.title=Kabeboy biyey cebe
+thumbs_label=Kabeboy biyey
+findbar.title=Ceeci takaddaa ra
+findbar_label=Ceeci
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title={{page}} moo
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Kabeboy bii {{page}} moo še
+
+# Find panel button title and messages
+find_label=Ceeci:
+find_previous.title=Kalimaɲaŋoo bangayri bisantaa ceeci
+find_previous_label=Bisante
+find_next.title=Kalimaɲaŋoo hiino bangayroo ceeci
+find_next_label=Jine
+find_highlight=Ikul šilbay
+find_match_case_label=Harfu-beeriyan hawgay
+find_reached_top=A too moŋoo boŋoo, koy jine ka šinitin nda cewoo
+find_reached_bottom=A too moɲoo cewoo, koy jine šintioo ga
+find_not_found=Kalimaɲaa mana duwandi
+
+# Error panel labels
+error_more_info=Alhabar tontoni
+error_less_info=Alhabar tontoni
+error_close=Daabu
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Alhabar: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Dekeri: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Tuku: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Žeeri: {{line}}
+rendering_error=Firka bangay kaŋ moɲoo goo ma willandi.
+
+# Predefined zoom values
+page_scale_width=Mooo hayyan
+page_scale_fit=Moo sawayan
+page_scale_auto=Boŋše azzaati barmayyan
+page_scale_actual=Adadu cimi
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Firka
+loading_error=Firka bangay kaŋ PDF goo ma zumandi.
+invalid_file_error=PDF tuku laala wala laybante.
+missing_file_error=PDF tuku kumante.
+unexpected_response_error=Manti feršikaw tuuruyan maatante.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt={{type}} maasa-caw]
+password_label=Šennikufal dam ka PDF tukoo woo feeri.
+password_invalid=Šennikufal laalo. Ceeci koyne taare.
+password_ok=Ayyo
+password_cancel=Naŋ
+
+printing_not_supported=Yaamar: Karyan ši tee ka timme nda ceecikaa woo.
+printing_not_ready=Yaamar: PDF ši zunbu ka timme karyan še.
+web_fonts_disabled=Interneti šigirawey kay: ši hin ka goy nda PDF šigira hurantey.
+document_colors_not_allowed=PDF takaddawey ši duu fondo ka ngey boŋ noonawey zaa: 'Naŋ moɲey ma ngey boŋ noonawey suuba' ši dira ceecikaa ga.
diff --git a/static/pdf.js/locale/sq/viewer.ftl b/static/pdf.js/locale/sq/viewer.ftl
deleted file mode 100644
index be5b273d..00000000
--- a/static/pdf.js/locale/sq/viewer.ftl
+++ /dev/null
@@ -1,387 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Faqja e Mëparshme
-pdfjs-previous-button-label = E mëparshmja
-pdfjs-next-button =
- .title = Faqja Pasuese
-pdfjs-next-button-label = Pasuesja
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Faqe
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = nga { $pagesCount } gjithsej
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } nga { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zvogëlojeni
-pdfjs-zoom-out-button-label = Zvogëlojeni
-pdfjs-zoom-in-button =
- .title = Zmadhojeni
-pdfjs-zoom-in-button-label = Zmadhojini
-pdfjs-zoom-select =
- .title = Zmadhim/Zvogëlim
-pdfjs-presentation-mode-button =
- .title = Kalo te Mënyra Paraqitje
-pdfjs-presentation-mode-button-label = Mënyra Paraqitje
-pdfjs-open-file-button =
- .title = Hapni Kartelë
-pdfjs-open-file-button-label = Hape
-pdfjs-print-button =
- .title = Shtypje
-pdfjs-print-button-label = Shtype
-pdfjs-save-button =
- .title = Ruaje
-pdfjs-save-button-label = Ruaje
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Shkarkojeni
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Shkarkoje
-pdfjs-bookmark-button =
- .title = Faqja e Tanishme (Shihni URL nga Faqja e Tanishme)
-pdfjs-bookmark-button-label = Faqja e Tanishme
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Mjete
-pdfjs-tools-button-label = Mjete
-pdfjs-first-page-button =
- .title = Kaloni te Faqja e Parë
-pdfjs-first-page-button-label = Kaloni te Faqja e Parë
-pdfjs-last-page-button =
- .title = Kaloni te Faqja e Fundit
-pdfjs-last-page-button-label = Kaloni te Faqja e Fundit
-pdfjs-page-rotate-cw-button =
- .title = Rrotullojeni Në Kahun Orar
-pdfjs-page-rotate-cw-button-label = Rrotulloje Në Kahun Orar
-pdfjs-page-rotate-ccw-button =
- .title = Rrotullojeni Në Kahun Kundërorar
-pdfjs-page-rotate-ccw-button-label = Rrotulloje Në Kahun Kundërorar
-pdfjs-cursor-text-select-tool-button =
- .title = Aktivizo Mjet Përzgjedhjeje Teksti
-pdfjs-cursor-text-select-tool-button-label = Mjet Përzgjedhjeje Teksti
-pdfjs-cursor-hand-tool-button =
- .title = Aktivizo Mjetin Dorë
-pdfjs-cursor-hand-tool-button-label = Mjeti Dorë
-pdfjs-scroll-page-button =
- .title = Përdor Rrëshqitje Në Faqe
-pdfjs-scroll-page-button-label = Rrëshqitje Në Faqe
-pdfjs-scroll-vertical-button =
- .title = Përdor Rrëshqitje Vertikale
-pdfjs-scroll-vertical-button-label = Rrëshqitje Vertikale
-pdfjs-scroll-horizontal-button =
- .title = Përdor Rrëshqitje Horizontale
-pdfjs-scroll-horizontal-button-label = Rrëshqitje Horizontale
-pdfjs-scroll-wrapped-button =
- .title = Përdor Rrëshqitje Me Mbështjellje
-pdfjs-scroll-wrapped-button-label = Rrëshqitje Me Mbështjellje
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Veti Dokumenti…
-pdfjs-document-properties-button-label = Veti Dokumenti…
-pdfjs-document-properties-file-name = Emër kartele:
-pdfjs-document-properties-file-size = Madhësi kartele:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bajte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bajte)
-pdfjs-document-properties-title = Titull:
-pdfjs-document-properties-author = Autor:
-pdfjs-document-properties-subject = Subjekt:
-pdfjs-document-properties-keywords = Fjalëkyçe:
-pdfjs-document-properties-creation-date = Datë Krijimi:
-pdfjs-document-properties-modification-date = Datë Ndryshimi:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Krijues:
-pdfjs-document-properties-producer = Prodhues PDF-je:
-pdfjs-document-properties-version = Version PDF-je:
-pdfjs-document-properties-page-count = Numër Faqesh:
-pdfjs-document-properties-page-size = Madhësi Faqeje:
-pdfjs-document-properties-page-size-unit-inches = inç
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = portret
-pdfjs-document-properties-page-size-orientation-landscape = së gjeri
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Parje e Shpjetë në Web:
-pdfjs-document-properties-linearized-yes = Po
-pdfjs-document-properties-linearized-no = Jo
-pdfjs-document-properties-close-button = Mbylleni
-
-## Print
-
-pdfjs-print-progress-message = Po përgatitet dokumenti për shtypje…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Anuloje
-pdfjs-printing-not-supported = Kujdes: Shtypja s’mbulohet plotësisht nga ky shfletues.
-pdfjs-printing-not-ready = Kujdes: PDF-ja s’është ngarkuar plotësisht që ta shtypni.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Shfaqni/Fshihni Anështyllën
-pdfjs-toggle-sidebar-notification-button =
- .title = Hap/Mbyll Anështylë (dokumenti përmban përvijim/nashkëngjitje/shtresa)
-pdfjs-toggle-sidebar-button-label = Shfaq/Fshih Anështyllën
-pdfjs-document-outline-button =
- .title = Shfaqni Përvijim Dokumenti (dyklikoni që të shfaqen/fshihen krejt elementët)
-pdfjs-document-outline-button-label = Përvijim Dokumenti
-pdfjs-attachments-button =
- .title = Shfaqni Bashkëngjitje
-pdfjs-attachments-button-label = Bashkëngjitje
-pdfjs-layers-button =
- .title = Shfaq Shtresa (dyklikoni që të rikthehen krejt shtresat në gjendjen e tyre parazgjedhje)
-pdfjs-layers-button-label = Shtresa
-pdfjs-thumbs-button =
- .title = Shfaqni Miniatura
-pdfjs-thumbs-button-label = Miniatura
-pdfjs-current-outline-item-button =
- .title = Gjej Objektin e Tanishëm të Përvijuar
-pdfjs-current-outline-item-button-label = Objekt i Tanishëm i Përvijuar
-pdfjs-findbar-button =
- .title = Gjeni në Dokument
-pdfjs-findbar-button-label = Gjej
-pdfjs-additional-layers = Shtresa Shtesë
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Faqja { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniaturë e Faqes { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Gjej
- .placeholder = Gjeni në dokument…
-pdfjs-find-previous-button =
- .title = Gjeni hasjen e mëparshme të togfjalëshit
-pdfjs-find-previous-button-label = E mëparshmja
-pdfjs-find-next-button =
- .title = Gjeni hasjen pasuese të togfjalëshit
-pdfjs-find-next-button-label = Pasuesja
-pdfjs-find-highlight-checkbox = Theksoji të tëra
-pdfjs-find-match-case-checkbox-label = Siç Është Shkruar
-pdfjs-find-match-diacritics-checkbox-label = Me Përputhje Me Shenjat Diakritike
-pdfjs-find-entire-word-checkbox-label = Fjalë të Plota
-pdfjs-find-reached-top = U mbërrit në krye të dokumentit, vazhduar prej fundit
-pdfjs-find-reached-bottom = U mbërrit në fund të dokumentit, vazhduar prej kreut
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } nga { $total } përputhje
- *[other] { $current } nga { $total } përputhje
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Më tepër se { $limit } përputhje
- *[other] Më tepër se { $limit } përputhje
- }
-pdfjs-find-not-found = Togfjalësh që s’gjendet
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Gjerësi Faqeje
-pdfjs-page-scale-fit = Sa Nxë Faqja
-pdfjs-page-scale-auto = Zoom i Vetvetishëm
-pdfjs-page-scale-actual = Madhësia Faktike
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Faqja { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ndodhi një gabim gjatë ngarkimit të PDF-së.
-pdfjs-invalid-file-error = Kartelë PDF e pavlefshme ose e dëmtuar.
-pdfjs-missing-file-error = Kartelë PDF që mungon.
-pdfjs-unexpected-response-error = Përgjigje shërbyesi e papritur.
-pdfjs-rendering-error = Ndodhi një gabim gjatë riprodhimit të faqes.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Nënvizim { $type }]
-
-## Password
-
-pdfjs-password-label = Jepni fjalëkalimin që të hapet kjo kartelë PDF.
-pdfjs-password-invalid = Fjalëkalim i pavlefshëm. Ju lutemi, riprovoni.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Anuloje
-pdfjs-web-fonts-disabled = Shkronjat Web janë të çaktivizuara: s’arrihet të përdoren shkronja të trupëzuara në PDF.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Tekst
-pdfjs-editor-free-text-button-label = Tekst
-pdfjs-editor-ink-button =
- .title = Vizatoni
-pdfjs-editor-ink-button-label = Vizatoni
-pdfjs-editor-stamp-button =
- .title = Shtoni ose përpunoni figura
-pdfjs-editor-stamp-button-label = Shtoni ose përpunoni figura
-pdfjs-editor-highlight-button =
- .title = Theksim
-pdfjs-editor-highlight-button-label = Theksoje
-pdfjs-highlight-floating-button =
- .title = Theksim
-pdfjs-highlight-floating-button1 =
- .title = Theksim
- .aria-label = Theksim
-pdfjs-highlight-floating-button-label = Theksim
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Hiq vizatim
-pdfjs-editor-remove-freetext-button =
- .title = Hiq tekst
-pdfjs-editor-remove-stamp-button =
- .title = Hiq figurë
-pdfjs-editor-remove-highlight-button =
- .title = Hiqe theksimin
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Ngjyrë
-pdfjs-editor-free-text-size-input = Madhësi
-pdfjs-editor-ink-color-input = Ngjyrë
-pdfjs-editor-ink-thickness-input = Trashësi
-pdfjs-editor-ink-opacity-input = Patejdukshmëri
-pdfjs-editor-stamp-add-image-button =
- .title = Shtoni figurë
-pdfjs-editor-stamp-add-image-button-label = Shtoni figurë
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Trashësi
-pdfjs-editor-free-highlight-thickness-title =
- .title = Ndryshoni trashësinë kur theksoni objekte tjetër nga tekst
-pdfjs-free-text =
- .aria-label = Përpunues Tekstesh
-pdfjs-free-text-default-content = Filloni të shtypni…
-pdfjs-ink =
- .aria-label = Përpunues Vizatimesh
-pdfjs-ink-canvas =
- .aria-label = Figurë e krijuar nga përdoruesi
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Tekst alternativ
-pdfjs-editor-alt-text-edit-button-label = Përpunoni tekst alternativ
-pdfjs-editor-alt-text-dialog-label = Zgjidhni një mundësi
-pdfjs-editor-alt-text-dialog-description = Teksti alt (tekst alternativ) vjen në ndihmë kur njerëzit s’mund të shohin figurën, ose kur ajo nuk ngarkohet.
-pdfjs-editor-alt-text-add-description-label = Shtoni një përshkrim
-pdfjs-editor-alt-text-add-description-description = Synoni për 1-2 togfjalësha që përshkruajnë subjektin, rrethanat apo veprimet.
-pdfjs-editor-alt-text-mark-decorative-label = Vëri shenjë si dekorative
-pdfjs-editor-alt-text-mark-decorative-description = Kjo përdoret për figura zbukuruese, fjala vjen, anë, ose watermark-e.
-pdfjs-editor-alt-text-cancel-button = Anuloje
-pdfjs-editor-alt-text-save-button = Ruaje
-pdfjs-editor-alt-text-decorative-tooltip = Iu vu shenjë si dekorative
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Për shembull, “Një djalosh ulet në një tryezë të hajë”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Cepi i sipërm majtas — ripërmasojeni
-pdfjs-editor-resizer-label-top-middle = Mesi i pjesës sipër — ripërmasojeni
-pdfjs-editor-resizer-label-top-right = Cepi i sipërm djathtas — ripërmasojeni
-pdfjs-editor-resizer-label-middle-right = Djathtas në mes — ripërmasojeni
-pdfjs-editor-resizer-label-bottom-right = Cepi i poshtëm djathtas — ripërmasojeni
-pdfjs-editor-resizer-label-bottom-middle = Mesi i pjesës poshtë — ripërmasojeni
-pdfjs-editor-resizer-label-bottom-left = Cepi i poshtëm — ripërmasojeni
-pdfjs-editor-resizer-label-middle-left = Majtas në mes — ripërmasojeni
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Ngjyrë theksimi
-pdfjs-editor-colorpicker-button =
- .title = Ndryshoni ngjyrë
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Zgjedhje ngjyre
-pdfjs-editor-colorpicker-yellow =
- .title = E verdhë
-pdfjs-editor-colorpicker-green =
- .title = E gjelbër
-pdfjs-editor-colorpicker-blue =
- .title = Blu
-pdfjs-editor-colorpicker-pink =
- .title = Rozë
-pdfjs-editor-colorpicker-red =
- .title = E kuqe
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Shfaqi krejt
-pdfjs-editor-highlight-show-all-button =
- .title = Shfaqi krejt
diff --git a/static/pdf.js/locale/sq/viewer.properties b/static/pdf.js/locale/sq/viewer.properties
new file mode 100644
index 00000000..0f883051
--- /dev/null
+++ b/static/pdf.js/locale/sq/viewer.properties
@@ -0,0 +1,166 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Faqja e Mëparshme
+previous_label=E mëparshmja
+next.title=Faqja Pasuese
+next_label=Pasuesja
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Faqja:
+page_of=nga {{pageCount}}
+
+zoom_out.title=Zmadhim
+zoom_out_label=Zmadhoji
+zoom_in.title=Zvogëlim
+zoom_in_label=Zvogëloji
+zoom.title=Zoom
+print.title=Shtypje
+print_label=Shtypeni
+presentation_mode.title=Kalo te Mënyra Paraqitje
+presentation_mode_label=Mënyra Paraqitje
+open_file.title=Hapni Kartelë
+open_file_label=Hapeni
+download.title=Shkarkim
+download_label=Shkarkojeni
+bookmark.title=Pamja e tanishme (kopjojeni ose hapeni në dritare të re)
+bookmark_label=Pamja e Tanishme
+
+# Secondary toolbar and context menu
+tools.title=Mjete
+tools_label=Mjete
+first_page.title=Shkoni te Faqja e Parë
+first_page.label=Shkoni te Faqja e Parë
+first_page_label=Shkoni te Faqja e Parë
+last_page.title=Shkoni te Faqja e Fundit
+last_page.label=Shkoni te Faqja e Fundit
+last_page_label=Shkoni te Faqja e Fundit
+page_rotate_cw.title=Rrotullojeni Në Kahun Orar
+page_rotate_cw.label=Rrotullojeni Në Kahun Orar
+page_rotate_cw_label=Rrotullojeni Në Kahun Orar
+page_rotate_ccw.title=Rrotullojeni Në Kahun Kundërorar
+page_rotate_ccw.label=Rrotullojeni Në Kahun Kundërorar
+page_rotate_ccw_label=Rrotullojeni Në Kahun Kundërorar
+
+hand_tool_enable.title=Aktivizoni mjet dore
+hand_tool_enable_label=Aktivizoni mjet dore
+hand_tool_disable.title=Çaktivizoni mjet dore
+hand_tool_disable_label=Çaktivizoni mjet dore
+
+# Document properties dialog box
+document_properties.title=Veti Dokumenti…
+document_properties_label=Veti Dokumenti…
+document_properties_file_name=Emër kartele:
+document_properties_file_size=Madhësi kartele:
+document_properties_kb={{size_kb}} KB ({{size_b}} bajte)
+document_properties_mb={{size_mb}} MB ({{size_b}} bajte)
+document_properties_title=Titull:
+document_properties_author=Autor:
+document_properties_subject=Subjekt:
+document_properties_keywords=Fjalëkyçe:
+document_properties_creation_date=Datë Krijimi:
+document_properties_modification_date=Datë Ndryshimi:
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Krijues:
+document_properties_producer=Prodhues PDF-je:
+document_properties_version=Version PDF-je:
+document_properties_page_count=Numër Faqesh:
+document_properties_close=Mbylle
+
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Shfaqni/Fshihni Anështyllën
+toggle_sidebar_label=Shfaqni/Fshihni Anështyllën
+outline.title=Shfaq Përvijim Dokumenti
+outline_label=Shfaq Përvijim Dokumenti
+attachments.title=Shfaq Bashkëngjitje
+attachments_label=Bashkëngjitje
+thumbs.title=Shfaq Miniatura
+thumbs_label=Miniatura
+findbar.title=Gjej në Dokument
+findbar_label=Gjej
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Faqja {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniaturë e Faqes {{page}}
+
+# Context menu
+first_page.label=Kalo te Faqja e Parë
+last_page.label=Kalo te Faqja e Fundit
+page_rotate_cw.label=Rrotulloje Në Kahun Orar
+page_rotate_ccw.label=Rrotulloje Në Kahun Antiorar
+
+# Find panel button title and messages
+find_label=Gjej:
+find_previous.title=Gjeni hasjen e mëparshme të togfjalëshit
+find_previous_label=E mëparshmja
+find_next.title=Gjeni hasjen pasuese të togfjalëshit
+find_next_label=Pasuesja
+find_highlight=Theksoji të gjitha
+find_match_case_label=Siç është shkruar
+find_reached_top=U mbërrit në krye të dokumentit, vazhduar prej fundit
+find_reached_bottom=U mbërrit në fund të dokumentit, vazhduar prej kreut
+find_not_found=Nuk u gjet togfjalëshi
+
+# Error panel labels
+error_more_info=Më Tepër të Dhëna
+error_less_info=Më Pak të Dhëna
+error_close=Mbylle
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mesazh: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Kartelë: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rresht: {{line}}
+rendering_error=Ndodhi një gabim gjatë riprodhimit të faqes.
+
+# Predefined zoom values
+page_scale_width=Gjerësi Faqeje
+page_scale_fit=Sa Nxë Faqja
+page_scale_auto=Zoom i Vetvetishëm
+page_scale_actual=Madhësia Faktike
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+# LOCALIZATION NOTE (error_line): "{{[percent}}" will be replaced with a percentage
+loading_error_indicator=Gabim
+loading_error=Ndodhi një gabim gjatë ngarkimit të PDF-së.
+invalid_file_error=Kartelë PDF e pavlefshme ose e dëmtuar.
+missing_file_error=Kartelë PDF që mungon.
+unexpected_response_error=Përgjigje shërbyesi e papritur.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Nënvizim {{type}}]
+password_label=Jepni fjalëkalimin që të hapet kjo kartelë PDF.
+password_invalid=Fjalëkalim i pavlefshëm. Ju lutemi, riprovoni.
+password_ok=OK
+password_cancel=Anuloje
+
+printing_not_supported=Kujdes: Shtypja nuk mbulohet plotësisht nga ky shfletues.
+printing_not_ready=Kujdes: PDF-ja nuk është ngarkuar plotësisht që ta shtypni.
+web_fonts_disabled=Shkronjat Web janë të çaktivizuara: i pazoti të përdorë shkronja të trupëzuara në PDF.
+
+document_colors_not_allowed=Dokumenteve PDF s’u lejohet të përdorin ngjyrat e tyre: 'Lejoji faqet t'i zgjedhin vetë ngjyrat' është e çaktivizuar te shfletuesi.
diff --git a/static/pdf.js/locale/sr/viewer.ftl b/static/pdf.js/locale/sr/viewer.ftl
deleted file mode 100644
index c678d491..00000000
--- a/static/pdf.js/locale/sr/viewer.ftl
+++ /dev/null
@@ -1,299 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Претходна страница
-pdfjs-previous-button-label = Претходна
-pdfjs-next-button =
- .title = Следећа страница
-pdfjs-next-button-label = Следећа
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Страница
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = од { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } од { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Умањи
-pdfjs-zoom-out-button-label = Умањи
-pdfjs-zoom-in-button =
- .title = Увеличај
-pdfjs-zoom-in-button-label = Увеличај
-pdfjs-zoom-select =
- .title = Увеличавање
-pdfjs-presentation-mode-button =
- .title = Промени на приказ у режиму презентације
-pdfjs-presentation-mode-button-label = Режим презентације
-pdfjs-open-file-button =
- .title = Отвори датотеку
-pdfjs-open-file-button-label = Отвори
-pdfjs-print-button =
- .title = Штампај
-pdfjs-print-button-label = Штампај
-pdfjs-save-button =
- .title = Сачувај
-pdfjs-save-button-label = Сачувај
-pdfjs-bookmark-button =
- .title = Тренутна страница (погледајте URL са тренутне странице)
-pdfjs-bookmark-button-label = Тренутна страница
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Отвори у апликацији
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Отвори у апликацији
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Алатке
-pdfjs-tools-button-label = Алатке
-pdfjs-first-page-button =
- .title = Иди на прву страницу
-pdfjs-first-page-button-label = Иди на прву страницу
-pdfjs-last-page-button =
- .title = Иди на последњу страницу
-pdfjs-last-page-button-label = Иди на последњу страницу
-pdfjs-page-rotate-cw-button =
- .title = Ротирај у смеру казаљке на сату
-pdfjs-page-rotate-cw-button-label = Ротирај у смеру казаљке на сату
-pdfjs-page-rotate-ccw-button =
- .title = Ротирај у смеру супротном од казаљке на сату
-pdfjs-page-rotate-ccw-button-label = Ротирај у смеру супротном од казаљке на сату
-pdfjs-cursor-text-select-tool-button =
- .title = Омогући алат за селектовање текста
-pdfjs-cursor-text-select-tool-button-label = Алат за селектовање текста
-pdfjs-cursor-hand-tool-button =
- .title = Омогући алат за померање
-pdfjs-cursor-hand-tool-button-label = Алат за померање
-pdfjs-scroll-page-button =
- .title = Користи скроловање по омоту
-pdfjs-scroll-page-button-label = Скроловање странице
-pdfjs-scroll-vertical-button =
- .title = Користи вертикално скроловање
-pdfjs-scroll-vertical-button-label = Вертикално скроловање
-pdfjs-scroll-horizontal-button =
- .title = Користи хоризонтално скроловање
-pdfjs-scroll-horizontal-button-label = Хоризонтално скроловање
-pdfjs-scroll-wrapped-button =
- .title = Користи скроловање по омоту
-pdfjs-scroll-wrapped-button-label = Скроловање по омоту
-pdfjs-spread-none-button =
- .title = Немој спајати ширења страница
-pdfjs-spread-none-button-label = Без распростирања
-pdfjs-spread-odd-button =
- .title = Споји ширења страница које почињу непарним бројем
-pdfjs-spread-odd-button-label = Непарна распростирања
-pdfjs-spread-even-button =
- .title = Споји ширења страница које почињу парним бројем
-pdfjs-spread-even-button-label = Парна распростирања
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Параметри документа…
-pdfjs-document-properties-button-label = Параметри документа…
-pdfjs-document-properties-file-name = Име датотеке:
-pdfjs-document-properties-file-size = Величина датотеке:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } B)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } B)
-pdfjs-document-properties-title = Наслов:
-pdfjs-document-properties-author = Аутор:
-pdfjs-document-properties-subject = Тема:
-pdfjs-document-properties-keywords = Кључне речи:
-pdfjs-document-properties-creation-date = Датум креирања:
-pdfjs-document-properties-modification-date = Датум модификације:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Стваралац:
-pdfjs-document-properties-producer = PDF произвођач:
-pdfjs-document-properties-version = PDF верзија:
-pdfjs-document-properties-page-count = Број страница:
-pdfjs-document-properties-page-size = Величина странице:
-pdfjs-document-properties-page-size-unit-inches = ин
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = усправно
-pdfjs-document-properties-page-size-orientation-landscape = водоравно
-pdfjs-document-properties-page-size-name-a-three = А3
-pdfjs-document-properties-page-size-name-a-four = А4
-pdfjs-document-properties-page-size-name-letter = Слово
-pdfjs-document-properties-page-size-name-legal = Права
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Брз веб приказ:
-pdfjs-document-properties-linearized-yes = Да
-pdfjs-document-properties-linearized-no = Не
-pdfjs-document-properties-close-button = Затвори
-
-## Print
-
-pdfjs-print-progress-message = Припремам документ за штампање…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Откажи
-pdfjs-printing-not-supported = Упозорење: Штампање није у потпуности подржано у овом прегледачу.
-pdfjs-printing-not-ready = Упозорење: PDF није у потпуности учитан за штампу.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Прикажи додатну палету
-pdfjs-toggle-sidebar-notification-button =
- .title = Прикажи/сакриј бочну траку (документ садржи контуру/прилоге/слојеве)
-pdfjs-toggle-sidebar-button-label = Прикажи додатну палету
-pdfjs-document-outline-button =
- .title = Прикажи структуру документа (двоструким кликом проширујете/скупљате све ставке)
-pdfjs-document-outline-button-label = Контура документа
-pdfjs-attachments-button =
- .title = Прикажи прилоге
-pdfjs-attachments-button-label = Прилози
-pdfjs-layers-button =
- .title = Прикажи слојеве (дупли клик за враћање свих слојева у подразумевано стање)
-pdfjs-layers-button-label = Слојеви
-pdfjs-thumbs-button =
- .title = Прикажи сличице
-pdfjs-thumbs-button-label = Сличице
-pdfjs-current-outline-item-button =
- .title = Пронађите тренутни елемент структуре
-pdfjs-current-outline-item-button-label = Тренутна контура
-pdfjs-findbar-button =
- .title = Пронађи у документу
-pdfjs-findbar-button-label = Пронађи
-pdfjs-additional-layers = Додатни слојеви
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Страница { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Сличица од странице { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Пронађи
- .placeholder = Пронађи у документу…
-pdfjs-find-previous-button =
- .title = Пронађи претходно појављивање фразе
-pdfjs-find-previous-button-label = Претходна
-pdfjs-find-next-button =
- .title = Пронађи следеће појављивање фразе
-pdfjs-find-next-button-label = Следећа
-pdfjs-find-highlight-checkbox = Истакнути све
-pdfjs-find-match-case-checkbox-label = Подударања
-pdfjs-find-match-diacritics-checkbox-label = Дијакритика
-pdfjs-find-entire-word-checkbox-label = Целе речи
-pdfjs-find-reached-top = Достигнут врх документа, наставио са дна
-pdfjs-find-reached-bottom = Достигнуто дно документа, наставио са врха
-pdfjs-find-not-found = Фраза није пронађена
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ширина странице
-pdfjs-page-scale-fit = Прилагоди страницу
-pdfjs-page-scale-auto = Аутоматско увеличавање
-pdfjs-page-scale-actual = Стварна величина
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Страница { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Дошло је до грешке приликом учитавања PDF-а.
-pdfjs-invalid-file-error = PDF датотека је неважећа или је оштећена.
-pdfjs-missing-file-error = Недостаје PDF датотека.
-pdfjs-unexpected-response-error = Неочекиван одговор од сервера.
-pdfjs-rendering-error = Дошло је до грешке приликом рендеровања ове странице.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } коментар]
-
-## Password
-
-pdfjs-password-label = Унесите лозинку да бисте отворили овај PDF докуменат.
-pdfjs-password-invalid = Неисправна лозинка. Покушајте поново.
-pdfjs-password-ok-button = У реду
-pdfjs-password-cancel-button = Откажи
-pdfjs-web-fonts-disabled = Веб фонтови су онемогућени: не могу користити уграђене PDF фонтове.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Текст
-pdfjs-editor-free-text-button-label = Текст
-pdfjs-editor-ink-button =
- .title = Цртај
-pdfjs-editor-ink-button-label = Цртај
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Боја
-pdfjs-editor-free-text-size-input = Величина
-pdfjs-editor-ink-color-input = Боја
-pdfjs-editor-ink-thickness-input = Дебљина
-pdfjs-editor-ink-opacity-input = Опацитет
-pdfjs-free-text =
- .aria-label = Уређивач текста
-pdfjs-free-text-default-content = Почни куцање…
-pdfjs-ink =
- .aria-label = Уређивач цртежа
-pdfjs-ink-canvas =
- .aria-label = Кориснички направљена слика
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/sr/viewer.properties b/static/pdf.js/locale/sr/viewer.properties
new file mode 100644
index 00000000..bff06ca1
--- /dev/null
+++ b/static/pdf.js/locale/sr/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Претходна страница
+previous_label=Претходна
+next.title=Следећа страница
+next_label=Следећа
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Страница:
+page_of=од {{pageCount}}
+
+zoom_out.title=Умањи
+zoom_out_label=Умањи
+zoom_in.title=Увеличај
+zoom_in_label=Увеличај
+zoom.title=Увеличавање
+presentation_mode.title=Промени на приказ у режиму презентације
+presentation_mode_label=Режим презентације
+open_file.title=Отвори датотеку
+open_file_label=Отвори
+print.title=Штампај
+print_label=Штампај
+download.title=Преузми
+download_label=Преузми
+bookmark.title=Тренутни приказ (копирај или отвори нови прозор)
+bookmark_label=Тренутни приказ
+
+# Secondary toolbar and context menu
+tools.title=Алатке
+tools_label=Алатке
+first_page.title=Иди на прву страницу
+first_page.label=Иди на прву страницу
+first_page_label=Иди на прву страницу
+last_page.title=Иди на последњу страницу
+last_page.label=Иди на последњу страницу
+last_page_label=Иди на последњу страницу
+page_rotate_cw.title=Ротирај у смеру казаљке на сату
+page_rotate_cw.label=Ротирај у смеру казаљке на сату
+page_rotate_cw_label=Ротирај у смеру казаљке на сату
+page_rotate_ccw.title=Ротирај у смеру супротном од казаљке на сату
+page_rotate_ccw.label=Ротирај у смеру супротном од казаљке на сату
+page_rotate_ccw_label=Ротирај у смеру супротном од казаљке на сату
+
+hand_tool_enable.title=Омогући алатку за померање
+hand_tool_enable_label=Омогући алатку за померање
+hand_tool_disable.title=Онемогући алатку за померање
+hand_tool_disable_label=Онемогући алатку за померање
+
+# Document properties dialog box
+document_properties.title=Параметри документа…
+document_properties_label=Параметри документа…
+document_properties_file_name=Име датотеке:
+document_properties_file_size=Величина датотеке:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} B)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} B)
+document_properties_title=Наслов:
+document_properties_author=Аутор:
+document_properties_subject=Тема:
+document_properties_keywords=Кључне речи:
+document_properties_creation_date=Датум креирања:
+document_properties_modification_date=Датум модификације:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Стваралац:
+document_properties_producer=PDF произвођач:
+document_properties_version=PDF верзија:
+document_properties_page_count=Број страница:
+document_properties_close=Затвори
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Прикажи додатну палету
+toggle_sidebar_label=Прикажи додатну палету
+outline.title=Прикажи контуру документа
+outline_label=Контура документа
+attachments.title=Прикажи прилоге
+attachments_label=Прилози
+thumbs.title=Прикажи сличице
+thumbs_label=Сличице
+findbar.title=Пронађи у документу
+findbar_label=Пронађи
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Страница {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Сличица од странице {{page}}
+
+# Find panel button title and messages
+find_label=Пронађи:
+find_previous.title=Пронађи претходну појаву фразе
+find_previous_label=Претходна
+find_next.title=Пронађи следећу појаву фразе
+find_next_label=Следећа
+find_highlight=Истакнути све
+find_match_case_label=Подударања
+find_reached_top=Достигнут врх документа, наставио са дна
+find_reached_bottom=Достигнуто дно документа, наставио са врха
+find_not_found=Фраза није пронађена
+
+# Error panel labels
+error_more_info=Више информација
+error_less_info=Мање информација
+error_close=Затвори
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Порука: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Стек: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Датотека: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Линија: {{line}}
+rendering_error=Дошло је до грешке приликом рендеровања ове странице.
+
+# Predefined zoom values
+page_scale_width=Ширина странице
+page_scale_fit=Прилагоди страницу
+page_scale_auto=Аутоматско увеличавање
+page_scale_actual=Стварна величина
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Грешка
+loading_error=Дошло је до грешке приликом учитавања PDF-а.
+invalid_file_error=PDF датотека је оштећена или је неисправна.
+missing_file_error=PDF датотека није пронађена.
+unexpected_response_error=Неочекиван одговор од сервера.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} коментар]
+password_label=Унесите лозинку да бисте отворили овај PDF докуменат.
+password_invalid=Неисправна лозинка. Покушајте поново.
+password_ok=У реду
+password_cancel=Откажи
+
+printing_not_supported=Упозорење: Штампање није у потпуности подржано у овом прегледачу.
+printing_not_ready=Упозорење: PDF није у потпуности учитан за штампу.
+web_fonts_disabled=Веб фонтови су онемогућени: не могу користити уграђене PDF фонтове.
+document_colors_not_allowed=PDF документи не могу да користе сопствене боје: “Дозволи страницама да изаберу своје боје” је деактивирано у прегледачу.
diff --git a/static/pdf.js/locale/sv-SE/viewer.ftl b/static/pdf.js/locale/sv-SE/viewer.ftl
deleted file mode 100644
index 61d69867..00000000
--- a/static/pdf.js/locale/sv-SE/viewer.ftl
+++ /dev/null
@@ -1,402 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Föregående sida
-pdfjs-previous-button-label = Föregående
-pdfjs-next-button =
- .title = Nästa sida
-pdfjs-next-button-label = Nästa
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Sida
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = av { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } av { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zooma ut
-pdfjs-zoom-out-button-label = Zooma ut
-pdfjs-zoom-in-button =
- .title = Zooma in
-pdfjs-zoom-in-button-label = Zooma in
-pdfjs-zoom-select =
- .title = Zoom
-pdfjs-presentation-mode-button =
- .title = Byt till presentationsläge
-pdfjs-presentation-mode-button-label = Presentationsläge
-pdfjs-open-file-button =
- .title = Öppna fil
-pdfjs-open-file-button-label = Öppna
-pdfjs-print-button =
- .title = Skriv ut
-pdfjs-print-button-label = Skriv ut
-pdfjs-save-button =
- .title = Spara
-pdfjs-save-button-label = Spara
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Hämta
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Hämta
-pdfjs-bookmark-button =
- .title = Aktuell sida (Visa URL från aktuell sida)
-pdfjs-bookmark-button-label = Aktuell sida
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Öppna i app
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Öppna i app
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Verktyg
-pdfjs-tools-button-label = Verktyg
-pdfjs-first-page-button =
- .title = Gå till första sidan
-pdfjs-first-page-button-label = Gå till första sidan
-pdfjs-last-page-button =
- .title = Gå till sista sidan
-pdfjs-last-page-button-label = Gå till sista sidan
-pdfjs-page-rotate-cw-button =
- .title = Rotera medurs
-pdfjs-page-rotate-cw-button-label = Rotera medurs
-pdfjs-page-rotate-ccw-button =
- .title = Rotera moturs
-pdfjs-page-rotate-ccw-button-label = Rotera moturs
-pdfjs-cursor-text-select-tool-button =
- .title = Aktivera textmarkeringsverktyg
-pdfjs-cursor-text-select-tool-button-label = Textmarkeringsverktyg
-pdfjs-cursor-hand-tool-button =
- .title = Aktivera handverktyg
-pdfjs-cursor-hand-tool-button-label = Handverktyg
-pdfjs-scroll-page-button =
- .title = Använd sidrullning
-pdfjs-scroll-page-button-label = Sidrullning
-pdfjs-scroll-vertical-button =
- .title = Använd vertikal rullning
-pdfjs-scroll-vertical-button-label = Vertikal rullning
-pdfjs-scroll-horizontal-button =
- .title = Använd horisontell rullning
-pdfjs-scroll-horizontal-button-label = Horisontell rullning
-pdfjs-scroll-wrapped-button =
- .title = Använd överlappande rullning
-pdfjs-scroll-wrapped-button-label = Överlappande rullning
-pdfjs-spread-none-button =
- .title = Visa enkelsidor
-pdfjs-spread-none-button-label = Enkelsidor
-pdfjs-spread-odd-button =
- .title = Visa uppslag med olika sidnummer till vänster
-pdfjs-spread-odd-button-label = Uppslag med framsida
-pdfjs-spread-even-button =
- .title = Visa uppslag med lika sidnummer till vänster
-pdfjs-spread-even-button-label = Uppslag utan framsida
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Dokumentegenskaper…
-pdfjs-document-properties-button-label = Dokumentegenskaper…
-pdfjs-document-properties-file-name = Filnamn:
-pdfjs-document-properties-file-size = Filstorlek:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } kB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Titel:
-pdfjs-document-properties-author = Författare:
-pdfjs-document-properties-subject = Ämne:
-pdfjs-document-properties-keywords = Nyckelord:
-pdfjs-document-properties-creation-date = Skapades:
-pdfjs-document-properties-modification-date = Ändrades:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Skapare:
-pdfjs-document-properties-producer = PDF-producent:
-pdfjs-document-properties-version = PDF-version:
-pdfjs-document-properties-page-count = Sidantal:
-pdfjs-document-properties-page-size = Pappersstorlek:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = porträtt
-pdfjs-document-properties-page-size-orientation-landscape = landskap
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Snabb webbvisning:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Nej
-pdfjs-document-properties-close-button = Stäng
-
-## Print
-
-pdfjs-print-progress-message = Förbereder sidor för utskrift…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Avbryt
-pdfjs-printing-not-supported = Varning: Utskrifter stöds inte helt av den här webbläsaren.
-pdfjs-printing-not-ready = Varning: PDF:en är inte klar för utskrift.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Visa/dölj sidofält
-pdfjs-toggle-sidebar-notification-button =
- .title = Växla sidofält (dokumentet innehåller dokumentstruktur/bilagor/lager)
-pdfjs-toggle-sidebar-button-label = Visa/dölj sidofält
-pdfjs-document-outline-button =
- .title = Visa dokumentdisposition (dubbelklicka för att expandera/komprimera alla objekt)
-pdfjs-document-outline-button-label = Dokumentöversikt
-pdfjs-attachments-button =
- .title = Visa Bilagor
-pdfjs-attachments-button-label = Bilagor
-pdfjs-layers-button =
- .title = Visa lager (dubbelklicka för att återställa alla lager till standardläge)
-pdfjs-layers-button-label = Lager
-pdfjs-thumbs-button =
- .title = Visa miniatyrer
-pdfjs-thumbs-button-label = Miniatyrer
-pdfjs-current-outline-item-button =
- .title = Hitta aktuellt dispositionsobjekt
-pdfjs-current-outline-item-button-label = Aktuellt dispositionsobjekt
-pdfjs-findbar-button =
- .title = Sök i dokument
-pdfjs-findbar-button-label = Sök
-pdfjs-additional-layers = Ytterligare lager
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Sida { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatyr av sida { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Sök
- .placeholder = Sök i dokument…
-pdfjs-find-previous-button =
- .title = Hitta föregående förekomst av frasen
-pdfjs-find-previous-button-label = Föregående
-pdfjs-find-next-button =
- .title = Hitta nästa förekomst av frasen
-pdfjs-find-next-button-label = Nästa
-pdfjs-find-highlight-checkbox = Markera alla
-pdfjs-find-match-case-checkbox-label = Matcha versal/gemen
-pdfjs-find-match-diacritics-checkbox-label = Matcha diakritiska tecken
-pdfjs-find-entire-word-checkbox-label = Hela ord
-pdfjs-find-reached-top = Nådde början av dokumentet, började från slutet
-pdfjs-find-reached-bottom = Nådde slutet på dokumentet, började från början
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } av { $total } match
- *[other] { $current } av { $total } matchningar
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Mer än { $limit } matchning
- *[other] Fler än { $limit } matchningar
- }
-pdfjs-find-not-found = Frasen hittades inte
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sidbredd
-pdfjs-page-scale-fit = Anpassa sida
-pdfjs-page-scale-auto = Automatisk zoom
-pdfjs-page-scale-actual = Verklig storlek
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Sida { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ett fel uppstod vid laddning av PDF-filen.
-pdfjs-invalid-file-error = Ogiltig eller korrupt PDF-fil.
-pdfjs-missing-file-error = Saknad PDF-fil.
-pdfjs-unexpected-response-error = Oväntat svar från servern.
-pdfjs-rendering-error = Ett fel uppstod vid visning av sidan.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-annotering]
-
-## Password
-
-pdfjs-password-label = Skriv in lösenordet för att öppna PDF-filen.
-pdfjs-password-invalid = Ogiltigt lösenord. Försök igen.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Avbryt
-pdfjs-web-fonts-disabled = Webbtypsnitt är inaktiverade: kan inte använda inbäddade PDF-typsnitt.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Text
-pdfjs-editor-free-text-button-label = Text
-pdfjs-editor-ink-button =
- .title = Rita
-pdfjs-editor-ink-button-label = Rita
-pdfjs-editor-stamp-button =
- .title = Lägg till eller redigera bilder
-pdfjs-editor-stamp-button-label = Lägg till eller redigera bilder
-pdfjs-editor-highlight-button =
- .title = Markera
-pdfjs-editor-highlight-button-label = Markera
-pdfjs-highlight-floating-button =
- .title = Markera
-pdfjs-highlight-floating-button1 =
- .title = Markera
- .aria-label = Markera
-pdfjs-highlight-floating-button-label = Markera
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Ta bort ritning
-pdfjs-editor-remove-freetext-button =
- .title = Ta bort text
-pdfjs-editor-remove-stamp-button =
- .title = Ta bort bild
-pdfjs-editor-remove-highlight-button =
- .title = Ta bort markering
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Färg
-pdfjs-editor-free-text-size-input = Storlek
-pdfjs-editor-ink-color-input = Färg
-pdfjs-editor-ink-thickness-input = Tjocklek
-pdfjs-editor-ink-opacity-input = Opacitet
-pdfjs-editor-stamp-add-image-button =
- .title = Lägg till bild
-pdfjs-editor-stamp-add-image-button-label = Lägg till bild
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Tjocklek
-pdfjs-editor-free-highlight-thickness-title =
- .title = Ändra tjocklek när du markerar andra objekt än text
-pdfjs-free-text =
- .aria-label = Textredigerare
-pdfjs-free-text-default-content = Börja skriva…
-pdfjs-ink =
- .aria-label = Ritredigerare
-pdfjs-ink-canvas =
- .aria-label = Användarskapad bild
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternativ text
-pdfjs-editor-alt-text-edit-button-label = Redigera alternativ text
-pdfjs-editor-alt-text-dialog-label = Välj ett alternativ
-pdfjs-editor-alt-text-dialog-description = Alt text (alternativ text) hjälper till när människor inte kan se bilden eller när den inte laddas.
-pdfjs-editor-alt-text-add-description-label = Lägg till en beskrivning
-pdfjs-editor-alt-text-add-description-description = Sikta på 1-2 meningar som beskriver ämnet, miljön eller handlingen.
-pdfjs-editor-alt-text-mark-decorative-label = Markera som dekorativ
-pdfjs-editor-alt-text-mark-decorative-description = Detta används för dekorativa bilder, som kanter eller vattenstämplar.
-pdfjs-editor-alt-text-cancel-button = Avbryt
-pdfjs-editor-alt-text-save-button = Spara
-pdfjs-editor-alt-text-decorative-tooltip = Märkt som dekorativ
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Till exempel, "En ung man sätter sig vid ett bord för att äta en måltid"
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Det övre vänstra hörnet — ändra storlek
-pdfjs-editor-resizer-label-top-middle = Överst i mitten — ändra storlek
-pdfjs-editor-resizer-label-top-right = Det övre högra hörnet — ändra storlek
-pdfjs-editor-resizer-label-middle-right = Mitten höger — ändra storlek
-pdfjs-editor-resizer-label-bottom-right = Nedre högra hörnet — ändra storlek
-pdfjs-editor-resizer-label-bottom-middle = Nedre mitten — ändra storlek
-pdfjs-editor-resizer-label-bottom-left = Nedre vänstra hörnet — ändra storlek
-pdfjs-editor-resizer-label-middle-left = Mitten till vänster — ändra storlek
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Markeringsfärg
-pdfjs-editor-colorpicker-button =
- .title = Ändra färg
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Färgval
-pdfjs-editor-colorpicker-yellow =
- .title = Gul
-pdfjs-editor-colorpicker-green =
- .title = Grön
-pdfjs-editor-colorpicker-blue =
- .title = Blå
-pdfjs-editor-colorpicker-pink =
- .title = Rosa
-pdfjs-editor-colorpicker-red =
- .title = Röd
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Visa alla
-pdfjs-editor-highlight-show-all-button =
- .title = Visa alla
diff --git a/static/pdf.js/locale/sv-SE/viewer.properties b/static/pdf.js/locale/sv-SE/viewer.properties
new file mode 100644
index 00000000..97be61df
--- /dev/null
+++ b/static/pdf.js/locale/sv-SE/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Föregående sida
+previous_label=Föregående
+next.title=Nästa sida
+next_label=Nästa
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Sida:
+page_of=av {{pageCount}}
+
+zoom_out.title=Zooma ut
+zoom_out_label=Zooma ut
+zoom_in.title=Zooma in
+zoom_in_label=Zooma in
+zoom.title=Zoom
+presentation_mode.title=Byt till presentationsläge
+presentation_mode_label=Presentationsläge
+open_file.title=Öppna fil
+open_file_label=Öppna
+print.title=Skriv ut
+print_label=Skriv ut
+download.title=Hämta
+download_label=Hämta
+bookmark.title=Aktuell vy (kopiera eller öppna i nytt fönster)
+bookmark_label=Aktuell vy
+
+# Secondary toolbar and context menu
+tools.title=Verktyg
+tools_label=Verktyg
+first_page.title=Gå till första sidan
+first_page.label=Gå till första sidan
+first_page_label=Gå till första sidan
+last_page.title=Gå till sista sidan
+last_page.label=Gå till sista sidan
+last_page_label=Gå till sista sidan
+page_rotate_cw.title=Rotera medurs
+page_rotate_cw.label=Rotera medurs
+page_rotate_cw_label=Rotera medurs
+page_rotate_ccw.title=Rotera moturs
+page_rotate_ccw.label=Rotera moturs
+page_rotate_ccw_label=Rotera moturs
+
+hand_tool_enable.title=Aktivera handverktyg
+hand_tool_enable_label=Aktivera handverktyg
+hand_tool_disable.title=Inaktivera handverktyg
+hand_tool_disable_label=Inaktivera handverktyg
+
+# Document properties dialog box
+document_properties.title=Dokumentegenskaper…
+document_properties_label=Dokumentegenskaper…
+document_properties_file_name=Filnamn:
+document_properties_file_size=Filstorlek:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} kB ({{size_b}} byte)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} byte)
+document_properties_title=Titel:
+document_properties_author=Författare:
+document_properties_subject=Ämne:
+document_properties_keywords=Nyckelord:
+document_properties_creation_date=Skapades:
+document_properties_modification_date=Ändrades:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Skapare:
+document_properties_producer=PDF-producent:
+document_properties_version=PDF-version:
+document_properties_page_count=Sidantal:
+document_properties_close=Stäng
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Visa/dölj sidofält
+toggle_sidebar_label=Visa/dölj sidofält
+outline.title=Visa dokumentöversikt
+outline_label=Dokumentöversikt
+attachments.title=Visa Bilagor
+attachments_label=Bilagor
+thumbs.title=Visa miniatyrer
+thumbs_label=Miniatyrer
+findbar.title=Sök i dokument
+findbar_label=Sök
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Sida {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatyr av sida {{page}}
+
+# Find panel button title and messages
+find_label=Sök:
+find_previous.title=Hitta föregående förekomst av frasen
+find_previous_label=Föregående
+find_next.title=Hitta nästa förekomst av frasen
+find_next_label=Nästa
+find_highlight=Markera alla
+find_match_case_label=Matcha versal/gemen
+find_reached_top=Nådde början av dokumentet, började från slutet
+find_reached_bottom=Nådde slutet på dokumentet, började från början
+find_not_found=Frasen hittades inte
+
+# Error panel labels
+error_more_info=Mer information
+error_less_info=Mindre information
+error_close=Stäng
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Meddelande: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rad: {{line}}
+rendering_error=Ett fel uppstod vid visning av sidan.
+
+# Predefined zoom values
+page_scale_width=Sidbredd
+page_scale_fit=Anpassa sida
+page_scale_auto=Automatisk zoom
+page_scale_actual=Verklig storlek
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Fel
+loading_error=Ett fel uppstod vid laddning av PDF-filen.
+invalid_file_error=Ogiltig eller korrupt PDF-fil.
+missing_file_error=Saknad PDF-fil.
+unexpected_response_error=Oväntat svar från servern.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-annotering]
+password_label=Skriv in lösenordet för att öppna PDF-filen.
+password_invalid=Ogiltigt lösenord. Försök igen.
+password_ok=OK
+password_cancel=Avbryt
+
+printing_not_supported=Varning: Utskrifter stöds inte helt av den här webbläsaren.
+printing_not_ready=Varning: PDF:en är inte klar för utskrift.
+web_fonts_disabled=Webbtypsnitt är inaktiverade: kan inte använda inbäddade PDF-typsnitt.
+document_colors_not_allowed=PDF-dokument tillåts inte använda egna färger: 'Låt sidor använda egna färger' är inaktiverat i webbläsaren.
diff --git a/static/pdf.js/locale/sv/viewer.properties b/static/pdf.js/locale/sv/viewer.properties
new file mode 100644
index 00000000..92312851
--- /dev/null
+++ b/static/pdf.js/locale/sv/viewer.properties
@@ -0,0 +1,142 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Föregående sida
+previous_label=Föregående
+next.title=Nästa sida
+next_label=Nästa
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Sida:
+page_of=av {{pageCount}}
+
+zoom_out.title=Zooma ut
+zoom_out_label=Zooma ut
+zoom_in.title=Zooma in
+zoom_in_label=Zooma in
+zoom.title=Zooma
+presentation_mode.title=Presentationsläge
+presentation_mode_label=Presentationsläge
+open_file.title=Öppna fil
+open_file_label=Öppna
+print.title=Skriv ut
+print_label=Skriv ut
+download.title=Ladda ner
+download_label=Ladda ner
+bookmark.title=Aktuell vy (kopiera eller öppna i nytt fönster)
+bookmark_label=Aktuell vy
+
+# Secondary toolbar and context menu
+tools.title=Verktyg
+tools_label=Verktyg
+first_page.title=Gå till första sidan
+first_page.label=Gå till första sidan
+first_page_label=Gå till första sidan
+last_page.title=Gå till sista sidan
+last_page.label=Gå till sista sidan
+last_page_label=Gå till sista sidan
+page_rotate_cw.title=Rotera medurs
+page_rotate_cw.label=Rotera medurs
+page_rotate_cw_label=Rotera medurs
+page_rotate_ccw.title=Rotera moturs
+page_rotate_ccw.label=Rotera moturs
+page_rotate_ccw_label=Rotera moturs
+
+hand_tool_enable.title=Aktivera handverktyget
+hand_tool_enable_label=Aktivera handverktyget
+hand_tool_disable.title=Avaktivera handverktyget
+hand_tool_disable_label=Avaktivera handverktyget
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Visa/Dölj sidopanel
+toggle_sidebar_label=Visa/Dölj sidopanel
+outline.title=Visa bokmärken
+outline_label=Bokmärken
+thumbs.title=Visa sidminiatyrer
+thumbs_label=Sidminiatyrer
+findbar.title=Sök i dokumentet
+findbar_label=Sök
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Sida {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Miniatyr av sida {{page}}
+
+# Find panel button title and messages
+find_label=Sök:
+find_previous.title=Hitta föregående förekomst av frasen
+find_previous_label=Föregående
+find_next.title=Hitta nästa förekomst av frasen
+find_next_label=Nästa
+find_highlight=Markera alla
+find_match_case_label=Matcha VERSALER/gemener
+find_reached_top=Kommit till början av dokumentet, börjat om
+find_reached_bottom=Kommit till slutet av dokumentet, börjat om
+find_not_found=Frasen hittades inte
+
+# Error panel labels
+error_more_info=Mer information
+error_less_info=Mindre information
+error_close=Stäng
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (bygge: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Meddelande: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Fil: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rad: {{line}}
+rendering_error=Ett fel inträffade när sidan renderades.
+
+# Predefined zoom values
+page_scale_width=Sidbredd
+page_scale_fit=Helsida
+page_scale_auto=Automatisk zoom
+page_scale_actual=Faktisk storlek
+
+# Loading indicator messages
+loading_error_indicator=Fel
+loading_error=Ett fel inträffade när PDF-filen laddades.
+invalid_file_error=Ogiltig eller korrupt PDF-fil.
+missing_file_error=PDF-filen saknas.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-anteckning]
+
+password_label=Ange lösenordet för att öppna PDF-filen.
+password_invalid=Felaktigt lösenord. Försök igen.
+password_ok=OK
+password_cancel=Avbryt
+
+printing_not_supported=Varning: Utskrifter stöds inte fullt ut av denna webbläsare.
+printing_not_ready=Varning: Hela PDF-filen måste laddas innan utskrift kan ske.
+web_fonts_disabled=Webbtypsnitt är inaktiverade: Typsnitt inbäddade i PDF-filer kan inte användas.
+document_colors_disabled=PDF-dokument kan inte använda egna färger: \'Låt sidor använda egna färger\' är inaktiverat i webbläsaren.
diff --git a/static/pdf.js/locale/sw/viewer.properties b/static/pdf.js/locale/sw/viewer.properties
new file mode 100644
index 00000000..7f0f1b8c
--- /dev/null
+++ b/static/pdf.js/locale/sw/viewer.properties
@@ -0,0 +1,129 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Ukurasa Uliotangulia
+previous_label=Iliyotangulia
+next.title=Ukurasa Ufuatao
+next_label=Ifuatayo
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Ukurasa:
+page_of=ya {{Hesabu ya ukurasa}}
+
+zoom_out.title=Kuza Nje
+zoom_out_label=Kuza Nje
+zoom_in.title=Kuza Ndani
+zoom_in_label=Kuza Ndani
+zoom.title=Kuza
+presentation_mode.title=Badili kwa Hali ya Uwasilishaji
+presentation_mode_label=Hali ya Uwasilishaji
+open_file.title=Fungua Faili
+open_file_label=Fungua
+print.title=Chapisha
+print_label=Chapisha
+download.title=Pakua
+download_label=Pakua
+bookmark.title=Mwonekano wa sasa (nakili au ufungue katika dirisha mpya)
+bookmark_label=Mwonekano wa Sasa
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Kichwa:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Kibiano cha Upau wa Kando
+toggle_sidebar_label=Kibiano cha Upau wa Kando
+outline.title=Onyesha Ufupisho wa Waraka
+outline_label=Ufupisho wa Waraka
+thumbs.title=Onyesha Kijipicha
+thumbs_label=Vijipicha
+findbar.title=Pata katika Waraka
+findbar_label=Tafuta
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Ukurasa {{ukurasa}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Kijipicha cha ukurasa {{ukurasa}}
+
+# Find panel button title and messages
+find_label=Tafuta:
+find_previous.title=Tafuta tukio kabla ya msemo huu
+find_previous_label=Iliyotangulia
+find_next.title=Tafuta tukio linalofuata la msemo
+find_next_label=Ifuatayo
+find_highlight=Angazia yote
+find_match_case_label=Linganisha herufi
+find_reached_top=Imefika juu ya waraka, imeendelea kutoka chini
+find_reached_bottom=Imefika mwisho wa waraka, imeendelea kutoka juu
+find_not_found=Msemo hukupatikana
+
+# Error panel labels
+error_more_info=Maelezo Zaidi
+error_less_info=Maelezo Kidogo
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (jenga: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Ujumbe: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Panganya: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Faili: {{faili}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Laini: {{laini}}
+rendering_error=Hitilafu lilitokea wajati wa kutoa ukurasa
+
+# Predefined zoom values
+page_scale_width=Upana wa Ukurasa
+page_scale_fit=Usawa wa Ukurasa
+page_scale_auto=Ukuzaji wa Kiotomatiki
+page_scale_actual=Ukubwa Halisi
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Hitilafu
+loading_error=Hitilafu lilitokea wakati wa kupakia PDF.
+invalid_file_error=Faili ya PDF isiyohalali au potofu.
+missing_file_error=Faili ya PDF isiyopo.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Ufafanuzi]
+password_ok=SAWA
+password_cancel=Ghairi
+
+printing_not_supported=Onyo: Uchapishaji hauauniwi kabisa kwa kivinjari hiki.
+web_fonts_disabled=Fonti za tovuti zimelemazwa: haziwezi kutumia fonti za PDF zilizopachikwa.
diff --git a/static/pdf.js/locale/szl/viewer.ftl b/static/pdf.js/locale/szl/viewer.ftl
deleted file mode 100644
index cbf166e4..00000000
--- a/static/pdf.js/locale/szl/viewer.ftl
+++ /dev/null
@@ -1,257 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Piyrwyjszo strōna
-pdfjs-previous-button-label = Piyrwyjszo
-pdfjs-next-button =
- .title = Nastympno strōna
-pdfjs-next-button-label = Dalij
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Strōna
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = ze { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } ze { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Zmyńsz
-pdfjs-zoom-out-button-label = Zmyńsz
-pdfjs-zoom-in-button =
- .title = Zwiynksz
-pdfjs-zoom-in-button-label = Zwiynksz
-pdfjs-zoom-select =
- .title = Srogość
-pdfjs-presentation-mode-button =
- .title = Przełōncz na tryb prezyntacyje
-pdfjs-presentation-mode-button-label = Tryb prezyntacyje
-pdfjs-open-file-button =
- .title = Ôdewrzij zbiōr
-pdfjs-open-file-button-label = Ôdewrzij
-pdfjs-print-button =
- .title = Durkuj
-pdfjs-print-button-label = Durkuj
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Noczynia
-pdfjs-tools-button-label = Noczynia
-pdfjs-first-page-button =
- .title = Idź ku piyrszyj strōnie
-pdfjs-first-page-button-label = Idź ku piyrszyj strōnie
-pdfjs-last-page-button =
- .title = Idź ku ôstatnij strōnie
-pdfjs-last-page-button-label = Idź ku ôstatnij strōnie
-pdfjs-page-rotate-cw-button =
- .title = Zwyrtnij w prawo
-pdfjs-page-rotate-cw-button-label = Zwyrtnij w prawo
-pdfjs-page-rotate-ccw-button =
- .title = Zwyrtnij w lewo
-pdfjs-page-rotate-ccw-button-label = Zwyrtnij w lewo
-pdfjs-cursor-text-select-tool-button =
- .title = Załōncz noczynie ôbiyranio tekstu
-pdfjs-cursor-text-select-tool-button-label = Noczynie ôbiyranio tekstu
-pdfjs-cursor-hand-tool-button =
- .title = Załōncz noczynie rōnczka
-pdfjs-cursor-hand-tool-button-label = Noczynie rōnczka
-pdfjs-scroll-vertical-button =
- .title = Używej piōnowego przewijanio
-pdfjs-scroll-vertical-button-label = Piōnowe przewijanie
-pdfjs-scroll-horizontal-button =
- .title = Używej poziōmego przewijanio
-pdfjs-scroll-horizontal-button-label = Poziōme przewijanie
-pdfjs-scroll-wrapped-button =
- .title = Używej szichtowego przewijanio
-pdfjs-scroll-wrapped-button-label = Szichtowe przewijanie
-pdfjs-spread-none-button =
- .title = Niy dowej strōn w widoku po dwie
-pdfjs-spread-none-button-label = Po jednyj strōnie
-pdfjs-spread-odd-button =
- .title = Pokoż strōny po dwie; niyporziste po lewyj
-pdfjs-spread-odd-button-label = Niyporziste po lewyj
-pdfjs-spread-even-button =
- .title = Pokoż strōny po dwie; porziste po lewyj
-pdfjs-spread-even-button-label = Porziste po lewyj
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Włosności dokumyntu…
-pdfjs-document-properties-button-label = Włosności dokumyntu…
-pdfjs-document-properties-file-name = Miano zbioru:
-pdfjs-document-properties-file-size = Srogość zbioru:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } B)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } B)
-pdfjs-document-properties-title = Tytuł:
-pdfjs-document-properties-author = Autōr:
-pdfjs-document-properties-subject = Tymat:
-pdfjs-document-properties-keywords = Kluczowe słowa:
-pdfjs-document-properties-creation-date = Data zrychtowanio:
-pdfjs-document-properties-modification-date = Data zmiany:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Zrychtowane ôd:
-pdfjs-document-properties-producer = PDF ôd:
-pdfjs-document-properties-version = Wersyjo PDF:
-pdfjs-document-properties-page-count = Wielość strōn:
-pdfjs-document-properties-page-size = Srogość strōny:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = piōnowo
-pdfjs-document-properties-page-size-orientation-landscape = poziōmo
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Gibki necowy podglōnd:
-pdfjs-document-properties-linearized-yes = Ja
-pdfjs-document-properties-linearized-no = Niy
-pdfjs-document-properties-close-button = Zawrzij
-
-## Print
-
-pdfjs-print-progress-message = Rychtowanie dokumyntu do durku…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Pociep
-pdfjs-printing-not-supported = Pozōr: Ta przeglōndarka niy cołkiym ôbsuguje durk.
-pdfjs-printing-not-ready = Pozōr: Tyn PDF niy ma za tela zaladowany do durku.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Przełōncz posek na rancie
-pdfjs-toggle-sidebar-notification-button =
- .title = Przełōncz posek na rancie (dokumynt mo struktura/przidowki/warstwy)
-pdfjs-toggle-sidebar-button-label = Przełōncz posek na rancie
-pdfjs-document-outline-button =
- .title = Pokoż struktura dokumyntu (tuplowane klikniyncie rozszyrzo/swijo wszyskie elymynta)
-pdfjs-document-outline-button-label = Struktura dokumyntu
-pdfjs-attachments-button =
- .title = Pokoż przidowki
-pdfjs-attachments-button-label = Przidowki
-pdfjs-layers-button =
- .title = Pokoż warstwy (tuplowane klikniyncie resetuje wszyskie warstwy do bazowego stanu)
-pdfjs-layers-button-label = Warstwy
-pdfjs-thumbs-button =
- .title = Pokoż miniatury
-pdfjs-thumbs-button-label = Miniatury
-pdfjs-findbar-button =
- .title = Znojdź w dokumyncie
-pdfjs-findbar-button-label = Znojdź
-pdfjs-additional-layers = Nadbytnie warstwy
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Strōna { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Miniatura strōny { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Znojdź
- .placeholder = Znojdź w dokumyncie…
-pdfjs-find-previous-button =
- .title = Znojdź piyrwyjsze pokozanie sie tyj frazy
-pdfjs-find-previous-button-label = Piyrwyjszo
-pdfjs-find-next-button =
- .title = Znojdź nastympne pokozanie sie tyj frazy
-pdfjs-find-next-button-label = Dalij
-pdfjs-find-highlight-checkbox = Zaznacz wszysko
-pdfjs-find-match-case-checkbox-label = Poznowej srogość liter
-pdfjs-find-entire-word-checkbox-label = Cołke słowa
-pdfjs-find-reached-top = Doszło do samego wiyrchu strōny, dalij ôd spodku
-pdfjs-find-reached-bottom = Doszło do samego spodku strōny, dalij ôd wiyrchu
-pdfjs-find-not-found = Fraza niy znaleziōno
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Szyrzka strōny
-pdfjs-page-scale-fit = Napasowanie strōny
-pdfjs-page-scale-auto = Autōmatyczno srogość
-pdfjs-page-scale-actual = Aktualno srogość
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Przi ladowaniu PDFa pokozoł sie feler.
-pdfjs-invalid-file-error = Zły abo felerny zbiōr PDF.
-pdfjs-missing-file-error = Chybio zbioru PDF.
-pdfjs-unexpected-response-error = Niyôczekowano ôdpowiydź serwera.
-pdfjs-rendering-error = Przi renderowaniu strōny pokozoł sie feler.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Anotacyjo typu { $type }]
-
-## Password
-
-pdfjs-password-label = Wkludź hasło, coby ôdewrzić tyn zbiōr PDF.
-pdfjs-password-invalid = Hasło je złe. Sprōbuj jeszcze roz.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Pociep
-pdfjs-web-fonts-disabled = Necowe fōnty sōm zastawiōne: niy idzie użyć wkludzōnych fōntōw PDF.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ta-LK/viewer.properties b/static/pdf.js/locale/ta-LK/viewer.properties
new file mode 100644
index 00000000..178b6199
--- /dev/null
+++ b/static/pdf.js/locale/ta-LK/viewer.properties
@@ -0,0 +1,72 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+
+zoom.title=அளவு
+open_file.title=கோப்பினைத் திறக்க
+open_file_label=திறக்க
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+
+# Find panel button title and messages
+find_previous.title=இந்த சொற்றொடரின் முன்னைய நிகழ்வை தேடு
+find_next.title=இந்த சொற்றொடரின் அடுத்த நிகழ்வைத் தேடு
+
+# Error panel labels
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+
+# Predefined zoom values
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+password_ok=ஆம்
+
diff --git a/static/pdf.js/locale/ta/viewer.ftl b/static/pdf.js/locale/ta/viewer.ftl
deleted file mode 100644
index 82cf1970..00000000
--- a/static/pdf.js/locale/ta/viewer.ftl
+++ /dev/null
@@ -1,223 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = முந்தைய பக்கம்
-pdfjs-previous-button-label = முந்தையது
-pdfjs-next-button =
- .title = அடுத்த பக்கம்
-pdfjs-next-button-label = அடுத்து
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = பக்கம்
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } இல்
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = { $pagesCount }) இல் ({ $pageNumber }
-pdfjs-zoom-out-button =
- .title = சிறிதாக்கு
-pdfjs-zoom-out-button-label = சிறிதாக்கு
-pdfjs-zoom-in-button =
- .title = பெரிதாக்கு
-pdfjs-zoom-in-button-label = பெரிதாக்கு
-pdfjs-zoom-select =
- .title = பெரிதாக்கு
-pdfjs-presentation-mode-button =
- .title = விளக்ககாட்சி பயன்முறைக்கு மாறு
-pdfjs-presentation-mode-button-label = விளக்ககாட்சி பயன்முறை
-pdfjs-open-file-button =
- .title = கோப்பினை திற
-pdfjs-open-file-button-label = திற
-pdfjs-print-button =
- .title = அச்சிடு
-pdfjs-print-button-label = அச்சிடு
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = கருவிகள்
-pdfjs-tools-button-label = கருவிகள்
-pdfjs-first-page-button =
- .title = முதல் பக்கத்திற்கு செல்லவும்
-pdfjs-first-page-button-label = முதல் பக்கத்திற்கு செல்லவும்
-pdfjs-last-page-button =
- .title = கடைசி பக்கத்திற்கு செல்லவும்
-pdfjs-last-page-button-label = கடைசி பக்கத்திற்கு செல்லவும்
-pdfjs-page-rotate-cw-button =
- .title = வலஞ்சுழியாக சுழற்று
-pdfjs-page-rotate-cw-button-label = வலஞ்சுழியாக சுழற்று
-pdfjs-page-rotate-ccw-button =
- .title = இடஞ்சுழியாக சுழற்று
-pdfjs-page-rotate-ccw-button-label = இடஞ்சுழியாக சுழற்று
-pdfjs-cursor-text-select-tool-button =
- .title = உரைத் தெரிவு கருவியைச் செயல்படுத்து
-pdfjs-cursor-text-select-tool-button-label = உரைத் தெரிவு கருவி
-pdfjs-cursor-hand-tool-button =
- .title = கைக் கருவிக்ச் செயற்படுத்து
-pdfjs-cursor-hand-tool-button-label = கைக்குருவி
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = ஆவண பண்புகள்...
-pdfjs-document-properties-button-label = ஆவண பண்புகள்...
-pdfjs-document-properties-file-name = கோப்பு பெயர்:
-pdfjs-document-properties-file-size = கோப்பின் அளவு:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } கிபை ({ $size_b } பைட்டுகள்)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } மெபை ({ $size_b } பைட்டுகள்)
-pdfjs-document-properties-title = தலைப்பு:
-pdfjs-document-properties-author = எழுதியவர்
-pdfjs-document-properties-subject = பொருள்:
-pdfjs-document-properties-keywords = முக்கிய வார்த்தைகள்:
-pdfjs-document-properties-creation-date = படைத்த தேதி :
-pdfjs-document-properties-modification-date = திருத்திய தேதி:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = உருவாக்குபவர்:
-pdfjs-document-properties-producer = பிடிஎஃப் தயாரிப்பாளர்:
-pdfjs-document-properties-version = PDF பதிப்பு:
-pdfjs-document-properties-page-count = பக்க எண்ணிக்கை:
-pdfjs-document-properties-page-size = பக்க அளவு:
-pdfjs-document-properties-page-size-unit-inches = இதில்
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = நிலைபதிப்பு
-pdfjs-document-properties-page-size-orientation-landscape = நிலைபரப்பு
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = கடிதம்
-pdfjs-document-properties-page-size-name-legal = சட்டபூர்வ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-close-button = மூடுக
-
-## Print
-
-pdfjs-print-progress-message = அச்சிடுவதற்கான ஆவணம் தயாராகிறது...
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ரத்து
-pdfjs-printing-not-supported = எச்சரிக்கை: இந்த உலாவி அச்சிடுதலை முழுமையாக ஆதரிக்கவில்லை.
-pdfjs-printing-not-ready = எச்சரிக்கை: PDF அச்சிட முழுவதுமாக ஏற்றப்படவில்லை.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = பக்கப் பட்டியை நிலைமாற்று
-pdfjs-toggle-sidebar-button-label = பக்கப் பட்டியை நிலைமாற்று
-pdfjs-document-outline-button =
- .title = ஆவண அடக்கத்தைக் காட்டு (இருமுறைச் சொடுக்கி அனைத்து உறுப்பிடிகளையும் விரி/சேர்)
-pdfjs-document-outline-button-label = ஆவண வெளிவரை
-pdfjs-attachments-button =
- .title = இணைப்புகளை காண்பி
-pdfjs-attachments-button-label = இணைப்புகள்
-pdfjs-thumbs-button =
- .title = சிறுபடங்களைக் காண்பி
-pdfjs-thumbs-button-label = சிறுபடங்கள்
-pdfjs-findbar-button =
- .title = ஆவணத்தில் கண்டறி
-pdfjs-findbar-button-label = தேடு
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = பக்கம் { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = பக்கத்தின் சிறுபடம் { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = கண்டுபிடி
- .placeholder = ஆவணத்தில் கண்டறி…
-pdfjs-find-previous-button =
- .title = இந்த சொற்றொடரின் முந்தைய நிகழ்வை தேடு
-pdfjs-find-previous-button-label = முந்தையது
-pdfjs-find-next-button =
- .title = இந்த சொற்றொடரின் அடுத்த நிகழ்வை தேடு
-pdfjs-find-next-button-label = அடுத்து
-pdfjs-find-highlight-checkbox = அனைத்தையும் தனிப்படுத்து
-pdfjs-find-match-case-checkbox-label = பேரெழுத்தாக்கத்தை உணர்
-pdfjs-find-reached-top = ஆவணத்தின் மேல் பகுதியை அடைந்தது, அடிப்பக்கத்திலிருந்து தொடர்ந்தது
-pdfjs-find-reached-bottom = ஆவணத்தின் முடிவை அடைந்தது, மேலிருந்து தொடர்ந்தது
-pdfjs-find-not-found = சொற்றொடர் காணவில்லை
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = பக்க அகலம்
-pdfjs-page-scale-fit = பக்கப் பொருத்தம்
-pdfjs-page-scale-auto = தானியக்க பெரிதாக்கல்
-pdfjs-page-scale-actual = உண்மையான அளவு
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF ஐ ஏற்றும் போது ஒரு பிழை ஏற்பட்டது.
-pdfjs-invalid-file-error = செல்லுபடியாகாத அல்லது சிதைந்த PDF கோப்பு.
-pdfjs-missing-file-error = PDF கோப்பு காணவில்லை.
-pdfjs-unexpected-response-error = சேவகன் பதில் எதிர்பாரதது.
-pdfjs-rendering-error = இந்தப் பக்கத்தை காட்சிப்படுத்தும் போது ஒரு பிழை ஏற்பட்டது.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } விளக்கம்]
-
-## Password
-
-pdfjs-password-label = இந்த PDF கோப்பை திறக்க கடவுச்சொல்லை உள்ளிடவும்.
-pdfjs-password-invalid = செல்லுபடியாகாத கடவுச்சொல், தயை செய்து மீண்டும் முயற்சி செய்க.
-pdfjs-password-ok-button = சரி
-pdfjs-password-cancel-button = ரத்து
-pdfjs-web-fonts-disabled = வலை எழுத்துருக்கள் முடக்கப்பட்டுள்ளன: உட்பொதிக்கப்பட்ட PDF எழுத்துருக்களைப் பயன்படுத்த முடியவில்லை.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ta/viewer.properties b/static/pdf.js/locale/ta/viewer.properties
new file mode 100644
index 00000000..b0d40f1e
--- /dev/null
+++ b/static/pdf.js/locale/ta/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=முந்தைய பக்கம்
+previous_label=முந்தையது
+next.title=அடுத்த பக்கம்
+next_label=அடுத்து
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=பக்கம்:
+page_of=இல் {{pageCount}}
+
+zoom_out.title=சிறிதாக்கு
+zoom_out_label=சிறிதாக்கு
+zoom_in.title=பெரிதாக்கு
+zoom_in_label=பெரிதாக்கு
+zoom.title=பெரிதாக்கு
+presentation_mode.title=விளக்ககாட்சி பயன்முறைக்கு மாறு
+presentation_mode_label=விளக்ககாட்சி பயன்முறை
+open_file.title=கோப்பினை திற
+open_file_label=திற
+print.title=அச்சிடு
+print_label=அச்சிடு
+download.title=பதிவிறக்கு
+download_label=பதிவிறக்கு
+bookmark.title=தற்போதைய காட்சி (புதிய சாளரத்திற்கு நகலெடு அல்லது புதிய சாளரத்தில் திற)
+bookmark_label=தற்போதைய காட்சி
+
+# Secondary toolbar and context menu
+tools.title=கருவிகள்
+tools_label=கருவிகள்
+first_page.title=முதல் பக்கத்திற்கு செல்லவும்
+first_page.label=முதல் பக்கத்திற்கு செல்லவும்
+first_page_label=முதல் பக்கத்திற்கு செல்லவும்
+last_page.title=கடைசி பக்கத்திற்கு செல்லவும்
+last_page.label=கடைசி பக்கத்திற்கு செல்லவும்
+last_page_label=கடைசி பக்கத்திற்கு செல்லவும்
+page_rotate_cw.title=வலஞ்சுழியாக சுழற்று
+page_rotate_cw.label=வலஞ்சுழியாக சுழற்று
+page_rotate_cw_label=வலஞ்சுழியாக சுழற்று
+page_rotate_ccw.title=இடஞ்சுழியாக சுழற்று
+page_rotate_ccw.label=இடஞ்சுழியாக சுழற்று
+page_rotate_ccw_label=இடஞ்சுழியாக சுழற்று
+
+hand_tool_enable.title=கை கருவியை செயலாக்கு
+hand_tool_enable_label=கை கருவியை செயலாக்கு
+hand_tool_disable.title=கை கருவியை முடக்கு
+hand_tool_disable_label=கை கருவியை முடக்கு
+
+# Document properties dialog box
+document_properties.title=ஆவண பண்புகள்...
+document_properties_label=ஆவண பண்புகள்...
+document_properties_file_name=கோப்பு பெயர்:
+document_properties_file_size=கோப்பின் அளவு:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} கிபை ({{size_b}} பைட்டுகள்)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} மெபை ({{size_b}} பைட்டுகள்)
+document_properties_title=தலைப்பு:
+document_properties_author=எழுதியவர்
+document_properties_subject=பொருள்:
+document_properties_keywords=முக்கிய வார்த்தைகள்:
+document_properties_creation_date=படைத்த தேதி :
+document_properties_modification_date=திருத்திய தேதி:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=உருவாக்குபவர்:
+document_properties_producer=பிடிஎஃப் தயாரிப்பாளர்:
+document_properties_version=PDF பதிப்பு:
+document_properties_page_count=பக்க எண்ணிக்கை:
+document_properties_close=மூடுக
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=பக்கப் பட்டியை நிலைமாற்று
+toggle_sidebar_label=பக்கப் பட்டியை நிலைமாற்று
+outline.title=ஆவண வெளிவரையைக் காண்பி
+outline_label=ஆவண வெளிவரை
+attachments.title=இணைப்புகளை காண்பி
+attachments_label=இணைப்புகள்
+thumbs.title=சிறுபடங்களைக் காண்பி
+thumbs_label=சிறுபடங்கள்
+findbar.title=ஆவணத்தில் கண்டறி
+findbar_label=கண்டுபிடி
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=பக்கம் {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=பக்கத்தின் சிறுபடம் {{page}}
+
+# Find panel button title and messages
+find_label=கண்டறி:
+find_previous.title=இந்த சொற்றொடரின் முந்தைய நிகழ்வை தேடு
+find_previous_label=முந்தையது
+find_next.title=இந்த சொற்றொடரின் அடுத்த நிகழ்வை தேடு
+find_next_label=அடுத்து
+find_highlight=அனைத்தையும் தனிப்படுத்து
+find_match_case_label=பேரெழுத்தாக்கத்தை உணர்
+find_reached_top=ஆவணத்தின் மேல் பகுதியை அடைந்தது, அடிப்பக்கத்திலிருந்து தொடர்ந்தது
+find_reached_bottom=ஆவணத்தின் முடிவை அடைந்தது, மேலிருந்து தொடர்ந்தது
+find_not_found=சொற்றொடர் காணவில்லை
+
+# Error panel labels
+error_more_info=கூடுதல் தகவல்
+error_less_info=குறைந்த தகவல்
+error_close=மூடுக
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=செய்தி: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=ஸ்டேக்: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=கோப்பு: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=வரி: {{line}}
+rendering_error=இந்தப் பக்கத்தை காட்சிப்படுத்தும் போது ஒரு பிழை ஏற்பட்டது.
+
+# Predefined zoom values
+page_scale_width=பக்க அகலம்
+page_scale_fit=பக்கப் பொருத்தம்
+page_scale_auto=தானியக்க பெரிதாக்கல்
+page_scale_actual=உண்மையான அளவு
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=பிழை
+loading_error=PDF ஐ ஏற்றும் போது ஒரு பிழை ஏற்பட்டது.
+invalid_file_error=செல்லுபடியாகாத அல்லது சிதைந்த PDF கோப்பு.
+missing_file_error=PDF கோப்பு காணவில்லை.
+unexpected_response_error=சேவகன் பதில் எதிர்பாரதது.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} விளக்கம்]
+password_label=இந்த PDF கோப்பை திறக்க கடவுச்சொல்லை உள்ளிடவும்.
+password_invalid=செல்லுபடியாகாத கடவுச்சொல், தயை செய்து மீண்டும் முயற்சி செய்க.
+password_ok=சரி
+password_cancel=இரத்து
+
+printing_not_supported=எச்சரிக்கை: இந்த உலாவி அச்சிடுதலை முழுமையாக ஆதரிக்கவில்லை.
+printing_not_ready=எச்சரிக்கை: PDF அச்சிட முழுவதுமாக ஏற்றப்படவில்லை.
+web_fonts_disabled=வலை எழுத்துருக்கள் முடக்கப்பட்டுள்ளன: உட்பொதிக்கப்பட்ட PDF எழுத்துருக்களைப் பயன்படுத்த முடியவில்லை.
+document_colors_not_allowed=PDF ஆவணங்களுக்கு அவற்றின் சொந்த நிறங்களைப் பயன்படுத்த அனுமதியில்லை: உலாவியில் 'பக்கங்கள் தங்கள் சொந்த நிறங்களைத் தேர்வு செய்துகொள்ள அனுமதி' என்னும் விருப்பம் முடக்கப்பட்டுள்ளது.
diff --git a/static/pdf.js/locale/te/viewer.ftl b/static/pdf.js/locale/te/viewer.ftl
deleted file mode 100644
index 94dc2b8e..00000000
--- a/static/pdf.js/locale/te/viewer.ftl
+++ /dev/null
@@ -1,239 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = మునుపటి పేజీ
-pdfjs-previous-button-label = క్రితం
-pdfjs-next-button =
- .title = తరువాత పేజీ
-pdfjs-next-button-label = తరువాత
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = పేజీ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = మొత్తం { $pagesCount } లో
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = (మొత్తం { $pagesCount } లో { $pageNumber }వది)
-pdfjs-zoom-out-button =
- .title = జూమ్ తగ్గించు
-pdfjs-zoom-out-button-label = జూమ్ తగ్గించు
-pdfjs-zoom-in-button =
- .title = జూమ్ చేయి
-pdfjs-zoom-in-button-label = జూమ్ చేయి
-pdfjs-zoom-select =
- .title = జూమ్
-pdfjs-presentation-mode-button =
- .title = ప్రదర్శనా రీతికి మారు
-pdfjs-presentation-mode-button-label = ప్రదర్శనా రీతి
-pdfjs-open-file-button =
- .title = ఫైల్ తెరువు
-pdfjs-open-file-button-label = తెరువు
-pdfjs-print-button =
- .title = ముద్రించు
-pdfjs-print-button-label = ముద్రించు
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = పనిముట్లు
-pdfjs-tools-button-label = పనిముట్లు
-pdfjs-first-page-button =
- .title = మొదటి పేజీకి వెళ్ళు
-pdfjs-first-page-button-label = మొదటి పేజీకి వెళ్ళు
-pdfjs-last-page-button =
- .title = చివరి పేజీకి వెళ్ళు
-pdfjs-last-page-button-label = చివరి పేజీకి వెళ్ళు
-pdfjs-page-rotate-cw-button =
- .title = సవ్యదిశలో తిప్పు
-pdfjs-page-rotate-cw-button-label = సవ్యదిశలో తిప్పు
-pdfjs-page-rotate-ccw-button =
- .title = అపసవ్యదిశలో తిప్పు
-pdfjs-page-rotate-ccw-button-label = అపసవ్యదిశలో తిప్పు
-pdfjs-cursor-text-select-tool-button =
- .title = టెక్స్ట్ ఎంపిక సాధనాన్ని ప్రారంభించండి
-pdfjs-cursor-text-select-tool-button-label = టెక్స్ట్ ఎంపిక సాధనం
-pdfjs-cursor-hand-tool-button =
- .title = చేతి సాధనం చేతనించు
-pdfjs-cursor-hand-tool-button-label = చేతి సాధనం
-pdfjs-scroll-vertical-button-label = నిలువు స్క్రోలింగు
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = పత్రము లక్షణాలు...
-pdfjs-document-properties-button-label = పత్రము లక్షణాలు...
-pdfjs-document-properties-file-name = దస్త్రం పేరు:
-pdfjs-document-properties-file-size = దస్త్రం పరిమాణం:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = శీర్షిక:
-pdfjs-document-properties-author = మూలకర్త:
-pdfjs-document-properties-subject = విషయం:
-pdfjs-document-properties-keywords = కీ పదాలు:
-pdfjs-document-properties-creation-date = సృష్టించిన తేదీ:
-pdfjs-document-properties-modification-date = సవరించిన తేదీ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = సృష్టికర్త:
-pdfjs-document-properties-producer = PDF ఉత్పాదకి:
-pdfjs-document-properties-version = PDF వర్షన్:
-pdfjs-document-properties-page-count = పేజీల సంఖ్య:
-pdfjs-document-properties-page-size = కాగితం పరిమాణం:
-pdfjs-document-properties-page-size-unit-inches = లో
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = నిలువుచిత్రం
-pdfjs-document-properties-page-size-orientation-landscape = అడ్డచిత్రం
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = లేఖ
-pdfjs-document-properties-page-size-name-legal = చట్టపరమైన
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-pdfjs-document-properties-linearized-yes = అవును
-pdfjs-document-properties-linearized-no = కాదు
-pdfjs-document-properties-close-button = మూసివేయి
-
-## Print
-
-pdfjs-print-progress-message = ముద్రించడానికి పత్రము సిద్ధమవుతున్నది…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = రద్దుచేయి
-pdfjs-printing-not-supported = హెచ్చరిక: ఈ విహారిణి చేత ముద్రణ పూర్తిగా తోడ్పాటు లేదు.
-pdfjs-printing-not-ready = హెచ్చరిక: ముద్రణ కొరకు ఈ PDF పూర్తిగా లోడవలేదు.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = పక్కపట్టీ మార్చు
-pdfjs-toggle-sidebar-button-label = పక్కపట్టీ మార్చు
-pdfjs-document-outline-button =
- .title = పత్రము రూపము చూపించు (డబుల్ క్లిక్ చేసి అన్ని అంశాలను విస్తరించు/కూల్చు)
-pdfjs-document-outline-button-label = పత్రము అవుట్లైన్
-pdfjs-attachments-button =
- .title = అనుబంధాలు చూపు
-pdfjs-attachments-button-label = అనుబంధాలు
-pdfjs-layers-button-label = పొరలు
-pdfjs-thumbs-button =
- .title = థంబ్నైల్స్ చూపు
-pdfjs-thumbs-button-label = థంబ్నైల్స్
-pdfjs-findbar-button =
- .title = పత్రములో కనుగొనుము
-pdfjs-findbar-button-label = కనుగొను
-pdfjs-additional-layers = అదనపు పొరలు
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = పేజీ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } పేజీ నఖచిత్రం
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = కనుగొను
- .placeholder = పత్రములో కనుగొను…
-pdfjs-find-previous-button =
- .title = పదం యొక్క ముందు సంభవాన్ని కనుగొను
-pdfjs-find-previous-button-label = మునుపటి
-pdfjs-find-next-button =
- .title = పదం యొక్క తర్వాతి సంభవాన్ని కనుగొను
-pdfjs-find-next-button-label = తరువాత
-pdfjs-find-highlight-checkbox = అన్నిటిని ఉద్దీపనం చేయుము
-pdfjs-find-match-case-checkbox-label = అక్షరముల తేడాతో పోల్చు
-pdfjs-find-entire-word-checkbox-label = పూర్తి పదాలు
-pdfjs-find-reached-top = పేజీ పైకి చేరుకున్నది, క్రింది నుండి కొనసాగించండి
-pdfjs-find-reached-bottom = పేజీ చివరకు చేరుకున్నది, పైనుండి కొనసాగించండి
-pdfjs-find-not-found = పదబంధం కనబడలేదు
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = పేజీ వెడల్పు
-pdfjs-page-scale-fit = పేజీ అమర్పు
-pdfjs-page-scale-auto = స్వయంచాలక జూమ్
-pdfjs-page-scale-actual = యథార్ధ పరిమాణం
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF లోడవుచున్నప్పుడు ఒక దోషం ఎదురైంది.
-pdfjs-invalid-file-error = చెల్లని లేదా పాడైన PDF ఫైలు.
-pdfjs-missing-file-error = దొరకని PDF ఫైలు.
-pdfjs-unexpected-response-error = అనుకోని సర్వర్ స్పందన.
-pdfjs-rendering-error = పేజీను రెండర్ చేయుటలో ఒక దోషం ఎదురైంది.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } టీకా]
-
-## Password
-
-pdfjs-password-label = ఈ PDF ఫైల్ తెరుచుటకు సంకేతపదం ప్రవేశపెట్టుము.
-pdfjs-password-invalid = సంకేతపదం చెల్లదు. దయచేసి మళ్ళీ ప్రయత్నించండి.
-pdfjs-password-ok-button = సరే
-pdfjs-password-cancel-button = రద్దుచేయి
-pdfjs-web-fonts-disabled = వెబ్ ఫాంట్లు అచేతనించబడెను: ఎంబెడెడ్ PDF ఫాంట్లు ఉపయోగించలేక పోయింది.
-
-## Editing
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = రంగు
-pdfjs-editor-free-text-size-input = పరిమాణం
-pdfjs-editor-ink-color-input = రంగు
-pdfjs-editor-ink-thickness-input = మందం
-pdfjs-editor-ink-opacity-input = అకిరణ్యత
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/te/viewer.properties b/static/pdf.js/locale/te/viewer.properties
new file mode 100644
index 00000000..e08d5e7d
--- /dev/null
+++ b/static/pdf.js/locale/te/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=క్రితం పేజీ
+previous_label=క్రితం
+next.title=తరువాత పేజీ
+next_label=తరువాత
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=పేజీ:
+page_of=మొత్తం {{pageCount}} లో
+
+zoom_out.title=జూమ్ తగ్గించు
+zoom_out_label=జూమ్ తగ్గించు
+zoom_in.title=జూమ్ చేయి
+zoom_in_label=జూమ్ చేయి
+zoom.title=జూమ్
+presentation_mode.title=ప్రదర్శనా రీతికి మారు
+presentation_mode_label=ప్రదర్శనా రీతి
+open_file.title=ఫైల్ తెరువు
+open_file_label=తెరువు
+print.title=ముద్రించు
+print_label=ముద్రించు
+download.title=డౌనులోడు
+download_label=డౌనులోడు
+bookmark.title=ప్రస్తుత దర్శనం (నకలుతీయి లేదా కొత్త విండోనందు తెరువుము)
+bookmark_label=ప్రస్తుత దర్శనం
+
+# Secondary toolbar and context menu
+tools.title=పనిముట్లు
+tools_label=పనిముట్లు
+first_page.title=మొదటి పేజీకి వెళ్ళు
+first_page.label=మొదటి పేజీకి వెళ్ళు
+first_page_label=మొదటి పేజీకి వెళ్ళు
+last_page.title=చివరి పేజీకి వెళ్ళు
+last_page.label=చివరి పేజీకి వెళ్ళు
+last_page_label=చివరి పేజీకి వెళ్ళు
+page_rotate_cw.title=సవ్యదిశలో తిప్పుము
+page_rotate_cw.label=సవ్యదిశలో తిప్పుము
+page_rotate_cw_label=సవ్యదిశలో తిప్పుము
+page_rotate_ccw.title=అపసవ్యదిశలో తిప్పుము
+page_rotate_ccw.label=అపసవ్యదిశలో తిప్పుము
+page_rotate_ccw_label=అపసవ్యదిశలో తిప్పుము
+
+hand_tool_enable.title=చేతి సాధనం చేతనించు
+hand_tool_enable_label=చేతి సాధనం చేతనించు
+hand_tool_disable.title=చేతి సాధనం అచేతనించు
+hand_tool_disable_label=చేతి సాధనం అచేతనించు
+
+# Document properties dialog box
+document_properties.title=పత్రము లక్షణాలు...
+document_properties_label=పత్రము లక్షణాలు...
+document_properties_file_name=దస్త్రం పేరు:
+document_properties_file_size=దస్త్రం పరిమాణం:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=శీర్షిక:
+document_properties_author=మూలకర్త:
+document_properties_subject=విషయం:
+document_properties_keywords=కీపదాలు:
+document_properties_creation_date=సృష్టించిన తేదీ:
+document_properties_modification_date=సవరించిన తేదీ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=సృష్టికర్త:
+document_properties_producer=PDF ఉత్పాదకి:
+document_properties_version=PDF వర్షన్:
+document_properties_page_count=పేజీల సంఖ్య:
+document_properties_close=మూసివేయి
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=పక్కపట్టీ మార్చు
+toggle_sidebar_label=పక్కపట్టీ మార్చు
+outline.title=పత్రము అవుట్లైన్ చూపు
+outline_label=పత్రము అవుట్లైన్
+attachments.title=అనుబంధాలు చూపు
+attachments_label=అనుబంధాలు
+thumbs.title=థంబ్నైల్స్ చూపు
+thumbs_label=థంబ్నైల్స్
+findbar.title=ఈ పత్రమునందు కనుగొనుము
+findbar_label=కనుగొను
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=పేజీ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=పేజీ {{page}} యొక్క థంబ్నైల్
+
+# Find panel button title and messages
+find_label=కనుగొను:
+find_previous.title=పదంయొక్క ముందలి సంభవాన్ని కనుగొను
+find_previous_label=మునుపటి
+find_next.title=పదం యొక్క తర్వాతి సంభవాన్ని కనుగొను
+find_next_label=తరువాత
+find_highlight=అన్నిటిని ఉద్దీపనం చేయుము
+find_match_case_label=అక్షరములతేడాతో పోల్చుము
+find_reached_top=పేజీ పైకి చేరుకున్నది, క్రింది నుండి కొనసాగించండి
+find_reached_bottom=పేజీ చివరకు చేరుకున్నది, పైనుండి కొనసాగించండి
+find_not_found=పదం కనబడలేదు
+
+# Error panel labels
+error_more_info=మరింత సమాచారం
+error_less_info=తక్కువ సమాచారం
+error_close=మూసివేయి
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=సందేశం: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=స్టాక్: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=ఫైలు: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=వరుస: {{line}}
+rendering_error=పేజీను రెండర్ చేయుటలో వొక దోషం యెదురైంది.
+
+# Predefined zoom values
+page_scale_width=పేజీ వెడల్పు
+page_scale_fit=పేజీ అమర్పు
+page_scale_auto=స్వయంచాలక జూమ్
+page_scale_actual=యథార్ధ పరిమాణం
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=దోషం
+loading_error=PDF లోడవుచున్నప్పుడు వొక దోషం యెదురైంది.
+invalid_file_error=చెల్లని లేదా పాడైన PDF ఫైలు.
+missing_file_error=దొరకని PDF ఫైలు.
+unexpected_response_error=అనుకోని సేవిక స్పందన.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} టీకా]
+password_label=ఈ PDF ఫైల్ తెరుచుటకు సంకేతపదం ప్రవేశపెట్టుము
+password_invalid=సంకేతపదం చెల్లదు. దయచేసి మళ్ళీ ప్రయత్నించండి.
+password_ok=సరే
+password_cancel=రద్దుచేయి
+
+printing_not_supported=హెచ్చరిక: ఈ విహారిణి చేత ముద్రణ పూర్తిగా తోడ్పాటునీయబడుట లేదు
+printing_not_ready=హెచ్చరిక: ముద్రణ కొరకు ఈ PDF పూర్తిగా లోడవలేదు.
+web_fonts_disabled=వెబ్ ఫాంట్లు అచేతనపరచ బడెను: ఎంబెడెడ్ PDF ఫాంట్లు వుపయోగించలేక పోయింది.
+document_colors_not_allowed=PDF పత్రాలు వాటి స్వంత రంగులను వుపయోగించుకొనుటకు అనుమతించబడవు: విహరణి నందు 'పేజీలను వాటి స్వంత రంగులను యెంచుకొనుటకు అనుమతించు' అనునది అచేతనం చేయబడివుంది.
diff --git a/static/pdf.js/locale/tg/viewer.ftl b/static/pdf.js/locale/tg/viewer.ftl
deleted file mode 100644
index 42964701..00000000
--- a/static/pdf.js/locale/tg/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Саҳифаи қаблӣ
-pdfjs-previous-button-label = Қаблӣ
-pdfjs-next-button =
- .title = Саҳифаи навбатӣ
-pdfjs-next-button-label = Навбатӣ
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Саҳифа
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = аз { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } аз { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Хурд кардан
-pdfjs-zoom-out-button-label = Хурд кардан
-pdfjs-zoom-in-button =
- .title = Калон кардан
-pdfjs-zoom-in-button-label = Калон кардан
-pdfjs-zoom-select =
- .title = Танзими андоза
-pdfjs-presentation-mode-button =
- .title = Гузариш ба реҷаи тақдим
-pdfjs-presentation-mode-button-label = Реҷаи тақдим
-pdfjs-open-file-button =
- .title = Кушодани файл
-pdfjs-open-file-button-label = Кушодан
-pdfjs-print-button =
- .title = Чоп кардан
-pdfjs-print-button-label = Чоп кардан
-pdfjs-save-button =
- .title = Нигоҳ доштан
-pdfjs-save-button-label = Нигоҳ доштан
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Боргирӣ кардан
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Боргирӣ кардан
-pdfjs-bookmark-button =
- .title = Саҳифаи ҷорӣ (Дидани нишонии URL аз саҳифаи ҷорӣ)
-pdfjs-bookmark-button-label = Саҳифаи ҷорӣ
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Абзорҳо
-pdfjs-tools-button-label = Абзорҳо
-pdfjs-first-page-button =
- .title = Ба саҳифаи аввал гузаред
-pdfjs-first-page-button-label = Ба саҳифаи аввал гузаред
-pdfjs-last-page-button =
- .title = Ба саҳифаи охирин гузаред
-pdfjs-last-page-button-label = Ба саҳифаи охирин гузаред
-pdfjs-page-rotate-cw-button =
- .title = Ба самти ҳаракати ақрабаки соат давр задан
-pdfjs-page-rotate-cw-button-label = Ба самти ҳаракати ақрабаки соат давр задан
-pdfjs-page-rotate-ccw-button =
- .title = Ба муқобили самти ҳаракати ақрабаки соат давр задан
-pdfjs-page-rotate-ccw-button-label = Ба муқобили самти ҳаракати ақрабаки соат давр задан
-pdfjs-cursor-text-select-tool-button =
- .title = Фаъол кардани «Абзори интихоби матн»
-pdfjs-cursor-text-select-tool-button-label = Абзори интихоби матн
-pdfjs-cursor-hand-tool-button =
- .title = Фаъол кардани «Абзори даст»
-pdfjs-cursor-hand-tool-button-label = Абзори даст
-pdfjs-scroll-page-button =
- .title = Истифодаи варақзанӣ
-pdfjs-scroll-page-button-label = Варақзанӣ
-pdfjs-scroll-vertical-button =
- .title = Истифодаи варақзании амудӣ
-pdfjs-scroll-vertical-button-label = Варақзании амудӣ
-pdfjs-scroll-horizontal-button =
- .title = Истифодаи варақзании уфуқӣ
-pdfjs-scroll-horizontal-button-label = Варақзании уфуқӣ
-pdfjs-scroll-wrapped-button =
- .title = Истифодаи варақзании миқёсбандӣ
-pdfjs-scroll-wrapped-button-label = Варақзании миқёсбандӣ
-pdfjs-spread-none-button =
- .title = Густариши саҳифаҳо истифода бурда нашавад
-pdfjs-spread-none-button-label = Бе густурдани саҳифаҳо
-pdfjs-spread-odd-button =
- .title = Густариши саҳифаҳо аз саҳифаҳо бо рақамҳои тоқ оғоз карда мешавад
-pdfjs-spread-odd-button-label = Саҳифаҳои тоқ аз тарафи чап
-pdfjs-spread-even-button =
- .title = Густариши саҳифаҳо аз саҳифаҳо бо рақамҳои ҷуфт оғоз карда мешавад
-pdfjs-spread-even-button-label = Саҳифаҳои ҷуфт аз тарафи чап
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Хусусиятҳои ҳуҷҷат…
-pdfjs-document-properties-button-label = Хусусиятҳои ҳуҷҷат…
-pdfjs-document-properties-file-name = Номи файл:
-pdfjs-document-properties-file-size = Андозаи файл:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байт)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байт)
-pdfjs-document-properties-title = Сарлавҳа:
-pdfjs-document-properties-author = Муаллиф:
-pdfjs-document-properties-subject = Мавзуъ:
-pdfjs-document-properties-keywords = Калимаҳои калидӣ:
-pdfjs-document-properties-creation-date = Санаи эҷод:
-pdfjs-document-properties-modification-date = Санаи тағйирот:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Эҷодкунанда:
-pdfjs-document-properties-producer = Таҳиякунандаи «PDF»:
-pdfjs-document-properties-version = Версияи «PDF»:
-pdfjs-document-properties-page-count = Шумораи саҳифаҳо:
-pdfjs-document-properties-page-size = Андозаи саҳифа:
-pdfjs-document-properties-page-size-unit-inches = дюйм
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = амудӣ
-pdfjs-document-properties-page-size-orientation-landscape = уфуқӣ
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Мактуб
-pdfjs-document-properties-page-size-name-legal = Ҳуқуқӣ
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Намоиши тез дар Интернет:
-pdfjs-document-properties-linearized-yes = Ҳа
-pdfjs-document-properties-linearized-no = Не
-pdfjs-document-properties-close-button = Пӯшидан
-
-## Print
-
-pdfjs-print-progress-message = Омодасозии ҳуҷҷат барои чоп…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Бекор кардан
-pdfjs-printing-not-supported = Диққат: Чопкунӣ аз тарафи ин браузер ба таври пурра дастгирӣ намешавад.
-pdfjs-printing-not-ready = Диққат: Файли «PDF» барои чопкунӣ пурра бор карда нашуд.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Фаъол кардани навори ҷонибӣ
-pdfjs-toggle-sidebar-notification-button =
- .title = Фаъол кардани навори ҷонибӣ (ҳуҷҷат дорои сохтор/замимаҳо/қабатҳо мебошад)
-pdfjs-toggle-sidebar-button-label = Фаъол кардани навори ҷонибӣ
-pdfjs-document-outline-button =
- .title = Намоиш додани сохтори ҳуҷҷат (барои баркушодан/пеҷондани ҳамаи унсурҳо дубора зер кунед)
-pdfjs-document-outline-button-label = Сохтори ҳуҷҷат
-pdfjs-attachments-button =
- .title = Намоиш додани замимаҳо
-pdfjs-attachments-button-label = Замимаҳо
-pdfjs-layers-button =
- .title = Намоиш додани қабатҳо (барои барқарор кардани ҳамаи қабатҳо ба вазъияти пешфарз дубора зер кунед)
-pdfjs-layers-button-label = Қабатҳо
-pdfjs-thumbs-button =
- .title = Намоиш додани тасвирчаҳо
-pdfjs-thumbs-button-label = Тасвирчаҳо
-pdfjs-current-outline-item-button =
- .title = Ёфтани унсури сохтори ҷорӣ
-pdfjs-current-outline-item-button-label = Унсури сохтори ҷорӣ
-pdfjs-findbar-button =
- .title = Ёфтан дар ҳуҷҷат
-pdfjs-findbar-button-label = Ёфтан
-pdfjs-additional-layers = Қабатҳои иловагӣ
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Саҳифаи { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Тасвирчаи саҳифаи { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Ёфтан
- .placeholder = Ёфтан дар ҳуҷҷат…
-pdfjs-find-previous-button =
- .title = Ҷустуҷӯи мавриди қаблии ибораи пешниҳодшуда
-pdfjs-find-previous-button-label = Қаблӣ
-pdfjs-find-next-button =
- .title = Ҷустуҷӯи мавриди навбатии ибораи пешниҳодшуда
-pdfjs-find-next-button-label = Навбатӣ
-pdfjs-find-highlight-checkbox = Ҳамаашро бо ранг ҷудо кардан
-pdfjs-find-match-case-checkbox-label = Бо дарназардошти ҳарфҳои хурду калон
-pdfjs-find-match-diacritics-checkbox-label = Бо дарназардошти аломатҳои диакритикӣ
-pdfjs-find-entire-word-checkbox-label = Калимаҳои пурра
-pdfjs-find-reached-top = Ба болои ҳуҷҷат расид, аз поён идома ёфт
-pdfjs-find-reached-bottom = Ба поёни ҳуҷҷат расид, аз боло идома ёфт
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } аз { $total } мувофиқат
- *[other] { $current } аз { $total } мувофиқат
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Зиёда аз { $limit } мувофиқат
- *[other] Зиёда аз { $limit } мувофиқат
- }
-pdfjs-find-not-found = Ибора ёфт нашуд
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Аз рӯи паҳнои саҳифа
-pdfjs-page-scale-fit = Аз рӯи андозаи саҳифа
-pdfjs-page-scale-auto = Андозаи худкор
-pdfjs-page-scale-actual = Андозаи воқеӣ
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Саҳифаи { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Ҳангоми боркунии «PDF» хато ба миён омад.
-pdfjs-invalid-file-error = Файли «PDF» нодуруст ё вайроншуда мебошад.
-pdfjs-missing-file-error = Файли «PDF» ғоиб аст.
-pdfjs-unexpected-response-error = Ҷавоби ногаҳон аз сервер.
-pdfjs-rendering-error = Ҳангоми шаклсозии саҳифа хато ба миён омад.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Ҳошиянависӣ - { $type }]
-
-## Password
-
-pdfjs-password-label = Барои кушодани ин файли «PDF» ниҳонвожаро ворид кунед.
-pdfjs-password-invalid = Ниҳонвожаи нодуруст. Лутфан, аз нав кӯшиш кунед.
-pdfjs-password-ok-button = ХУБ
-pdfjs-password-cancel-button = Бекор кардан
-pdfjs-web-fonts-disabled = Шрифтҳои интернетӣ ғайрифаъоланд: истифодаи шрифтҳои дарунсохти «PDF» ғайриимкон аст.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Матн
-pdfjs-editor-free-text-button-label = Матн
-pdfjs-editor-ink-button =
- .title = Расмкашӣ
-pdfjs-editor-ink-button-label = Расмкашӣ
-pdfjs-editor-stamp-button =
- .title = Илова ё таҳрир кардани тасвирҳо
-pdfjs-editor-stamp-button-label = Илова ё таҳрир кардани тасвирҳо
-pdfjs-editor-highlight-button =
- .title = Ҷудокунӣ
-pdfjs-editor-highlight-button-label = Ҷудокунӣ
-pdfjs-highlight-floating-button =
- .title = Ҷудокунӣ
-pdfjs-highlight-floating-button1 =
- .title = Ҷудокунӣ
- .aria-label = Ҷудокунӣ
-pdfjs-highlight-floating-button-label = Ҷудокунӣ
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Тоза кардани нақша
-pdfjs-editor-remove-freetext-button =
- .title = Тоза кардани матн
-pdfjs-editor-remove-stamp-button =
- .title = Тоза кардани тасвир
-pdfjs-editor-remove-highlight-button =
- .title = Тоза кардани ҷудокунӣ
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Ранг
-pdfjs-editor-free-text-size-input = Андоза
-pdfjs-editor-ink-color-input = Ранг
-pdfjs-editor-ink-thickness-input = Ғафсӣ
-pdfjs-editor-ink-opacity-input = Шаффофӣ
-pdfjs-editor-stamp-add-image-button =
- .title = Илова кардани тасвир
-pdfjs-editor-stamp-add-image-button-label = Илова кардани тасвир
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Ғафсӣ
-pdfjs-editor-free-highlight-thickness-title =
- .title = Иваз кардани ғафсӣ ҳангоми ҷудокунии унсурҳо ба ғайр аз матн
-pdfjs-free-text =
- .aria-label = Муҳаррири матн
-pdfjs-free-text-default-content = Нависед…
-pdfjs-ink =
- .aria-label = Муҳаррири расмкашӣ
-pdfjs-ink-canvas =
- .aria-label = Тасвири эҷодкардаи корбар
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Матни ивазкунанда
-pdfjs-editor-alt-text-edit-button-label = Таҳрир кардани матни ивазкунанда
-pdfjs-editor-alt-text-dialog-label = Имконеро интихоб намоед
-pdfjs-editor-alt-text-dialog-description = Вақте ки одамон тасвирро дида наметавонанд ё вақте ки тасвир бор карда намешавад, матни иловагӣ (Alt text) кумак мерасонад.
-pdfjs-editor-alt-text-add-description-label = Илова кардани тавсиф
-pdfjs-editor-alt-text-add-description-description = Кӯшиш кунед, ки 1-2 ҷумлаеро нависед, ки ба мавзӯъ, танзим ё амалҳо тавзеҳ медиҳад.
-pdfjs-editor-alt-text-mark-decorative-label = Гузоштан ҳамчун матни ороишӣ
-pdfjs-editor-alt-text-mark-decorative-description = Ин барои тасвирҳои ороишӣ, ба монанди марзҳо ё аломатҳои обӣ, истифода мешавад.
-pdfjs-editor-alt-text-cancel-button = Бекор кардан
-pdfjs-editor-alt-text-save-button = Нигоҳ доштан
-pdfjs-editor-alt-text-decorative-tooltip = Ҳамчун матни ороишӣ гузошта шуд
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Барои мисол, «Ман забони тоҷикиро дӯст медорам»
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Кунҷи чапи боло — тағйир додани андоза
-pdfjs-editor-resizer-label-top-middle = Канори миёнаи боло — тағйир додани андоза
-pdfjs-editor-resizer-label-top-right = Кунҷи рости боло — тағйир додани андоза
-pdfjs-editor-resizer-label-middle-right = Канори миёнаи рост — тағйир додани андоза
-pdfjs-editor-resizer-label-bottom-right = Кунҷи рости поён — тағйир додани андоза
-pdfjs-editor-resizer-label-bottom-middle = Канори миёнаи поён — тағйир додани андоза
-pdfjs-editor-resizer-label-bottom-left = Кунҷи чапи поён — тағйир додани андоза
-pdfjs-editor-resizer-label-middle-left = Канори миёнаи чап — тағйир додани андоза
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Ранги ҷудокунӣ
-pdfjs-editor-colorpicker-button =
- .title = Иваз кардани ранг
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Интихоби ранг
-pdfjs-editor-colorpicker-yellow =
- .title = Зард
-pdfjs-editor-colorpicker-green =
- .title = Сабз
-pdfjs-editor-colorpicker-blue =
- .title = Кабуд
-pdfjs-editor-colorpicker-pink =
- .title = Гулобӣ
-pdfjs-editor-colorpicker-red =
- .title = Сурх
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Ҳамаро намоиш додан
-pdfjs-editor-highlight-show-all-button =
- .title = Ҳамаро намоиш додан
diff --git a/static/pdf.js/locale/th/viewer.ftl b/static/pdf.js/locale/th/viewer.ftl
deleted file mode 100644
index 283b440c..00000000
--- a/static/pdf.js/locale/th/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = หน้าก่อนหน้า
-pdfjs-previous-button-label = ก่อนหน้า
-pdfjs-next-button =
- .title = หน้าถัดไป
-pdfjs-next-button-label = ถัดไป
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = หน้า
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = จาก { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } จาก { $pagesCount })
-pdfjs-zoom-out-button =
- .title = ซูมออก
-pdfjs-zoom-out-button-label = ซูมออก
-pdfjs-zoom-in-button =
- .title = ซูมเข้า
-pdfjs-zoom-in-button-label = ซูมเข้า
-pdfjs-zoom-select =
- .title = ซูม
-pdfjs-presentation-mode-button =
- .title = สลับเป็นโหมดการนำเสนอ
-pdfjs-presentation-mode-button-label = โหมดการนำเสนอ
-pdfjs-open-file-button =
- .title = เปิดไฟล์
-pdfjs-open-file-button-label = เปิด
-pdfjs-print-button =
- .title = พิมพ์
-pdfjs-print-button-label = พิมพ์
-pdfjs-save-button =
- .title = บันทึก
-pdfjs-save-button-label = บันทึก
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = ดาวน์โหลด
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = ดาวน์โหลด
-pdfjs-bookmark-button =
- .title = หน้าปัจจุบัน (ดู URL จากหน้าปัจจุบัน)
-pdfjs-bookmark-button-label = หน้าปัจจุบัน
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = เปิดในแอป
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = เปิดในแอป
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = เครื่องมือ
-pdfjs-tools-button-label = เครื่องมือ
-pdfjs-first-page-button =
- .title = ไปยังหน้าแรก
-pdfjs-first-page-button-label = ไปยังหน้าแรก
-pdfjs-last-page-button =
- .title = ไปยังหน้าสุดท้าย
-pdfjs-last-page-button-label = ไปยังหน้าสุดท้าย
-pdfjs-page-rotate-cw-button =
- .title = หมุนตามเข็มนาฬิกา
-pdfjs-page-rotate-cw-button-label = หมุนตามเข็มนาฬิกา
-pdfjs-page-rotate-ccw-button =
- .title = หมุนทวนเข็มนาฬิกา
-pdfjs-page-rotate-ccw-button-label = หมุนทวนเข็มนาฬิกา
-pdfjs-cursor-text-select-tool-button =
- .title = เปิดใช้งานเครื่องมือการเลือกข้อความ
-pdfjs-cursor-text-select-tool-button-label = เครื่องมือการเลือกข้อความ
-pdfjs-cursor-hand-tool-button =
- .title = เปิดใช้งานเครื่องมือมือ
-pdfjs-cursor-hand-tool-button-label = เครื่องมือมือ
-pdfjs-scroll-page-button =
- .title = ใช้การเลื่อนหน้า
-pdfjs-scroll-page-button-label = การเลื่อนหน้า
-pdfjs-scroll-vertical-button =
- .title = ใช้การเลื่อนแนวตั้ง
-pdfjs-scroll-vertical-button-label = การเลื่อนแนวตั้ง
-pdfjs-scroll-horizontal-button =
- .title = ใช้การเลื่อนแนวนอน
-pdfjs-scroll-horizontal-button-label = การเลื่อนแนวนอน
-pdfjs-scroll-wrapped-button =
- .title = ใช้การเลื่อนแบบคลุม
-pdfjs-scroll-wrapped-button-label = เลื่อนแบบคลุม
-pdfjs-spread-none-button =
- .title = ไม่ต้องรวมการกระจายหน้า
-pdfjs-spread-none-button-label = ไม่กระจาย
-pdfjs-spread-odd-button =
- .title = รวมการกระจายหน้าเริ่มจากหน้าคี่
-pdfjs-spread-odd-button-label = กระจายอย่างเหลือเศษ
-pdfjs-spread-even-button =
- .title = รวมการกระจายหน้าเริ่มจากหน้าคู่
-pdfjs-spread-even-button-label = กระจายอย่างเท่าเทียม
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = คุณสมบัติเอกสาร…
-pdfjs-document-properties-button-label = คุณสมบัติเอกสาร…
-pdfjs-document-properties-file-name = ชื่อไฟล์:
-pdfjs-document-properties-file-size = ขนาดไฟล์:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } ไบต์)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } ไบต์)
-pdfjs-document-properties-title = ชื่อเรื่อง:
-pdfjs-document-properties-author = ผู้สร้าง:
-pdfjs-document-properties-subject = ชื่อเรื่อง:
-pdfjs-document-properties-keywords = คำสำคัญ:
-pdfjs-document-properties-creation-date = วันที่สร้าง:
-pdfjs-document-properties-modification-date = วันที่แก้ไข:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = ผู้สร้าง:
-pdfjs-document-properties-producer = ผู้ผลิต PDF:
-pdfjs-document-properties-version = รุ่น PDF:
-pdfjs-document-properties-page-count = จำนวนหน้า:
-pdfjs-document-properties-page-size = ขนาดหน้า:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = แนวตั้ง
-pdfjs-document-properties-page-size-orientation-landscape = แนวนอน
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = จดหมาย
-pdfjs-document-properties-page-size-name-legal = ข้อกฎหมาย
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = มุมมองเว็บแบบรวดเร็ว:
-pdfjs-document-properties-linearized-yes = ใช่
-pdfjs-document-properties-linearized-no = ไม่
-pdfjs-document-properties-close-button = ปิด
-
-## Print
-
-pdfjs-print-progress-message = กำลังเตรียมเอกสารสำหรับการพิมพ์…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = ยกเลิก
-pdfjs-printing-not-supported = คำเตือน: เบราว์เซอร์นี้ไม่ได้สนับสนุนการพิมพ์อย่างเต็มที่
-pdfjs-printing-not-ready = คำเตือน: PDF ไม่ได้รับการโหลดอย่างเต็มที่สำหรับการพิมพ์
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = เปิด/ปิดแถบข้าง
-pdfjs-toggle-sidebar-notification-button =
- .title = เปิด/ปิดแถบข้าง (เอกสารมีเค้าร่าง/ไฟล์แนบ/เลเยอร์)
-pdfjs-toggle-sidebar-button-label = เปิด/ปิดแถบข้าง
-pdfjs-document-outline-button =
- .title = แสดงเค้าร่างเอกสาร (คลิกสองครั้งเพื่อขยาย/ยุบรายการทั้งหมด)
-pdfjs-document-outline-button-label = เค้าร่างเอกสาร
-pdfjs-attachments-button =
- .title = แสดงไฟล์แนบ
-pdfjs-attachments-button-label = ไฟล์แนบ
-pdfjs-layers-button =
- .title = แสดงเลเยอร์ (คลิกสองครั้งเพื่อรีเซ็ตเลเยอร์ทั้งหมดเป็นสถานะเริ่มต้น)
-pdfjs-layers-button-label = เลเยอร์
-pdfjs-thumbs-button =
- .title = แสดงภาพขนาดย่อ
-pdfjs-thumbs-button-label = ภาพขนาดย่อ
-pdfjs-current-outline-item-button =
- .title = ค้นหารายการเค้าร่างปัจจุบัน
-pdfjs-current-outline-item-button-label = รายการเค้าร่างปัจจุบัน
-pdfjs-findbar-button =
- .title = ค้นหาในเอกสาร
-pdfjs-findbar-button-label = ค้นหา
-pdfjs-additional-layers = เลเยอร์เพิ่มเติม
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = หน้า { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = ภาพขนาดย่อของหน้า { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ค้นหา
- .placeholder = ค้นหาในเอกสาร…
-pdfjs-find-previous-button =
- .title = หาตำแหน่งก่อนหน้าของวลี
-pdfjs-find-previous-button-label = ก่อนหน้า
-pdfjs-find-next-button =
- .title = หาตำแหน่งถัดไปของวลี
-pdfjs-find-next-button-label = ถัดไป
-pdfjs-find-highlight-checkbox = เน้นสีทั้งหมด
-pdfjs-find-match-case-checkbox-label = ตัวพิมพ์ใหญ่เล็กตรงกัน
-pdfjs-find-match-diacritics-checkbox-label = เครื่องหมายกำกับการออกเสียงตรงกัน
-pdfjs-find-entire-word-checkbox-label = ทั้งคำ
-pdfjs-find-reached-top = ค้นหาถึงจุดเริ่มต้นของหน้า เริ่มค้นต่อจากด้านล่าง
-pdfjs-find-reached-bottom = ค้นหาถึงจุดสิ้นสุดหน้า เริ่มค้นต่อจากด้านบน
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = { $current } จาก { $total } รายการที่ตรงกัน
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit = มากกว่า { $limit } รายการที่ตรงกัน
-pdfjs-find-not-found = ไม่พบวลี
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = ความกว้างหน้า
-pdfjs-page-scale-fit = พอดีหน้า
-pdfjs-page-scale-auto = ซูมอัตโนมัติ
-pdfjs-page-scale-actual = ขนาดจริง
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = หน้า { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = เกิดข้อผิดพลาดขณะโหลด PDF
-pdfjs-invalid-file-error = ไฟล์ PDF ไม่ถูกต้องหรือเสียหาย
-pdfjs-missing-file-error = ไฟล์ PDF หายไป
-pdfjs-unexpected-response-error = การตอบสนองของเซิร์ฟเวอร์ที่ไม่คาดคิด
-pdfjs-rendering-error = เกิดข้อผิดพลาดขณะเรนเดอร์หน้า
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [คำอธิบายประกอบ { $type }]
-
-## Password
-
-pdfjs-password-label = ป้อนรหัสผ่านเพื่อเปิดไฟล์ PDF นี้
-pdfjs-password-invalid = รหัสผ่านไม่ถูกต้อง โปรดลองอีกครั้ง
-pdfjs-password-ok-button = ตกลง
-pdfjs-password-cancel-button = ยกเลิก
-pdfjs-web-fonts-disabled = แบบอักษรเว็บถูกปิดใช้งาน: ไม่สามารถใช้แบบอักษร PDF ฝังตัว
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = ข้อความ
-pdfjs-editor-free-text-button-label = ข้อความ
-pdfjs-editor-ink-button =
- .title = รูปวาด
-pdfjs-editor-ink-button-label = รูปวาด
-pdfjs-editor-stamp-button =
- .title = เพิ่มหรือแก้ไขภาพ
-pdfjs-editor-stamp-button-label = เพิ่มหรือแก้ไขภาพ
-pdfjs-editor-highlight-button =
- .title = เน้น
-pdfjs-editor-highlight-button-label = เน้น
-pdfjs-highlight-floating-button =
- .title = เน้นสี
-pdfjs-highlight-floating-button1 =
- .title = เน้นสี
- .aria-label = เน้นสี
-pdfjs-highlight-floating-button-label = เน้นสี
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = เอาภาพวาดออก
-pdfjs-editor-remove-freetext-button =
- .title = เอาข้อความออก
-pdfjs-editor-remove-stamp-button =
- .title = เอาภาพออก
-pdfjs-editor-remove-highlight-button =
- .title = เอาการเน้นสีออก
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = สี
-pdfjs-editor-free-text-size-input = ขนาด
-pdfjs-editor-ink-color-input = สี
-pdfjs-editor-ink-thickness-input = ความหนา
-pdfjs-editor-ink-opacity-input = ความทึบ
-pdfjs-editor-stamp-add-image-button =
- .title = เพิ่มภาพ
-pdfjs-editor-stamp-add-image-button-label = เพิ่มภาพ
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = ความหนา
-pdfjs-editor-free-highlight-thickness-title =
- .title = เปลี่ยนความหนาเมื่อเน้นรายการอื่นๆ ที่ไม่ใช่ข้อความ
-pdfjs-free-text =
- .aria-label = ตัวแก้ไขข้อความ
-pdfjs-free-text-default-content = เริ่มพิมพ์…
-pdfjs-ink =
- .aria-label = ตัวแก้ไขรูปวาด
-pdfjs-ink-canvas =
- .aria-label = ภาพที่ผู้ใช้สร้างขึ้น
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = ข้อความทดแทน
-pdfjs-editor-alt-text-edit-button-label = แก้ไขข้อความทดแทน
-pdfjs-editor-alt-text-dialog-label = เลือกตัวเลือก
-pdfjs-editor-alt-text-dialog-description = ข้อความทดแทนสามารถช่วยเหลือได้เมื่อผู้ใช้มองไม่เห็นภาพ หรือภาพไม่โหลด
-pdfjs-editor-alt-text-add-description-label = เพิ่มคำอธิบาย
-pdfjs-editor-alt-text-add-description-description = แนะนำให้ใช้ 1-2 ประโยคซึ่งอธิบายหัวเรื่อง ฉาก หรือการกระทำ
-pdfjs-editor-alt-text-mark-decorative-label = ทำเครื่องหมายเป็นสิ่งตกแต่ง
-pdfjs-editor-alt-text-mark-decorative-description = สิ่งนี้ใช้สำหรับภาพที่เป็นสิ่งประดับ เช่น ขอบ หรือลายน้ำ
-pdfjs-editor-alt-text-cancel-button = ยกเลิก
-pdfjs-editor-alt-text-save-button = บันทึก
-pdfjs-editor-alt-text-decorative-tooltip = ทำเครื่องหมายเป็นสิ่งตกแต่งแล้ว
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = ตัวอย่างเช่น “ชายหนุ่มคนหนึ่งนั่งลงที่โต๊ะเพื่อรับประทานอาหารมื้อหนึ่ง”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = มุมซ้ายบน — ปรับขนาด
-pdfjs-editor-resizer-label-top-middle = ตรงกลางด้านบน — ปรับขนาด
-pdfjs-editor-resizer-label-top-right = มุมขวาบน — ปรับขนาด
-pdfjs-editor-resizer-label-middle-right = ตรงกลางด้านขวา — ปรับขนาด
-pdfjs-editor-resizer-label-bottom-right = มุมขวาล่าง — ปรับขนาด
-pdfjs-editor-resizer-label-bottom-middle = ตรงกลางด้านล่าง — ปรับขนาด
-pdfjs-editor-resizer-label-bottom-left = มุมซ้ายล่าง — ปรับขนาด
-pdfjs-editor-resizer-label-middle-left = ตรงกลางด้านซ้าย — ปรับขนาด
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = สีเน้น
-pdfjs-editor-colorpicker-button =
- .title = เปลี่ยนสี
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = ทางเลือกสี
-pdfjs-editor-colorpicker-yellow =
- .title = เหลือง
-pdfjs-editor-colorpicker-green =
- .title = เขียว
-pdfjs-editor-colorpicker-blue =
- .title = น้ำเงิน
-pdfjs-editor-colorpicker-pink =
- .title = ชมพู
-pdfjs-editor-colorpicker-red =
- .title = แดง
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = แสดงทั้งหมด
-pdfjs-editor-highlight-show-all-button =
- .title = แสดงทั้งหมด
diff --git a/static/pdf.js/locale/th/viewer.properties b/static/pdf.js/locale/th/viewer.properties
new file mode 100644
index 00000000..151e6b86
--- /dev/null
+++ b/static/pdf.js/locale/th/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=หน้าก่อนหน้า
+previous_label=ก่อนหน้า
+next.title=หน้าถัดไป
+next_label=ถัดไป
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=หน้า:
+page_of=จาก {{pageCount}}
+
+zoom_out.title=ย่อ
+zoom_out_label=ย่อ Out
+zoom_in.title=ขยาย
+zoom_in_label=ขยาย
+zoom.title=ย่อ-ขยาย
+presentation_mode.title=สลับเข้าสู่รูปแบบการนำเสนอ
+presentation_mode_label=รูปแบบการนำเสนอ
+open_file.title=เปิดแฟ้ม
+open_file_label=เปิด
+print.title=พิมพ์
+print_label=พิมพ์
+download.title=ดาวน์โหลด
+download_label=ดาวน์โหลด
+bookmark.title=มุมมองปัจจุบัน (คัดลอกหรือเปิดในหน้าต่างใหม่)
+bookmark_label=มุมมองปัจจุบัน
+
+# Secondary toolbar and context menu
+tools.title=เครื่องมือ
+tools_label=เครื่องมือ
+first_page.title=ไปยังหน้าแรก
+first_page.label=ไปยังหน้าแรก
+first_page_label=ไปยังหน้าแรก
+last_page.title=ไปยังหน้าสุดท้าย
+last_page.label=ไปยังหน้าสุดท้าย
+last_page_label=ไปยังหน้าสุดท้าย
+page_rotate_cw.title=หมุนตามเข็มนาฬิกา
+page_rotate_cw.label=หมุนตามเข็มนาฬิกา
+page_rotate_cw_label=หมุนตามเข็มนาฬิกา
+page_rotate_ccw.title=หมุนทวนเข็มนาฬิกา
+page_rotate_ccw.label=หมุนทวนเข็มนาฬิกา
+page_rotate_ccw_label=หมุนทวนเข็มนาฬิกา
+
+hand_tool_enable.title=เปิดใช้งานเครื่องมือรูปมือ
+hand_tool_enable_label=เปิดใช้งานเครื่องมือรูปมือ
+hand_tool_disable.title=ปิดใช้งานเครื่องมือรูปมือ
+hand_tool_disable_label=ปิดใช้งานเครื่องมือรูปมือ
+
+# Document properties dialog box
+document_properties.title=คุณสมบัติเอกสาร…
+document_properties_label=คุณสมบัติเอกสาร…
+document_properties_file_name=ชื่อแฟ้ม :
+document_properties_file_size=ขนาดแฟ้ม :
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} กิโลไบต์ ({{size_b}} ไบต์)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} เมกะไบต์ ({{size_b}} ไบต์)
+document_properties_title=หัวเรื่อง :
+document_properties_author=ผู้แต่ง :
+document_properties_subject=หัวข้อ :
+document_properties_keywords=คำสำคัญ :
+document_properties_creation_date=วันที่สร้าง :
+document_properties_modification_date=วันที่แก้ไข :
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=สร้างโดย :
+document_properties_producer=ผู้ผลิต PDF :
+document_properties_version=รุ่น PDF :
+document_properties_page_count=จำนวนหน้า :
+document_properties_close=ปิด
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=สลับแถบข้าง
+toggle_sidebar_label=สลับแถบข้าง
+outline.title=แสดงโครงเอกสาร
+outline_label=โครงเอกสาร
+attachments.title=แสดงสิ่งที่แนบมา
+attachments_label=สิ่งที่แนบมา
+thumbs.title=แสดงภาพขนาดย่อ
+thumbs_label=ภาพขนาดย่อ
+findbar.title=ค้นหาในเอกสาร
+findbar_label=ค้นหา
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=หน้า {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=ภาพขนาดย่อของหน้า {{page}}
+
+# Find panel button title and messages
+find_label=ค้นหา:
+find_previous.title=หาตำแหน่งก่อนหน้าของคำค้น
+find_previous_label=ก่อนหน้า
+find_next.title=หาตำแหน่งถัดไปของคำค้น
+find_next_label=ถัดไป
+find_highlight=เน้นสีทั้งหมด
+find_match_case_label=ตัวพิมพ์ตรงกัน
+find_reached_top=ค้นหาถึงจุดเริ่มต้นของหน้า เริ่มค้นต่อจากด้านล่าง
+find_reached_bottom=ค้นหาถึงจุดสิ้นสุดหน้า เริ่มค้นต่อจากด้านบน
+find_not_found=ไม่พบวลีที่ต้องการ
+
+# Error panel labels
+error_more_info=ข้อมูลเพิ่มเติม
+error_less_info=ข้อมูลน้อย
+error_close=ปิด
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=ข้อความ: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=สแต็ก: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=แฟ้ม: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=บรรทัด: {{line}}
+rendering_error=เกิดข้อผิดพลาดขณะกำลังคำนวณการแสดงผลของหน้า
+
+# Predefined zoom values
+page_scale_width=ความกว้างหน้า
+page_scale_fit=พอดีหน้า
+page_scale_auto=ย่อ-ขยายอัตโนมัติ
+page_scale_actual=ขนาดเท่าจริง
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=ข้อผิดพลาด
+loading_error=เกิดข้อผิดพลาดขณะกำลังโหลด PDF
+invalid_file_error=แฟ้ม PDF ไม่ถูกต้องหรือไม่สมบูรณ์
+missing_file_error=แฟ้ม PDF หาย
+unexpected_response_error=การตอบสนองเซิร์ฟเวอร์ที่ไม่คาดหวัง
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[คำอธิบายประกอบ {{type}}]
+password_label=ใส่รหัสผ่านเพื่อเปิดไฟล์ PDF นี้
+password_invalid=รหัสผ่านไม่ถูกต้อง โปรดลองอีกครั้ง
+password_ok=ตกลง
+password_cancel=ยกเลิก
+
+printing_not_supported=คำเตือน: เบราว์เซอร์นี้ไม่ได้สนับสนุนการพิมพ์อย่างเต็มที่
+printing_not_ready=คำเตือน: PDF ไม่ได้รับการโหลดอย่างเต็มที่สำหรับการพิมพ์
+web_fonts_disabled=แบบอักษรเว็บถูกปิดการใช้งาน: ไม่สามารถใช้แบบอักษรฝังตัวใน PDF
+document_colors_not_allowed=เอกสาร PDF ไม่ได้รับอนุญาตให้ใช้สีของตัวเอง: 'อนุญาตให้หน้าเอกสารสามารถเลือกสีของตัวเอง' ถูกปิดใช้งานในเบราว์เซอร์
diff --git a/static/pdf.js/locale/tl/viewer.ftl b/static/pdf.js/locale/tl/viewer.ftl
deleted file mode 100644
index faa0009b..00000000
--- a/static/pdf.js/locale/tl/viewer.ftl
+++ /dev/null
@@ -1,257 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Naunang Pahina
-pdfjs-previous-button-label = Nakaraan
-pdfjs-next-button =
- .title = Sunod na Pahina
-pdfjs-next-button-label = Sunod
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Pahina
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = ng { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } ng { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Paliitin
-pdfjs-zoom-out-button-label = Paliitin
-pdfjs-zoom-in-button =
- .title = Palakihin
-pdfjs-zoom-in-button-label = Palakihin
-pdfjs-zoom-select =
- .title = Mag-zoom
-pdfjs-presentation-mode-button =
- .title = Lumipat sa Presentation Mode
-pdfjs-presentation-mode-button-label = Presentation Mode
-pdfjs-open-file-button =
- .title = Magbukas ng file
-pdfjs-open-file-button-label = Buksan
-pdfjs-print-button =
- .title = i-Print
-pdfjs-print-button-label = i-Print
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Mga Kagamitan
-pdfjs-tools-button-label = Mga Kagamitan
-pdfjs-first-page-button =
- .title = Pumunta sa Unang Pahina
-pdfjs-first-page-button-label = Pumunta sa Unang Pahina
-pdfjs-last-page-button =
- .title = Pumunta sa Huling Pahina
-pdfjs-last-page-button-label = Pumunta sa Huling Pahina
-pdfjs-page-rotate-cw-button =
- .title = Paikutin Pakanan
-pdfjs-page-rotate-cw-button-label = Paikutin Pakanan
-pdfjs-page-rotate-ccw-button =
- .title = Paikutin Pakaliwa
-pdfjs-page-rotate-ccw-button-label = Paikutin Pakaliwa
-pdfjs-cursor-text-select-tool-button =
- .title = I-enable ang Text Selection Tool
-pdfjs-cursor-text-select-tool-button-label = Text Selection Tool
-pdfjs-cursor-hand-tool-button =
- .title = I-enable ang Hand Tool
-pdfjs-cursor-hand-tool-button-label = Hand Tool
-pdfjs-scroll-vertical-button =
- .title = Gumamit ng Vertical Scrolling
-pdfjs-scroll-vertical-button-label = Vertical Scrolling
-pdfjs-scroll-horizontal-button =
- .title = Gumamit ng Horizontal Scrolling
-pdfjs-scroll-horizontal-button-label = Horizontal Scrolling
-pdfjs-scroll-wrapped-button =
- .title = Gumamit ng Wrapped Scrolling
-pdfjs-scroll-wrapped-button-label = Wrapped Scrolling
-pdfjs-spread-none-button =
- .title = Huwag pagsamahin ang mga page spread
-pdfjs-spread-none-button-label = No Spreads
-pdfjs-spread-odd-button =
- .title = Join page spreads starting with odd-numbered pages
-pdfjs-spread-odd-button-label = Mga Odd Spread
-pdfjs-spread-even-button =
- .title = Pagsamahin ang mga page spread na nagsisimula sa mga even-numbered na pahina
-pdfjs-spread-even-button-label = Mga Even Spread
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Mga Katangian ng Dokumento…
-pdfjs-document-properties-button-label = Mga Katangian ng Dokumento…
-pdfjs-document-properties-file-name = File name:
-pdfjs-document-properties-file-size = File size:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Pamagat:
-pdfjs-document-properties-author = May-akda:
-pdfjs-document-properties-subject = Paksa:
-pdfjs-document-properties-keywords = Mga keyword:
-pdfjs-document-properties-creation-date = Petsa ng Pagkakagawa:
-pdfjs-document-properties-modification-date = Petsa ng Pagkakabago:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Tagalikha:
-pdfjs-document-properties-producer = PDF Producer:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Bilang ng Pahina:
-pdfjs-document-properties-page-size = Laki ng Pahina:
-pdfjs-document-properties-page-size-unit-inches = pulgada
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = patayo
-pdfjs-document-properties-page-size-orientation-landscape = pahiga
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Fast Web View:
-pdfjs-document-properties-linearized-yes = Oo
-pdfjs-document-properties-linearized-no = Hindi
-pdfjs-document-properties-close-button = Isara
-
-## Print
-
-pdfjs-print-progress-message = Inihahanda ang dokumento para sa pag-print…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Kanselahin
-pdfjs-printing-not-supported = Babala: Hindi pa ganap na suportado ang pag-print sa browser na ito.
-pdfjs-printing-not-ready = Babala: Hindi ganap na nabuksan ang PDF para sa pag-print.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Ipakita/Itago ang Sidebar
-pdfjs-toggle-sidebar-notification-button =
- .title = Ipakita/Itago ang Sidebar (nagtataglay ang dokumento ng balangkas/mga attachment/mga layer)
-pdfjs-toggle-sidebar-button-label = Ipakita/Itago ang Sidebar
-pdfjs-document-outline-button =
- .title = Ipakita ang Document Outline (mag-double-click para i-expand/collapse ang laman)
-pdfjs-document-outline-button-label = Balangkas ng Dokumento
-pdfjs-attachments-button =
- .title = Ipakita ang mga Attachment
-pdfjs-attachments-button-label = Mga attachment
-pdfjs-layers-button =
- .title = Ipakita ang mga Layer (mag-double click para mareset ang lahat ng layer sa orihinal na estado)
-pdfjs-layers-button-label = Mga layer
-pdfjs-thumbs-button =
- .title = Ipakita ang mga Thumbnail
-pdfjs-thumbs-button-label = Mga thumbnail
-pdfjs-findbar-button =
- .title = Hanapin sa Dokumento
-pdfjs-findbar-button-label = Hanapin
-pdfjs-additional-layers = Mga Karagdagang Layer
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Pahina { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Thumbnail ng Pahina { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Hanapin
- .placeholder = Hanapin sa dokumento…
-pdfjs-find-previous-button =
- .title = Hanapin ang nakaraang pangyayari ng parirala
-pdfjs-find-previous-button-label = Nakaraan
-pdfjs-find-next-button =
- .title = Hanapin ang susunod na pangyayari ng parirala
-pdfjs-find-next-button-label = Susunod
-pdfjs-find-highlight-checkbox = I-highlight lahat
-pdfjs-find-match-case-checkbox-label = Itugma ang case
-pdfjs-find-entire-word-checkbox-label = Buong salita
-pdfjs-find-reached-top = Naabot na ang tuktok ng dokumento, ipinagpatuloy mula sa ilalim
-pdfjs-find-reached-bottom = Naabot na ang dulo ng dokumento, ipinagpatuloy mula sa tuktok
-pdfjs-find-not-found = Hindi natagpuan ang parirala
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Lapad ng Pahina
-pdfjs-page-scale-fit = Pagkasyahin ang Pahina
-pdfjs-page-scale-auto = Automatic Zoom
-pdfjs-page-scale-actual = Totoong sukat
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Nagkaproblema habang niloload ang PDF.
-pdfjs-invalid-file-error = Di-wasto o sira ang PDF file.
-pdfjs-missing-file-error = Nawawalang PDF file.
-pdfjs-unexpected-response-error = Hindi inaasahang tugon ng server.
-pdfjs-rendering-error = Nagkaproblema habang nirerender ang pahina.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = Ipasok ang password upang buksan ang PDF file na ito.
-pdfjs-password-invalid = Maling password. Subukan uli.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Kanselahin
-pdfjs-web-fonts-disabled = Naka-disable ang mga Web font: hindi kayang gamitin ang mga naka-embed na PDF font.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/tl/viewer.properties b/static/pdf.js/locale/tl/viewer.properties
new file mode 100644
index 00000000..e83cc87a
--- /dev/null
+++ b/static/pdf.js/locale/tl/viewer.properties
@@ -0,0 +1,94 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Naunang Pahina
+next.title=Sunod na Pahina
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Pahina:
+page_of=ng {{pageCount}}
+
+open_file.title=Magbukas ng file
+open_file_label=Buksan
+bookmark.title=Kasalukuyang tingin (kopyahin o buksan sa bagong window)
+bookmark_label=Kasalukuyang tingin
+
+# Secondary toolbar and context menu
+tools.title=Mga Tool
+tools_label=Mga Tool
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Pamagat:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+outline.title=Ipakita ang banghay ng dokumento
+outline_label=Banghay ng dokumento
+thumbs.title=Ipakita ang mga Thumbnails
+findbar_label=Hanapin
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Pahina {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Thumbnail ng Pahina {{page}}
+
+# Find panel button title and messages
+find_highlight=I-highlight lahat
+
+# Error panel labels
+error_more_info=Maraming Inpormasyon
+error_less_info=Maikling Inpormasyon
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Mensahe: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Linya: {{line}}
+rendering_error=May naganap na pagkakamali habang pagsasalin sa pahina.
+
+# Predefined zoom values
+page_scale_width=Haba ng Pahina
+page_scale_fit=ang pahina ay angkop
+page_scale_auto=awtomatikong pag-imbulog
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error=May maling nangyari habang kinakarga ang PDF.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+password_ok=OK
+
diff --git a/static/pdf.js/locale/tn/viewer.properties b/static/pdf.js/locale/tn/viewer.properties
new file mode 100644
index 00000000..3c9b5031
--- /dev/null
+++ b/static/pdf.js/locale/tn/viewer.properties
@@ -0,0 +1,83 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Tsebe:
+
+zoom.title=Zuma/gogela
+open_file.title=Bula Faele
+open_file_label=Bula
+
+# Secondary toolbar and context menu
+
+hand_tool_disable.title=Thibela go dira ga sediriswa sa seatla
+hand_tool_disable_label=Thibela go dira ga sediriswa sa seatla
+
+# Document properties dialog box
+document_properties_file_name=Leina la faele:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Leina:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+findbar_label=Batla
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+
+# Find panel button title and messages
+find_previous.title=Batla tiragalo e e fetileng ya setlhopha sa mafoko
+find_next.title=Batla tiragalo e e latelang ya setlhopha sa mafoko
+find_not_found=Setlhopha sa mafoko ga se a bonwa
+
+# Error panel labels
+error_more_info=Tshedimosetso e Nngwe
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+
+# Predefined zoom values
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Phoso
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+password_ok=Siame
+password_cancel=Khansela
+
+web_fonts_disabled=Mefutatlhaka ya Webo ga e dire: ga e kgone go dirisa mofutatlhaka wa PDF o tsentsweng.
diff --git a/static/pdf.js/locale/tr/viewer.ftl b/static/pdf.js/locale/tr/viewer.ftl
deleted file mode 100644
index 198022eb..00000000
--- a/static/pdf.js/locale/tr/viewer.ftl
+++ /dev/null
@@ -1,396 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Önceki sayfa
-pdfjs-previous-button-label = Önceki
-pdfjs-next-button =
- .title = Sonraki sayfa
-pdfjs-next-button-label = Sonraki
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Sayfa
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Uzaklaştır
-pdfjs-zoom-out-button-label = Uzaklaştır
-pdfjs-zoom-in-button =
- .title = Yakınlaştır
-pdfjs-zoom-in-button-label = Yakınlaştır
-pdfjs-zoom-select =
- .title = Yakınlaştırma
-pdfjs-presentation-mode-button =
- .title = Sunum moduna geç
-pdfjs-presentation-mode-button-label = Sunum modu
-pdfjs-open-file-button =
- .title = Dosya aç
-pdfjs-open-file-button-label = Aç
-pdfjs-print-button =
- .title = Yazdır
-pdfjs-print-button-label = Yazdır
-pdfjs-save-button =
- .title = Kaydet
-pdfjs-save-button-label = Kaydet
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = İndir
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = İndir
-pdfjs-bookmark-button =
- .title = Geçerli sayfa (geçerli sayfanın adresini görüntüle)
-pdfjs-bookmark-button-label = Geçerli sayfa
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Araçlar
-pdfjs-tools-button-label = Araçlar
-pdfjs-first-page-button =
- .title = İlk sayfaya git
-pdfjs-first-page-button-label = İlk sayfaya git
-pdfjs-last-page-button =
- .title = Son sayfaya git
-pdfjs-last-page-button-label = Son sayfaya git
-pdfjs-page-rotate-cw-button =
- .title = Saat yönünde döndür
-pdfjs-page-rotate-cw-button-label = Saat yönünde döndür
-pdfjs-page-rotate-ccw-button =
- .title = Saat yönünün tersine döndür
-pdfjs-page-rotate-ccw-button-label = Saat yönünün tersine döndür
-pdfjs-cursor-text-select-tool-button =
- .title = Metin seçme aracını etkinleştir
-pdfjs-cursor-text-select-tool-button-label = Metin seçme aracı
-pdfjs-cursor-hand-tool-button =
- .title = El aracını etkinleştir
-pdfjs-cursor-hand-tool-button-label = El aracı
-pdfjs-scroll-page-button =
- .title = Sayfa kaydırmayı kullan
-pdfjs-scroll-page-button-label = Sayfa kaydırma
-pdfjs-scroll-vertical-button =
- .title = Dikey kaydırmayı kullan
-pdfjs-scroll-vertical-button-label = Dikey kaydırma
-pdfjs-scroll-horizontal-button =
- .title = Yatay kaydırmayı kullan
-pdfjs-scroll-horizontal-button-label = Yatay kaydırma
-pdfjs-scroll-wrapped-button =
- .title = Yan yana kaydırmayı kullan
-pdfjs-scroll-wrapped-button-label = Yan yana kaydırma
-pdfjs-spread-none-button =
- .title = Yan yana sayfaları birleştirme
-pdfjs-spread-none-button-label = Birleştirme
-pdfjs-spread-odd-button =
- .title = Yan yana sayfaları tek numaralı sayfalardan başlayarak birleştir
-pdfjs-spread-odd-button-label = Tek numaralı
-pdfjs-spread-even-button =
- .title = Yan yana sayfaları çift numaralı sayfalardan başlayarak birleştir
-pdfjs-spread-even-button-label = Çift numaralı
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Belge özellikleri…
-pdfjs-document-properties-button-label = Belge özellikleri…
-pdfjs-document-properties-file-name = Dosya adı:
-pdfjs-document-properties-file-size = Dosya boyutu:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bayt)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bayt)
-pdfjs-document-properties-title = Başlık:
-pdfjs-document-properties-author = Yazar:
-pdfjs-document-properties-subject = Konu:
-pdfjs-document-properties-keywords = Anahtar kelimeler:
-pdfjs-document-properties-creation-date = Oluşturma tarihi:
-pdfjs-document-properties-modification-date = Değiştirme tarihi:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } { $time }
-pdfjs-document-properties-creator = Oluşturan:
-pdfjs-document-properties-producer = PDF üreticisi:
-pdfjs-document-properties-version = PDF sürümü:
-pdfjs-document-properties-page-count = Sayfa sayısı:
-pdfjs-document-properties-page-size = Sayfa boyutu:
-pdfjs-document-properties-page-size-unit-inches = inç
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = dikey
-pdfjs-document-properties-page-size-orientation-landscape = yatay
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Hızlı web görünümü:
-pdfjs-document-properties-linearized-yes = Evet
-pdfjs-document-properties-linearized-no = Hayır
-pdfjs-document-properties-close-button = Kapat
-
-## Print
-
-pdfjs-print-progress-message = Belge yazdırılmaya hazırlanıyor…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = %{ $progress }
-pdfjs-print-progress-close-button = İptal
-pdfjs-printing-not-supported = Uyarı: Yazdırma bu tarayıcı tarafından tam olarak desteklenmemektedir.
-pdfjs-printing-not-ready = Uyarı: PDF tamamen yüklenmedi ve yazdırmaya hazır değil.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Kenar çubuğunu aç/kapat
-pdfjs-toggle-sidebar-notification-button =
- .title = Kenar çubuğunu aç/kapat (Belge ana hat/ekler/katmanlar içeriyor)
-pdfjs-toggle-sidebar-button-label = Kenar çubuğunu aç/kapat
-pdfjs-document-outline-button =
- .title = Belge ana hatlarını göster (Tüm öğeleri genişletmek/daraltmak için çift tıklayın)
-pdfjs-document-outline-button-label = Belge ana hatları
-pdfjs-attachments-button =
- .title = Ekleri göster
-pdfjs-attachments-button-label = Ekler
-pdfjs-layers-button =
- .title = Katmanları göster (tüm katmanları varsayılan duruma sıfırlamak için çift tıklayın)
-pdfjs-layers-button-label = Katmanlar
-pdfjs-thumbs-button =
- .title = Küçük resimleri göster
-pdfjs-thumbs-button-label = Küçük resimler
-pdfjs-current-outline-item-button =
- .title = Mevcut ana hat öğesini bul
-pdfjs-current-outline-item-button-label = Mevcut ana hat öğesi
-pdfjs-findbar-button =
- .title = Belgede bul
-pdfjs-findbar-button-label = Bul
-pdfjs-additional-layers = Ek katmanlar
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Sayfa { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page }. sayfanın küçük hâli
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Bul
- .placeholder = Belgede bul…
-pdfjs-find-previous-button =
- .title = Önceki eşleşmeyi bul
-pdfjs-find-previous-button-label = Önceki
-pdfjs-find-next-button =
- .title = Sonraki eşleşmeyi bul
-pdfjs-find-next-button-label = Sonraki
-pdfjs-find-highlight-checkbox = Tümünü vurgula
-pdfjs-find-match-case-checkbox-label = Büyük-küçük harfe duyarlı
-pdfjs-find-match-diacritics-checkbox-label = Fonetik işaretleri bul
-pdfjs-find-entire-word-checkbox-label = Tam sözcükler
-pdfjs-find-reached-top = Belgenin başına ulaşıldı, sonundan devam edildi
-pdfjs-find-reached-bottom = Belgenin sonuna ulaşıldı, başından devam edildi
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $total } eşleşmeden { $current }. eşleşme
- *[other] { $total } eşleşmeden { $current }. eşleşme
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] { $limit } eşleşmeden fazla
- *[other] { $limit } eşleşmeden fazla
- }
-pdfjs-find-not-found = Eşleşme bulunamadı
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sayfa genişliği
-pdfjs-page-scale-fit = Sayfayı sığdır
-pdfjs-page-scale-auto = Otomatik yakınlaştır
-pdfjs-page-scale-actual = Gerçek boyut
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = %{ $scale }
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Sayfa { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF yüklenirken bir hata oluştu.
-pdfjs-invalid-file-error = Geçersiz veya bozulmuş PDF dosyası.
-pdfjs-missing-file-error = PDF dosyası eksik.
-pdfjs-unexpected-response-error = Beklenmeyen sunucu yanıtı.
-pdfjs-rendering-error = Sayfa yorumlanırken bir hata oluştu.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } işareti]
-
-## Password
-
-pdfjs-password-label = Bu PDF dosyasını açmak için parolasını yazın.
-pdfjs-password-invalid = Geçersiz parola. Lütfen yeniden deneyin.
-pdfjs-password-ok-button = Tamam
-pdfjs-password-cancel-button = İptal
-pdfjs-web-fonts-disabled = Web fontları devre dışı: Gömülü PDF fontları kullanılamıyor.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Metin
-pdfjs-editor-free-text-button-label = Metin
-pdfjs-editor-ink-button =
- .title = Çiz
-pdfjs-editor-ink-button-label = Çiz
-pdfjs-editor-stamp-button =
- .title = Resim ekle veya düzenle
-pdfjs-editor-stamp-button-label = Resim ekle veya düzenle
-pdfjs-editor-highlight-button =
- .title = Vurgula
-pdfjs-editor-highlight-button-label = Vurgula
-pdfjs-highlight-floating-button =
- .title = Vurgula
-pdfjs-highlight-floating-button1 =
- .title = Vurgula
- .aria-label = Vurgula
-pdfjs-highlight-floating-button-label = Vurgula
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Çizimi kaldır
-pdfjs-editor-remove-freetext-button =
- .title = Metni kaldır
-pdfjs-editor-remove-stamp-button =
- .title = Resmi kaldır
-pdfjs-editor-remove-highlight-button =
- .title = Vurgulamayı kaldır
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Renk
-pdfjs-editor-free-text-size-input = Boyut
-pdfjs-editor-ink-color-input = Renk
-pdfjs-editor-ink-thickness-input = Kalınlık
-pdfjs-editor-ink-opacity-input = Saydamlık
-pdfjs-editor-stamp-add-image-button =
- .title = Resim ekle
-pdfjs-editor-stamp-add-image-button-label = Resim ekle
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Kalınlık
-pdfjs-editor-free-highlight-thickness-title =
- .title = Metin dışındaki öğeleri vurgularken kalınlığı değiştir
-pdfjs-free-text =
- .aria-label = Metin düzenleyicisi
-pdfjs-free-text-default-content = Yazmaya başlayın…
-pdfjs-ink =
- .aria-label = Çizim düzenleyicisi
-pdfjs-ink-canvas =
- .aria-label = Kullanıcı tarafından oluşturulan resim
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Alternatif metin
-pdfjs-editor-alt-text-edit-button-label = Alternatif metni düzenle
-pdfjs-editor-alt-text-dialog-label = Bir seçenek seçin
-pdfjs-editor-alt-text-dialog-description = Alternatif metin, insanlar resmi göremediğinde veya resim yüklenmediğinde işe yarar.
-pdfjs-editor-alt-text-add-description-label = Açıklama ekle
-pdfjs-editor-alt-text-add-description-description = Konuyu, ortamı veya eylemleri tanımlayan bir iki cümle yazmaya çalışın.
-pdfjs-editor-alt-text-mark-decorative-label = Dekoratif olarak işaretle
-pdfjs-editor-alt-text-mark-decorative-description = Kenarlıklar veya filigranlar gibi dekoratif resimler için kullanılır.
-pdfjs-editor-alt-text-cancel-button = Vazgeç
-pdfjs-editor-alt-text-save-button = Kaydet
-pdfjs-editor-alt-text-decorative-tooltip = Dekoratif olarak işaretlendi
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Örneğin, “Genç bir adam yemek yemek için masaya oturuyor”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Sol üst köşe — yeniden boyutlandır
-pdfjs-editor-resizer-label-top-middle = Üst orta — yeniden boyutlandır
-pdfjs-editor-resizer-label-top-right = Sağ üst köşe — yeniden boyutlandır
-pdfjs-editor-resizer-label-middle-right = Orta sağ — yeniden boyutlandır
-pdfjs-editor-resizer-label-bottom-right = Sağ alt köşe — yeniden boyutlandır
-pdfjs-editor-resizer-label-bottom-middle = Alt orta — yeniden boyutlandır
-pdfjs-editor-resizer-label-bottom-left = Sol alt köşe — yeniden boyutlandır
-pdfjs-editor-resizer-label-middle-left = Orta sol — yeniden boyutlandır
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Vurgu rengi
-pdfjs-editor-colorpicker-button =
- .title = Rengi değiştir
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Renk seçenekleri
-pdfjs-editor-colorpicker-yellow =
- .title = Sarı
-pdfjs-editor-colorpicker-green =
- .title = Yeşil
-pdfjs-editor-colorpicker-blue =
- .title = Mavi
-pdfjs-editor-colorpicker-pink =
- .title = Pembe
-pdfjs-editor-colorpicker-red =
- .title = Kırmızı
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Tümünü göster
-pdfjs-editor-highlight-show-all-button =
- .title = Tümünü göster
diff --git a/static/pdf.js/locale/tr/viewer.properties b/static/pdf.js/locale/tr/viewer.properties
new file mode 100644
index 00000000..19b47732
--- /dev/null
+++ b/static/pdf.js/locale/tr/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Önceki sayfa
+previous_label=Önceki
+next.title=Sonraki sayfa
+next_label=Sonraki
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Sayfa:
+page_of=/ {{pageCount}}
+
+zoom_out.title=Uzaklaș
+zoom_out_label=Uzaklaș
+zoom_in.title=Yaklaş
+zoom_in_label=Yaklaş
+zoom.title=Yakınlaştırma
+presentation_mode.title=Sunum moduna geç
+presentation_mode_label=Sunum Modu
+open_file.title=Dosya aç
+open_file_label=Aç
+print.title=Yazdır
+print_label=Yazdır
+download.title=İndir
+download_label=İndir
+bookmark.title=Geçerli görünüm (kopyala veya yeni pencerede aç)
+bookmark_label=Geçerli görünüm
+
+# Secondary toolbar and context menu
+tools.title=Araçlar
+tools_label=Araçlar
+first_page.title=İlk sayfaya git
+first_page.label=İlk sayfaya git
+first_page_label=İlk sayfaya git
+last_page.title=Son sayfaya git
+last_page.label=Son sayfaya git
+last_page_label=Son sayfaya git
+page_rotate_cw.title=Saat yönünde döndür
+page_rotate_cw.label=Saat yönünde döndür
+page_rotate_cw_label=Saat yönünde döndür
+page_rotate_ccw.title=Saat yönünün tersine döndür
+page_rotate_ccw.label=Saat yönünün tersine döndür
+page_rotate_ccw_label=Saat yönünün tersine döndür
+
+hand_tool_enable.title=El aracını etkinleştir
+hand_tool_enable_label=El aracını etkinleştir
+hand_tool_disable.title=El aracını kapat
+hand_tool_disable_label=El aracını kapat
+
+# Document properties dialog box
+document_properties.title=Belge özellikleri…
+document_properties_label=Belge özellikleri…
+document_properties_file_name=Dosya adı:
+document_properties_file_size=Dosya boyutu:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bayt)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bayt)
+document_properties_title=Başlık:
+document_properties_author=Yazar:
+document_properties_subject=Konu:
+document_properties_keywords=Anahtar kelimeler:
+document_properties_creation_date=Oluturma tarihi:
+document_properties_modification_date=Değiştirme tarihi:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}} {{time}}
+document_properties_creator=Oluşturan:
+document_properties_producer=PDF üreticisi:
+document_properties_version=PDF sürümü:
+document_properties_page_count=Sayfa sayısı:
+document_properties_close=Kapat
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Kenar çubuğunu aç/kapat
+toggle_sidebar_label=Kenar çubuğunu aç/kapat
+outline.title=Belge şemasını göster
+outline_label=Belge şeması
+attachments.title=Ekleri göster
+attachments_label=Ekler
+thumbs.title=Küçük resimleri göster
+thumbs_label=Küçük resimler
+findbar.title=Belgede bul
+findbar_label=Bul
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Sayfa {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas={{page}}. sayfanın küçük hâli
+
+# Find panel button title and messages
+find_label=Bul:
+find_previous.title=Önceki eşleşmeyi bul
+find_previous_label=Önceki
+find_next.title=Sonraki eşleşmeyi bul
+find_next_label=Sonraki
+find_highlight=Tümünü vurgula
+find_match_case_label=Büyük-küçük harf eşleştir
+find_reached_top=Belgenin başına ulaşıldı, sonundan devam edildi
+find_reached_bottom=Belgenin sonuna ulaşıldı, başından devam edildi
+find_not_found=Eşleşme bulunamadı
+
+# Error panel labels
+error_more_info=Daha fazla bilgi al
+error_less_info=Daha az bilgi
+error_close=Kapat
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js sürüm {{version}} (yapı: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=İleti: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Yığın: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Dosya: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Satır: {{line}}
+rendering_error=Sayfa yorumlanırken bir hata oluştu.
+
+# Predefined zoom values
+page_scale_width=Sayfa genişliği
+page_scale_fit=Sayfayı sığdır
+page_scale_auto=Otomatik yakınlaştır
+page_scale_actual=Gerçek boyut
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent=%{{scale}}
+
+# Loading indicator messages
+loading_error_indicator=Hata
+loading_error=PDF yüklenirken bir hata oluştu.
+invalid_file_error=Geçersiz veya bozulmuş PDF dosyası.
+missing_file_error=PDF dosyası eksik.
+unexpected_response_error=Beklenmeyen sunucu yanıtı.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} işareti]
+password_label=Bu PDF dosyasını açmak için parolasını girin.
+password_invalid=Geçersiz parola. Lütfen tekrar deneyin.
+password_ok=Tamam
+password_cancel=İptal
+
+printing_not_supported=Uyarı: Yazdırma bu tarayıcı tarafından tam olarak desteklenmemektedir.
+printing_not_ready=Uyarı: PDF tamamen yüklenmedi ve yazdırmaya hazır değil.
+web_fonts_disabled=Web fontları devre dışı: Gömülü PDF fontları kullanılamıyor.
+document_colors_not_allowed=PDF belgelerinin kendi renklerini kullanması için izin verilmiyor: 'Sayfalara kendi renklerini seçmesi için izin ver' tarayıcıda etkinleştirilmemiş.
diff --git a/static/pdf.js/locale/trs/viewer.ftl b/static/pdf.js/locale/trs/viewer.ftl
deleted file mode 100644
index aba3c72a..00000000
--- a/static/pdf.js/locale/trs/viewer.ftl
+++ /dev/null
@@ -1,197 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Pajinâ gunâj rukùu
-pdfjs-previous-button-label = Sa gachin
-pdfjs-next-button =
- .title = Pajinâ 'na' ñaan
-pdfjs-next-button-label = Ne' ñaan
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Ñanj
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = si'iaj { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } of { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Nagi'iaj li'
-pdfjs-zoom-out-button-label = Nagi'iaj li'
-pdfjs-zoom-in-button =
- .title = Nagi'iaj niko'
-pdfjs-zoom-in-button-label = Nagi'iaj niko'
-pdfjs-zoom-select =
- .title = dàj nìko ma'an
-pdfjs-presentation-mode-button =
- .title = Naduno' daj ga ma
-pdfjs-presentation-mode-button-label = Daj gà ma
-pdfjs-open-file-button =
- .title = Na'nïn' chrû ñanj
-pdfjs-open-file-button-label = Na'nïn
-pdfjs-print-button =
- .title = Nari' ña du'ua
-pdfjs-print-button-label = Nari' ñadu'ua
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Rasun
-pdfjs-tools-button-label = Nej rasùun
-pdfjs-first-page-button =
- .title = gun' riña pajina asiniin
-pdfjs-first-page-button-label = Gun' riña pajina asiniin
-pdfjs-last-page-button =
- .title = Gun' riña pajina rukù ni'in
-pdfjs-last-page-button-label = Gun' riña pajina rukù ni'inj
-pdfjs-page-rotate-cw-button =
- .title = Tanikaj ne' huat
-pdfjs-page-rotate-cw-button-label = Tanikaj ne' huat
-pdfjs-page-rotate-ccw-button =
- .title = Tanikaj ne' chînt'
-pdfjs-page-rotate-ccw-button-label = Tanikaj ne' chint
-pdfjs-cursor-text-select-tool-button =
- .title = Dugi'iaj sun' sa ganahui texto
-pdfjs-cursor-text-select-tool-button-label = Nej rasun arajsun' da' nahui' texto
-pdfjs-cursor-hand-tool-button =
- .title = Nachrun' nej rasun
-pdfjs-cursor-hand-tool-button-label = Sa rajsun ro'o'
-pdfjs-scroll-vertical-button =
- .title = Garasun' dukuán runūu
-pdfjs-scroll-vertical-button-label = Dukuán runūu
-pdfjs-scroll-horizontal-button =
- .title = Garasun' dukuán nikin' nahui
-pdfjs-scroll-horizontal-button-label = Dukuán nikin' nahui
-pdfjs-scroll-wrapped-button =
- .title = Garasun' sa nachree
-pdfjs-scroll-wrapped-button-label = Sa nachree
-pdfjs-spread-none-button =
- .title = Si nagi'iaj nugun'un' nej pagina hua ninin
-pdfjs-spread-none-button-label = Ni'io daj hua pagina
-pdfjs-spread-odd-button =
- .title = Nagi'iaj nugua'ant nej pajina
-pdfjs-spread-odd-button-label = Ni'io' daj hua libro gurin
-pdfjs-spread-even-button =
- .title = Nakāj dugui' ngà nej pajinâ ayi'ì ngà da' hùi hùi
-pdfjs-spread-even-button-label = Nahuin nìko nej
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Nej sa nikāj ñanj…
-pdfjs-document-properties-button-label = Nej sa nikāj ñanj…
-pdfjs-document-properties-file-name = Si yugui archîbo:
-pdfjs-document-properties-file-size = Dàj yachìj archîbo:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Si yugui:
-pdfjs-document-properties-author = Sí girirà:
-pdfjs-document-properties-subject = Dugui':
-pdfjs-document-properties-keywords = Nej nuguan' huìi:
-pdfjs-document-properties-creation-date = Gui gurugui' man:
-pdfjs-document-properties-modification-date = Nuguan' nahuin nakà:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Guiri ro'
-pdfjs-document-properties-producer = Sa ri PDF:
-pdfjs-document-properties-version = PDF Version:
-pdfjs-document-properties-page-count = Si Guendâ Pâjina:
-pdfjs-document-properties-page-size = Dàj yachìj pâjina:
-pdfjs-document-properties-page-size-unit-inches = riña
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = nadu'ua
-pdfjs-document-properties-page-size-orientation-landscape = dàj huaj
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Da'ngà'a
-pdfjs-document-properties-page-size-name-legal = Nuguan' a'nï'ïn
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Nanèt chre ni'iajt riña Web:
-pdfjs-document-properties-linearized-yes = Ga'ue
-pdfjs-document-properties-linearized-no = Si ga'ue
-pdfjs-document-properties-close-button = Narán
-
-## Print
-
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Duyichin'
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Nadunā barrâ nù yi'nïn
-pdfjs-toggle-sidebar-button-label = Nadunā barrâ nù yi'nïn
-pdfjs-findbar-button-label = Narì'
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-
-## Find panel button title and messages
-
-pdfjs-find-previous-button-label = Sa gachîn
-pdfjs-find-next-button-label = Ne' ñaan
-pdfjs-find-highlight-checkbox = Daran' sa ña'an
-pdfjs-find-match-case-checkbox-label = Match case
-pdfjs-find-not-found = Nu narì'ij nugua'anj
-
-## Predefined zoom values
-
-pdfjs-page-scale-actual = Dàj yàchi akuan' nín
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-
-## Annotations
-
-
-## Password
-
-pdfjs-password-ok-button = Ga'ue
-pdfjs-password-cancel-button = Duyichin'
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/uk/viewer.ftl b/static/pdf.js/locale/uk/viewer.ftl
deleted file mode 100644
index d663e675..00000000
--- a/static/pdf.js/locale/uk/viewer.ftl
+++ /dev/null
@@ -1,398 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Попередня сторінка
-pdfjs-previous-button-label = Попередня
-pdfjs-next-button =
- .title = Наступна сторінка
-pdfjs-next-button-label = Наступна
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Сторінка
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = із { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } із { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Зменшити
-pdfjs-zoom-out-button-label = Зменшити
-pdfjs-zoom-in-button =
- .title = Збільшити
-pdfjs-zoom-in-button-label = Збільшити
-pdfjs-zoom-select =
- .title = Масштаб
-pdfjs-presentation-mode-button =
- .title = Перейти в режим презентації
-pdfjs-presentation-mode-button-label = Режим презентації
-pdfjs-open-file-button =
- .title = Відкрити файл
-pdfjs-open-file-button-label = Відкрити
-pdfjs-print-button =
- .title = Друк
-pdfjs-print-button-label = Друк
-pdfjs-save-button =
- .title = Зберегти
-pdfjs-save-button-label = Зберегти
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Завантажити
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Завантажити
-pdfjs-bookmark-button =
- .title = Поточна сторінка (перегляд URL-адреси з поточної сторінки)
-pdfjs-bookmark-button-label = Поточна сторінка
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Інструменти
-pdfjs-tools-button-label = Інструменти
-pdfjs-first-page-button =
- .title = На першу сторінку
-pdfjs-first-page-button-label = На першу сторінку
-pdfjs-last-page-button =
- .title = На останню сторінку
-pdfjs-last-page-button-label = На останню сторінку
-pdfjs-page-rotate-cw-button =
- .title = Повернути за годинниковою стрілкою
-pdfjs-page-rotate-cw-button-label = Повернути за годинниковою стрілкою
-pdfjs-page-rotate-ccw-button =
- .title = Повернути проти годинникової стрілки
-pdfjs-page-rotate-ccw-button-label = Повернути проти годинникової стрілки
-pdfjs-cursor-text-select-tool-button =
- .title = Увімкнути інструмент вибору тексту
-pdfjs-cursor-text-select-tool-button-label = Інструмент вибору тексту
-pdfjs-cursor-hand-tool-button =
- .title = Увімкнути інструмент "Рука"
-pdfjs-cursor-hand-tool-button-label = Інструмент "Рука"
-pdfjs-scroll-page-button =
- .title = Використовувати прокручування сторінки
-pdfjs-scroll-page-button-label = Прокручування сторінки
-pdfjs-scroll-vertical-button =
- .title = Використовувати вертикальне прокручування
-pdfjs-scroll-vertical-button-label = Вертикальне прокручування
-pdfjs-scroll-horizontal-button =
- .title = Використовувати горизонтальне прокручування
-pdfjs-scroll-horizontal-button-label = Горизонтальне прокручування
-pdfjs-scroll-wrapped-button =
- .title = Використовувати масштабоване прокручування
-pdfjs-scroll-wrapped-button-label = Масштабоване прокручування
-pdfjs-spread-none-button =
- .title = Не використовувати розгорнуті сторінки
-pdfjs-spread-none-button-label = Без розгорнутих сторінок
-pdfjs-spread-odd-button =
- .title = Розгорнуті сторінки починаються з непарних номерів
-pdfjs-spread-odd-button-label = Непарні сторінки зліва
-pdfjs-spread-even-button =
- .title = Розгорнуті сторінки починаються з парних номерів
-pdfjs-spread-even-button-label = Парні сторінки зліва
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Властивості документа…
-pdfjs-document-properties-button-label = Властивості документа…
-pdfjs-document-properties-file-name = Назва файлу:
-pdfjs-document-properties-file-size = Розмір файлу:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } КБ ({ $size_b } байтів)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } МБ ({ $size_b } байтів)
-pdfjs-document-properties-title = Заголовок:
-pdfjs-document-properties-author = Автор:
-pdfjs-document-properties-subject = Тема:
-pdfjs-document-properties-keywords = Ключові слова:
-pdfjs-document-properties-creation-date = Дата створення:
-pdfjs-document-properties-modification-date = Дата зміни:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Створено:
-pdfjs-document-properties-producer = Виробник PDF:
-pdfjs-document-properties-version = Версія PDF:
-pdfjs-document-properties-page-count = Кількість сторінок:
-pdfjs-document-properties-page-size = Розмір сторінки:
-pdfjs-document-properties-page-size-unit-inches = дюймів
-pdfjs-document-properties-page-size-unit-millimeters = мм
-pdfjs-document-properties-page-size-orientation-portrait = книжкова
-pdfjs-document-properties-page-size-orientation-landscape = альбомна
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Швидкий перегляд в Інтернеті:
-pdfjs-document-properties-linearized-yes = Так
-pdfjs-document-properties-linearized-no = Ні
-pdfjs-document-properties-close-button = Закрити
-
-## Print
-
-pdfjs-print-progress-message = Підготовка документу до друку…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Скасувати
-pdfjs-printing-not-supported = Попередження: Цей браузер не повністю підтримує друк.
-pdfjs-printing-not-ready = Попередження: PDF не повністю завантажений для друку.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Бічна панель
-pdfjs-toggle-sidebar-notification-button =
- .title = Перемкнути бічну панель (документ містить ескіз/вкладення/шари)
-pdfjs-toggle-sidebar-button-label = Перемкнути бічну панель
-pdfjs-document-outline-button =
- .title = Показати схему документу (подвійний клік для розгортання/згортання елементів)
-pdfjs-document-outline-button-label = Схема документа
-pdfjs-attachments-button =
- .title = Показати вкладення
-pdfjs-attachments-button-label = Вкладення
-pdfjs-layers-button =
- .title = Показати шари (двічі клацніть, щоб скинути всі шари до типового стану)
-pdfjs-layers-button-label = Шари
-pdfjs-thumbs-button =
- .title = Показати мініатюри
-pdfjs-thumbs-button-label = Мініатюри
-pdfjs-current-outline-item-button =
- .title = Знайти поточний елемент змісту
-pdfjs-current-outline-item-button-label = Поточний елемент змісту
-pdfjs-findbar-button =
- .title = Знайти в документі
-pdfjs-findbar-button-label = Знайти
-pdfjs-additional-layers = Додаткові шари
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Сторінка { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Ескіз сторінки { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Знайти
- .placeholder = Знайти в документі…
-pdfjs-find-previous-button =
- .title = Знайти попереднє входження фрази
-pdfjs-find-previous-button-label = Попереднє
-pdfjs-find-next-button =
- .title = Знайти наступне входження фрази
-pdfjs-find-next-button-label = Наступне
-pdfjs-find-highlight-checkbox = Підсвітити все
-pdfjs-find-match-case-checkbox-label = З урахуванням регістру
-pdfjs-find-match-diacritics-checkbox-label = Відповідність діакритичних знаків
-pdfjs-find-entire-word-checkbox-label = Цілі слова
-pdfjs-find-reached-top = Досягнуто початку документу, продовжено з кінця
-pdfjs-find-reached-bottom = Досягнуто кінця документу, продовжено з початку
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count =
- { $total ->
- [one] { $current } збіг з { $total }
- [few] { $current } збіги з { $total }
- *[many] { $current } збігів з { $total }
- }
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit =
- { $limit ->
- [one] Понад { $limit } збіг
- [few] Понад { $limit } збіги
- *[many] Понад { $limit } збігів
- }
-pdfjs-find-not-found = Фразу не знайдено
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = За шириною
-pdfjs-page-scale-fit = Вмістити
-pdfjs-page-scale-auto = Автомасштаб
-pdfjs-page-scale-actual = Дійсний розмір
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Сторінка { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Під час завантаження PDF сталася помилка.
-pdfjs-invalid-file-error = Недійсний або пошкоджений PDF-файл.
-pdfjs-missing-file-error = Відсутній PDF-файл.
-pdfjs-unexpected-response-error = Неочікувана відповідь сервера.
-pdfjs-rendering-error = Під час виведення сторінки сталася помилка.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type }-анотація]
-
-## Password
-
-pdfjs-password-label = Введіть пароль для відкриття цього PDF-файлу.
-pdfjs-password-invalid = Неправильний пароль. Спробуйте ще раз.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Скасувати
-pdfjs-web-fonts-disabled = Веб-шрифти вимкнено: неможливо використати вбудовані у PDF шрифти.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Текст
-pdfjs-editor-free-text-button-label = Текст
-pdfjs-editor-ink-button =
- .title = Малювати
-pdfjs-editor-ink-button-label = Малювати
-pdfjs-editor-stamp-button =
- .title = Додати чи редагувати зображення
-pdfjs-editor-stamp-button-label = Додати чи редагувати зображення
-pdfjs-editor-highlight-button =
- .title = Підсвітити
-pdfjs-editor-highlight-button-label = Підсвітити
-pdfjs-highlight-floating-button =
- .title = Підсвітити
-pdfjs-highlight-floating-button1 =
- .title = Підсвітити
- .aria-label = Підсвітити
-pdfjs-highlight-floating-button-label = Підсвітити
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Вилучити малюнок
-pdfjs-editor-remove-freetext-button =
- .title = Вилучити текст
-pdfjs-editor-remove-stamp-button =
- .title = Вилучити зображення
-pdfjs-editor-remove-highlight-button =
- .title = Вилучити підсвічування
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Колір
-pdfjs-editor-free-text-size-input = Розмір
-pdfjs-editor-ink-color-input = Колір
-pdfjs-editor-ink-thickness-input = Товщина
-pdfjs-editor-ink-opacity-input = Прозорість
-pdfjs-editor-stamp-add-image-button =
- .title = Додати зображення
-pdfjs-editor-stamp-add-image-button-label = Додати зображення
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Товщина
-pdfjs-editor-free-highlight-thickness-title =
- .title = Змінюйте товщину під час підсвічування елементів, крім тексту
-pdfjs-free-text =
- .aria-label = Текстовий редактор
-pdfjs-free-text-default-content = Почніть вводити…
-pdfjs-ink =
- .aria-label = Графічний редактор
-pdfjs-ink-canvas =
- .aria-label = Зображення, створене користувачем
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Альтернативний текст
-pdfjs-editor-alt-text-edit-button-label = Змінити альтернативний текст
-pdfjs-editor-alt-text-dialog-label = Вибрати варіант
-pdfjs-editor-alt-text-dialog-description = Альтернативний текст допомагає, коли зображення не видно або коли воно не завантажується.
-pdfjs-editor-alt-text-add-description-label = Додати опис
-pdfjs-editor-alt-text-add-description-description = Намагайтеся створити 1-2 речення, які описують тему, обставини або дії.
-pdfjs-editor-alt-text-mark-decorative-label = Позначити декоративним
-pdfjs-editor-alt-text-mark-decorative-description = Використовується для декоративних зображень, наприклад рамок або водяних знаків.
-pdfjs-editor-alt-text-cancel-button = Скасувати
-pdfjs-editor-alt-text-save-button = Зберегти
-pdfjs-editor-alt-text-decorative-tooltip = Позначено декоративним
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Наприклад, “Молодий чоловік сідає за стіл їсти”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Верхній лівий кут – зміна розміру
-pdfjs-editor-resizer-label-top-middle = Вгорі посередині – зміна розміру
-pdfjs-editor-resizer-label-top-right = Верхній правий кут – зміна розміру
-pdfjs-editor-resizer-label-middle-right = Праворуч посередині – зміна розміру
-pdfjs-editor-resizer-label-bottom-right = Нижній правий кут – зміна розміру
-pdfjs-editor-resizer-label-bottom-middle = Внизу посередині – зміна розміру
-pdfjs-editor-resizer-label-bottom-left = Нижній лівий кут – зміна розміру
-pdfjs-editor-resizer-label-middle-left = Ліворуч посередині – зміна розміру
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Колір підсвічування
-pdfjs-editor-colorpicker-button =
- .title = Змінити колір
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Вибір кольору
-pdfjs-editor-colorpicker-yellow =
- .title = Жовтий
-pdfjs-editor-colorpicker-green =
- .title = Зелений
-pdfjs-editor-colorpicker-blue =
- .title = Блакитний
-pdfjs-editor-colorpicker-pink =
- .title = Рожевий
-pdfjs-editor-colorpicker-red =
- .title = Червоний
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Показати все
-pdfjs-editor-highlight-show-all-button =
- .title = Показати все
diff --git a/static/pdf.js/locale/uk/viewer.properties b/static/pdf.js/locale/uk/viewer.properties
new file mode 100644
index 00000000..f899197d
--- /dev/null
+++ b/static/pdf.js/locale/uk/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Попередня сторінка
+previous_label=Попередня
+next.title=Наступна сторінка
+next_label=Наступна
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Сторінка:
+page_of=з {{pageCount}}
+
+zoom_out.title=Зменшити
+zoom_out_label=Зменшити
+zoom_in.title=Збільшити
+zoom_in_label=Збільшити
+zoom.title=Масштаб
+presentation_mode.title=Перейти в режим презентації
+presentation_mode_label=Режим презентації
+open_file.title=Відкрити файл
+open_file_label=Відкрити
+print.title=Друк
+print_label=Друк
+download.title=Завантажити
+download_label=Завантажити
+bookmark.title=Поточний вигляд (копіювати чи відкрити у новому вікні)
+bookmark_label=Поточний вигляд
+
+# Secondary toolbar and context menu
+tools.title=Інструменти
+tools_label=Інструменти
+first_page.title=На першу сторінку
+first_page.label=На першу сторінку
+first_page_label=На першу сторінку
+last_page.title=На останню сторінку
+last_page.label=На останню сторінку
+last_page_label=На останню сторінку
+page_rotate_cw.title=Повернути за годинниковою стрілкою
+page_rotate_cw.label=Повернути за годинниковою стрілкою
+page_rotate_cw_label=Повернути за годинниковою стрілкою
+page_rotate_ccw.title=Повернути проти годинникової стрілки
+page_rotate_ccw.label=Повернути проти годинникової стрілки
+page_rotate_ccw_label=Повернути проти годинникової стрілки
+
+hand_tool_enable.title=Увімкнути інструмент «Рука»
+hand_tool_enable_label=Увімкнути інструмент «Рука»
+hand_tool_disable.title=Вимкнути інструмент «Рука»
+hand_tool_disable_label=Вимкнути інструмент «Рука»
+
+# Document properties dialog box
+document_properties.title=Властивості документа…
+document_properties_label=Властивості документа…
+document_properties_file_name=Назва файла:
+document_properties_file_size=Розмір файла:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} КБ ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} МБ ({{size_b}} bytes)
+document_properties_title=Заголовок:
+document_properties_author=Автор:
+document_properties_subject=Тема:
+document_properties_keywords=Ключові слова:
+document_properties_creation_date=Дата створення:
+document_properties_modification_date=Дата зміни:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Створено:
+document_properties_producer=Виробник PDF:
+document_properties_version=Версія PDF:
+document_properties_page_count=Кількість сторінок:
+document_properties_close=Закрити
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Бічна панель
+toggle_sidebar_label=Перемкнути бічну панель
+outline.title=Показувати схему документа
+outline_label=Схема документа
+attachments.title=Показати прикріплення
+attachments_label=Прикріплення
+thumbs.title=Показувати ескізи
+thumbs_label=Ескізи
+findbar.title=Шукати в документі
+findbar_label=Пошук
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Сторінка {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Ескіз сторінки {{page}}
+
+# Find panel button title and messages
+find_label=Знайти:
+find_previous.title=Знайти попереднє входження фрази
+find_previous_label=Попереднє
+find_next.title=Знайти наступне входження фрази
+find_next_label=Наступне
+find_highlight=Підсвітити все
+find_match_case_label=З урахуванням регістру
+find_reached_top=Досягнуто початку документу, продовжено з кінця
+find_reached_bottom=Досягнуто кінця документу, продовжено з початку
+find_not_found=Фразу не знайдено
+
+# Error panel labels
+error_more_info=Більше інформації
+error_less_info=Менше інформації
+error_close=Закрити
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Повідомлення: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Стек: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Файл: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Рядок: {{line}}
+rendering_error=Під час виведення сторінки сталася помилка.
+
+# Predefined zoom values
+page_scale_width=За шириною
+page_scale_fit=Умістити
+page_scale_auto=Авто-масштаб
+page_scale_actual=Дійсний розмір
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Помилка
+loading_error=Під час завантаження PDF сталася помилка.
+invalid_file_error=Недійсний або пошкоджений PDF-файл.
+missing_file_error=Відсутній PDF-файл.
+unexpected_response_error=Неочікувана відповідь сервера.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}}-аннотація]
+password_label=Введіть пароль для відкриття цього PDF-файла.
+password_invalid=Невірний пароль. Спробуйте ще.
+password_ok=Гаразд
+password_cancel=Скасувати
+
+printing_not_supported=Попередження: Цей браузер не повністю підтримує друк.
+printing_not_ready=Попередження: PDF не повністю завантажений для друку.
+web_fonts_disabled=Веб-шрифти вимкнено: неможливо використати вбудовані у PDF шрифти.
+document_colors_not_allowed=PDF-документам не дозволено використовувати власні кольори: в браузері вимкнено параметр «Дозволити сторінкам використовувати власні кольори».
diff --git a/static/pdf.js/locale/ur/viewer.ftl b/static/pdf.js/locale/ur/viewer.ftl
deleted file mode 100644
index c15f157e..00000000
--- a/static/pdf.js/locale/ur/viewer.ftl
+++ /dev/null
@@ -1,248 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = پچھلا صفحہ
-pdfjs-previous-button-label = پچھلا
-pdfjs-next-button =
- .title = اگلا صفحہ
-pdfjs-next-button-label = آگے
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = صفحہ
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = { $pagesCount } کا
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } کا { $pagesCount })
-pdfjs-zoom-out-button =
- .title = باہر زوم کریں
-pdfjs-zoom-out-button-label = باہر زوم کریں
-pdfjs-zoom-in-button =
- .title = اندر زوم کریں
-pdfjs-zoom-in-button-label = اندر زوم کریں
-pdfjs-zoom-select =
- .title = زوم
-pdfjs-presentation-mode-button =
- .title = پیشکش موڈ میں چلے جائیں
-pdfjs-presentation-mode-button-label = پیشکش موڈ
-pdfjs-open-file-button =
- .title = مسل کھولیں
-pdfjs-open-file-button-label = کھولیں
-pdfjs-print-button =
- .title = چھاپیں
-pdfjs-print-button-label = چھاپیں
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = آلات
-pdfjs-tools-button-label = آلات
-pdfjs-first-page-button =
- .title = پہلے صفحہ پر جائیں
-pdfjs-first-page-button-label = پہلے صفحہ پر جائیں
-pdfjs-last-page-button =
- .title = آخری صفحہ پر جائیں
-pdfjs-last-page-button-label = آخری صفحہ پر جائیں
-pdfjs-page-rotate-cw-button =
- .title = گھڑی وار گھمائیں
-pdfjs-page-rotate-cw-button-label = گھڑی وار گھمائیں
-pdfjs-page-rotate-ccw-button =
- .title = ضد گھڑی وار گھمائیں
-pdfjs-page-rotate-ccw-button-label = ضد گھڑی وار گھمائیں
-pdfjs-cursor-text-select-tool-button =
- .title = متن کے انتخاب کے ٹول کو فعال بناے
-pdfjs-cursor-text-select-tool-button-label = متن کے انتخاب کا آلہ
-pdfjs-cursor-hand-tool-button =
- .title = ہینڈ ٹول کو فعال بناییں
-pdfjs-cursor-hand-tool-button-label = ہاتھ کا آلہ
-pdfjs-scroll-vertical-button =
- .title = عمودی اسکرولنگ کا استعمال کریں
-pdfjs-scroll-vertical-button-label = عمودی اسکرولنگ
-pdfjs-scroll-horizontal-button =
- .title = افقی سکرولنگ کا استعمال کریں
-pdfjs-scroll-horizontal-button-label = افقی سکرولنگ
-pdfjs-spread-none-button =
- .title = صفحہ پھیلانے میں شامل نہ ہوں
-pdfjs-spread-none-button-label = کوئی پھیلاؤ نہیں
-pdfjs-spread-odd-button-label = تاک پھیلاؤ
-pdfjs-spread-even-button-label = جفت پھیلاؤ
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = دستاویز خواص…
-pdfjs-document-properties-button-label = دستاویز خواص…
-pdfjs-document-properties-file-name = نام مسل:
-pdfjs-document-properties-file-size = مسل سائز:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = عنوان:
-pdfjs-document-properties-author = تخلیق کار:
-pdfjs-document-properties-subject = موضوع:
-pdfjs-document-properties-keywords = کلیدی الفاظ:
-pdfjs-document-properties-creation-date = تخلیق کی تاریخ:
-pdfjs-document-properties-modification-date = ترمیم کی تاریخ:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }، { $time }
-pdfjs-document-properties-creator = تخلیق کار:
-pdfjs-document-properties-producer = PDF پیدا کار:
-pdfjs-document-properties-version = PDF ورژن:
-pdfjs-document-properties-page-count = صفحہ شمار:
-pdfjs-document-properties-page-size = صفہ کی لمبائ:
-pdfjs-document-properties-page-size-unit-inches = میں
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = عمودی انداز
-pdfjs-document-properties-page-size-orientation-landscape = افقى انداز
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = خط
-pdfjs-document-properties-page-size-name-legal = قانونی
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } { $name } { $orientation }
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = تیز ویب دیکھیں:
-pdfjs-document-properties-linearized-yes = ہاں
-pdfjs-document-properties-linearized-no = نہیں
-pdfjs-document-properties-close-button = بند کریں
-
-## Print
-
-pdfjs-print-progress-message = چھاپنے کرنے کے لیے دستاویز تیار کیے جا رھے ھیں
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = *{ $progress }%*
-pdfjs-print-progress-close-button = منسوخ کریں
-pdfjs-printing-not-supported = تنبیہ:چھاپنا اس براؤزر پر پوری طرح معاونت شدہ نہیں ہے۔
-pdfjs-printing-not-ready = تنبیہ: PDF چھپائی کے لیے پوری طرح لوڈ نہیں ہوئی۔
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = سلائیڈ ٹوگل کریں
-pdfjs-toggle-sidebar-button-label = سلائیڈ ٹوگل کریں
-pdfjs-document-outline-button =
- .title = دستاویز کی سرخیاں دکھایں (تمام اشیاء وسیع / غائب کرنے کے لیے ڈبل کلک کریں)
-pdfjs-document-outline-button-label = دستاویز آؤٹ لائن
-pdfjs-attachments-button =
- .title = منسلکات دکھائیں
-pdfjs-attachments-button-label = منسلکات
-pdfjs-thumbs-button =
- .title = تھمبنیل دکھائیں
-pdfjs-thumbs-button-label = مجمل
-pdfjs-findbar-button =
- .title = دستاویز میں ڈھونڈیں
-pdfjs-findbar-button-label = ڈھونڈیں
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = صفحہ { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = صفحے کا مجمل { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = ڈھونڈیں
- .placeholder = دستاویز… میں ڈھونڈیں
-pdfjs-find-previous-button =
- .title = فقرے کا پچھلا وقوع ڈھونڈیں
-pdfjs-find-previous-button-label = پچھلا
-pdfjs-find-next-button =
- .title = فقرے کا اگلہ وقوع ڈھونڈیں
-pdfjs-find-next-button-label = آگے
-pdfjs-find-highlight-checkbox = تمام نمایاں کریں
-pdfjs-find-match-case-checkbox-label = حروف مشابہ کریں
-pdfjs-find-entire-word-checkbox-label = تمام الفاظ
-pdfjs-find-reached-top = صفحہ کے شروع پر پہنچ گیا، نیچے سے جاری کیا
-pdfjs-find-reached-bottom = صفحہ کے اختتام پر پہنچ گیا، اوپر سے جاری کیا
-pdfjs-find-not-found = فقرا نہیں ملا
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = صفحہ چوڑائی
-pdfjs-page-scale-fit = صفحہ فٹنگ
-pdfjs-page-scale-auto = خودکار زوم
-pdfjs-page-scale-actual = اصل سائز
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = صفحہ { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF لوڈ کرتے وقت نقص آ گیا۔
-pdfjs-invalid-file-error = ناجائز یا خراب PDF مسل
-pdfjs-missing-file-error = PDF مسل غائب ہے۔
-pdfjs-unexpected-response-error = غیرمتوقع پیش کار جواب
-pdfjs-rendering-error = صفحہ بناتے ہوئے نقص آ گیا۔
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }.{ $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } نوٹ]
-
-## Password
-
-pdfjs-password-label = PDF مسل کھولنے کے لیے پاس ورڈ داخل کریں.
-pdfjs-password-invalid = ناجائز پاس ورڈ. براےؑ کرم دوبارہ کوشش کریں.
-pdfjs-password-ok-button = ٹھیک ہے
-pdfjs-password-cancel-button = منسوخ کریں
-pdfjs-web-fonts-disabled = ویب فانٹ نا اہل ہیں: شامل PDF فانٹ استعمال کرنے میں ناکام۔
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/ur/viewer.properties b/static/pdf.js/locale/ur/viewer.properties
new file mode 100644
index 00000000..4551f631
--- /dev/null
+++ b/static/pdf.js/locale/ur/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=پچھلا صفحہ
+previous_label=پچھلا
+next.title=اگلا صفحہ
+next_label=آگے
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=صفحہ:
+page_of={{pageCount}} کا
+
+zoom_out.title=باہر زوم کریں
+zoom_out_label=باہر زوم کریں
+zoom_in.title=اندر زوم کریں
+zoom_in_label=اندر زوم کریں
+zoom.title=زوم
+presentation_mode.title=پیشکش موڈ میں چلے جائیں
+presentation_mode_label=پیشکش موڈ
+open_file.title=مسل کھولیں
+open_file_label=کھولیں
+print.title=چھاپیں
+print_label=چھاپیں
+download.title=ڈاؤن لوڈ
+download_label=ڈاؤن لوڈ
+bookmark.title=حالیہ نظارہ (نۓ دریچہ میں نقل کریں یا کھولیں)
+bookmark_label=حالیہ نظارہ
+
+# Secondary toolbar and context menu
+tools.title=آلات
+tools_label=آلات
+first_page.title=پہلے صفحہ پر جائیں
+first_page.label=پہلے صفحہ پر جائیں
+first_page_label=پہلے صفحہ پر جائیں
+last_page.title=آخری صفحہ پر جائیں
+last_page.label=آخری صفحہ پر جائیں
+last_page_label=آخری صفحہ پر جائیں
+page_rotate_cw.title=گھڑی وار گھمائیں
+page_rotate_cw.label=گھڑی وار گھمائیں
+page_rotate_cw_label=گھڑی وار گھمائیں
+page_rotate_ccw.title=ضد گھڑی وار گھمائیں
+page_rotate_ccw.label=ضد گھڑی وار گھمائیں
+page_rotate_ccw_label=ضد گھڑی وار گھمائیں
+
+hand_tool_enable.title=ہاتھ ٹول اہل بنائیں
+hand_tool_enable_label=ہاتھ ٹول اہل بنائیں
+hand_tool_disable.title=ہاتھ ٹول nنااہل بنائیں\u0020
+hand_tool_disable_label=ہاتھ ٹول نااہل بنائیں
+
+# Document properties dialog box
+document_properties.title=دستاویز خواص…
+document_properties_label=دستاویز خواص…\u0020
+document_properties_file_name=نام مسل:
+document_properties_file_size=مسل سائز:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} bytes)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} bytes)
+document_properties_title=عنوان:
+document_properties_author=تخلیق کار:
+document_properties_subject=موضوع:
+document_properties_keywords=کلیدی الفاظ:
+document_properties_creation_date=تخلیق کی تاریخ:
+document_properties_modification_date=ترمیم کی تاریخ:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}، {{time}}
+document_properties_creator=تخلیق کار:
+document_properties_producer=PDF پیدا کار:
+document_properties_version=PDF ورژن:
+document_properties_page_count=صفحہ شمار:
+document_properties_close=بند کریں
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=سلائیڈ ٹوگل کریں
+toggle_sidebar_label=سلائیڈ ٹوگل کریں
+outline.title=دستاویز آؤٹ لائن دکھائیں
+outline_label=دستاویز آؤٹ لائن
+attachments.title=منسلکات دکھائیں
+attachments_label=منسلکات
+thumbs.title=تھمبنیل دکھائیں
+thumbs_label=مجمل
+findbar.title=دستاویز میں ڈھونڈیں
+findbar_label=ڈھونڈیں
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=صفحہ {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=صفحے کا مجمل {{page}}
+
+# Find panel button title and messages
+find_label=ڈھونڈیں:
+find_previous.title=فقرے کا پچھلا وقوع ڈھونڈیں
+find_previous_label=پچھلا
+find_next.title=فقرے کا اگلہ وقوع ڈھونڈیں
+find_next_label=آگے
+find_highlight=تمام نمایاں کریں
+find_match_case_label=حروف مشابہ کریں
+find_reached_top=صفحہ کے شروع پر پہنچ گیا، نیچے سے جاری کیا
+find_reached_bottom=صفحہ کے اختتام پر پہنچ گیا، اوپر سے جاری کیا
+find_not_found=فقرا نہیں ملا
+
+# Error panel labels
+error_more_info=مزید معلومات
+error_less_info=کم معلومات
+error_close=بند کریں
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=پیغام: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=سٹیک: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=مسل: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=لائن: {{line}}
+rendering_error=صفحہ بناتے ہوئے نقص آ گیا۔
+
+# Predefined zoom values
+page_scale_width=صفحہ چوڑائی
+page_scale_fit=صفحہ فٹنگ
+page_scale_auto=خودکار زوم
+page_scale_actual=اصل سائز
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=نقص
+loading_error=PDF لوڈ کرتے وقت نقص آ گیا۔
+invalid_file_error=ناجائز یا خراب PDF مسل
+missing_file_error=PDF مسل غائب ہے۔
+unexpected_response_error=غیرمتوقع پیش کار جواب
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} نوٹ]
+password_label=PDF مسل کھولنے کے لیے پاس ورڈ داخل کریں.
+password_invalid=ناجائز پاس ورڈ. براےؑ کرم دوبارہ کوشش کریں.
+password_ok=سہی
+password_cancel=منسوخ کریں
+
+printing_not_supported=تنبیہ:چھاپنا اس براؤزر پر پوری طرح معاونت شدہ نہیں ہے۔
+printing_not_ready=تنبیہ: PDF چھپائی کے لیے پوری طرح لوڈ نہیں ہوئی۔
+web_fonts_disabled=ویب فانٹ نا اہل ہیں: شامل PDF فانٹ استعمال کرنے میں ناکام۔
+document_colors_not_allowed=PDF دستاویزات کو اپنے رنگ استعمال کرنے کی اجازت نہیں: 'صفحات کو اپنے رنگ چنیں' کی اِجازت براؤزر میں بے عمل ہے۔
diff --git a/static/pdf.js/locale/uz/viewer.ftl b/static/pdf.js/locale/uz/viewer.ftl
deleted file mode 100644
index fb82f22d..00000000
--- a/static/pdf.js/locale/uz/viewer.ftl
+++ /dev/null
@@ -1,187 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Oldingi sahifa
-pdfjs-previous-button-label = Oldingi
-pdfjs-next-button =
- .title = Keyingi sahifa
-pdfjs-next-button-label = Keyingi
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = /{ $pagesCount }
-pdfjs-zoom-out-button =
- .title = Kichiklashtirish
-pdfjs-zoom-out-button-label = Kichiklashtirish
-pdfjs-zoom-in-button =
- .title = Kattalashtirish
-pdfjs-zoom-in-button-label = Kattalashtirish
-pdfjs-zoom-select =
- .title = Masshtab
-pdfjs-presentation-mode-button =
- .title = Namoyish usuliga oʻtish
-pdfjs-presentation-mode-button-label = Namoyish usuli
-pdfjs-open-file-button =
- .title = Faylni ochish
-pdfjs-open-file-button-label = Ochish
-pdfjs-print-button =
- .title = Chop qilish
-pdfjs-print-button-label = Chop qilish
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Vositalar
-pdfjs-tools-button-label = Vositalar
-pdfjs-first-page-button =
- .title = Birinchi sahifaga oʻtish
-pdfjs-first-page-button-label = Birinchi sahifaga oʻtish
-pdfjs-last-page-button =
- .title = Soʻnggi sahifaga oʻtish
-pdfjs-last-page-button-label = Soʻnggi sahifaga oʻtish
-pdfjs-page-rotate-cw-button =
- .title = Soat yoʻnalishi boʻyicha burish
-pdfjs-page-rotate-cw-button-label = Soat yoʻnalishi boʻyicha burish
-pdfjs-page-rotate-ccw-button =
- .title = Soat yoʻnalishiga qarshi burish
-pdfjs-page-rotate-ccw-button-label = Soat yoʻnalishiga qarshi burish
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Hujjat xossalari
-pdfjs-document-properties-button-label = Hujjat xossalari
-pdfjs-document-properties-file-name = Fayl nomi:
-pdfjs-document-properties-file-size = Fayl hajmi:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } bytes)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } bytes)
-pdfjs-document-properties-title = Nomi:
-pdfjs-document-properties-author = Muallifi:
-pdfjs-document-properties-subject = Mavzusi:
-pdfjs-document-properties-keywords = Kalit so‘zlar
-pdfjs-document-properties-creation-date = Yaratilgan sanasi:
-pdfjs-document-properties-modification-date = O‘zgartirilgan sanasi
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Yaratuvchi:
-pdfjs-document-properties-producer = PDF ishlab chiqaruvchi:
-pdfjs-document-properties-version = PDF versiyasi:
-pdfjs-document-properties-page-count = Sahifa soni:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = Yopish
-
-## Print
-
-pdfjs-printing-not-supported = Diqqat: chop qilish bruzer tomonidan toʻliq qoʻllab-quvvatlanmaydi.
-pdfjs-printing-not-ready = Diqqat: PDF fayl chop qilish uchun toʻliq yuklanmadi.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Yon panelni yoqib/oʻchirib qoʻyish
-pdfjs-toggle-sidebar-button-label = Yon panelni yoqib/oʻchirib qoʻyish
-pdfjs-document-outline-button-label = Hujjat tuzilishi
-pdfjs-attachments-button =
- .title = Ilovalarni ko‘rsatish
-pdfjs-attachments-button-label = Ilovalar
-pdfjs-thumbs-button =
- .title = Nishonchalarni koʻrsatish
-pdfjs-thumbs-button-label = Nishoncha
-pdfjs-findbar-button =
- .title = Hujjat ichidan topish
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = { $page } sahifa
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = { $page } sahifa nishonchasi
-
-## Find panel button title and messages
-
-pdfjs-find-previous-button =
- .title = Soʻzlardagi oldingi hodisani topish
-pdfjs-find-previous-button-label = Oldingi
-pdfjs-find-next-button =
- .title = Iboradagi keyingi hodisani topish
-pdfjs-find-next-button-label = Keyingi
-pdfjs-find-highlight-checkbox = Barchasini ajratib koʻrsatish
-pdfjs-find-match-case-checkbox-label = Katta-kichik harflarni farqlash
-pdfjs-find-reached-top = Hujjatning boshigacha yetib keldik, pastdan davom ettiriladi
-pdfjs-find-reached-bottom = Hujjatning oxiriga yetib kelindi, yuqoridan davom ettirladi
-pdfjs-find-not-found = Soʻzlar topilmadi
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Sahifa eni
-pdfjs-page-scale-fit = Sahifani moslashtirish
-pdfjs-page-scale-auto = Avtomatik masshtab
-pdfjs-page-scale-actual = Haqiqiy hajmi
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = PDF yuklanayotganda xato yuz berdi.
-pdfjs-invalid-file-error = Xato yoki buzuq PDF fayli.
-pdfjs-missing-file-error = PDF fayl kerak.
-pdfjs-unexpected-response-error = Kutilmagan server javobi.
-pdfjs-rendering-error = Sahifa renderlanayotganda xato yuz berdi.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Annotation]
-
-## Password
-
-pdfjs-password-label = PDF faylni ochish uchun parolni kiriting.
-pdfjs-password-invalid = Parol - notoʻgʻri. Qaytadan urinib koʻring.
-pdfjs-password-ok-button = OK
-pdfjs-web-fonts-disabled = Veb shriftlar oʻchirilgan: ichki PDF shriftlardan foydalanib boʻlmmaydi.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/vi/viewer.ftl b/static/pdf.js/locale/vi/viewer.ftl
deleted file mode 100644
index 4c53f75b..00000000
--- a/static/pdf.js/locale/vi/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Trang trước
-pdfjs-previous-button-label = Trước
-pdfjs-next-button =
- .title = Trang Sau
-pdfjs-next-button-label = Tiếp
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Trang
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = trên { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } trên { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Thu nhỏ
-pdfjs-zoom-out-button-label = Thu nhỏ
-pdfjs-zoom-in-button =
- .title = Phóng to
-pdfjs-zoom-in-button-label = Phóng to
-pdfjs-zoom-select =
- .title = Thu phóng
-pdfjs-presentation-mode-button =
- .title = Chuyển sang chế độ trình chiếu
-pdfjs-presentation-mode-button-label = Chế độ trình chiếu
-pdfjs-open-file-button =
- .title = Mở tập tin
-pdfjs-open-file-button-label = Mở tập tin
-pdfjs-print-button =
- .title = In
-pdfjs-print-button-label = In
-pdfjs-save-button =
- .title = Lưu
-pdfjs-save-button-label = Lưu
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = Tải xuống
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = Tải xuống
-pdfjs-bookmark-button =
- .title = Trang hiện tại (xem URL từ trang hiện tại)
-pdfjs-bookmark-button-label = Trang hiện tại
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = Mở trong ứng dụng
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = Mở trong ứng dụng
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Công cụ
-pdfjs-tools-button-label = Công cụ
-pdfjs-first-page-button =
- .title = Về trang đầu
-pdfjs-first-page-button-label = Về trang đầu
-pdfjs-last-page-button =
- .title = Đến trang cuối
-pdfjs-last-page-button-label = Đến trang cuối
-pdfjs-page-rotate-cw-button =
- .title = Xoay theo chiều kim đồng hồ
-pdfjs-page-rotate-cw-button-label = Xoay theo chiều kim đồng hồ
-pdfjs-page-rotate-ccw-button =
- .title = Xoay ngược chiều kim đồng hồ
-pdfjs-page-rotate-ccw-button-label = Xoay ngược chiều kim đồng hồ
-pdfjs-cursor-text-select-tool-button =
- .title = Kích hoạt công cụ chọn vùng văn bản
-pdfjs-cursor-text-select-tool-button-label = Công cụ chọn vùng văn bản
-pdfjs-cursor-hand-tool-button =
- .title = Kích hoạt công cụ con trỏ
-pdfjs-cursor-hand-tool-button-label = Công cụ con trỏ
-pdfjs-scroll-page-button =
- .title = Sử dụng cuộn trang hiện tại
-pdfjs-scroll-page-button-label = Cuộn trang hiện tại
-pdfjs-scroll-vertical-button =
- .title = Sử dụng cuộn dọc
-pdfjs-scroll-vertical-button-label = Cuộn dọc
-pdfjs-scroll-horizontal-button =
- .title = Sử dụng cuộn ngang
-pdfjs-scroll-horizontal-button-label = Cuộn ngang
-pdfjs-scroll-wrapped-button =
- .title = Sử dụng cuộn ngắt dòng
-pdfjs-scroll-wrapped-button-label = Cuộn ngắt dòng
-pdfjs-spread-none-button =
- .title = Không nối rộng trang
-pdfjs-spread-none-button-label = Không có phân cách
-pdfjs-spread-odd-button =
- .title = Nối trang bài bắt đầu với các trang được đánh số lẻ
-pdfjs-spread-odd-button-label = Phân cách theo số lẻ
-pdfjs-spread-even-button =
- .title = Nối trang bài bắt đầu với các trang được đánh số chẵn
-pdfjs-spread-even-button-label = Phân cách theo số chẵn
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Thuộc tính của tài liệu…
-pdfjs-document-properties-button-label = Thuộc tính của tài liệu…
-pdfjs-document-properties-file-name = Tên tập tin:
-pdfjs-document-properties-file-size = Kích thước:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } byte)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } byte)
-pdfjs-document-properties-title = Tiêu đề:
-pdfjs-document-properties-author = Tác giả:
-pdfjs-document-properties-subject = Chủ đề:
-pdfjs-document-properties-keywords = Từ khóa:
-pdfjs-document-properties-creation-date = Ngày tạo:
-pdfjs-document-properties-modification-date = Ngày sửa đổi:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Người tạo:
-pdfjs-document-properties-producer = Phần mềm tạo PDF:
-pdfjs-document-properties-version = Phiên bản PDF:
-pdfjs-document-properties-page-count = Tổng số trang:
-pdfjs-document-properties-page-size = Kích thước trang:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = khổ dọc
-pdfjs-document-properties-page-size-orientation-landscape = khổ ngang
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Thư
-pdfjs-document-properties-page-size-name-legal = Pháp lý
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit } ({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit } ({ $name }, { $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = Xem nhanh trên web:
-pdfjs-document-properties-linearized-yes = Có
-pdfjs-document-properties-linearized-no = Không
-pdfjs-document-properties-close-button = Ðóng
-
-## Print
-
-pdfjs-print-progress-message = Chuẩn bị trang để in…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Hủy bỏ
-pdfjs-printing-not-supported = Cảnh báo: In ấn không được hỗ trợ đầy đủ ở trình duyệt này.
-pdfjs-printing-not-ready = Cảnh báo: PDF chưa được tải hết để in.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Bật/Tắt thanh lề
-pdfjs-toggle-sidebar-notification-button =
- .title = Bật tắt thanh lề (tài liệu bao gồm bản phác thảo/tập tin đính kèm/lớp)
-pdfjs-toggle-sidebar-button-label = Bật/Tắt thanh lề
-pdfjs-document-outline-button =
- .title = Hiển thị tài liệu phác thảo (nhấp đúp vào để mở rộng/thu gọn tất cả các mục)
-pdfjs-document-outline-button-label = Bản phác tài liệu
-pdfjs-attachments-button =
- .title = Hiện nội dung đính kèm
-pdfjs-attachments-button-label = Nội dung đính kèm
-pdfjs-layers-button =
- .title = Hiển thị các lớp (nhấp đúp để đặt lại tất cả các lớp về trạng thái mặc định)
-pdfjs-layers-button-label = Lớp
-pdfjs-thumbs-button =
- .title = Hiển thị ảnh thu nhỏ
-pdfjs-thumbs-button-label = Ảnh thu nhỏ
-pdfjs-current-outline-item-button =
- .title = Tìm mục phác thảo hiện tại
-pdfjs-current-outline-item-button-label = Mục phác thảo hiện tại
-pdfjs-findbar-button =
- .title = Tìm trong tài liệu
-pdfjs-findbar-button-label = Tìm
-pdfjs-additional-layers = Các lớp bổ sung
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Trang { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Ảnh thu nhỏ của trang { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Tìm
- .placeholder = Tìm trong tài liệu…
-pdfjs-find-previous-button =
- .title = Tìm cụm từ ở phần trước
-pdfjs-find-previous-button-label = Trước
-pdfjs-find-next-button =
- .title = Tìm cụm từ ở phần sau
-pdfjs-find-next-button-label = Tiếp
-pdfjs-find-highlight-checkbox = Đánh dấu tất cả
-pdfjs-find-match-case-checkbox-label = Phân biệt hoa, thường
-pdfjs-find-match-diacritics-checkbox-label = Khớp dấu phụ
-pdfjs-find-entire-word-checkbox-label = Toàn bộ từ
-pdfjs-find-reached-top = Đã đến phần đầu tài liệu, quay trở lại từ cuối
-pdfjs-find-reached-bottom = Đã đến phần cuối của tài liệu, quay trở lại từ đầu
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = { $current } trên { $total } kết quả
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit = Tìm thấy hơn { $limit } kết quả
-pdfjs-find-not-found = Không tìm thấy cụm từ này
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Vừa chiều rộng
-pdfjs-page-scale-fit = Vừa chiều cao
-pdfjs-page-scale-auto = Tự động chọn kích thước
-pdfjs-page-scale-actual = Kích thước thực
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = Trang { $page }
-
-## Loading indicator messages
-
-pdfjs-loading-error = Lỗi khi tải tài liệu PDF.
-pdfjs-invalid-file-error = Tập tin PDF hỏng hoặc không hợp lệ.
-pdfjs-missing-file-error = Thiếu tập tin PDF.
-pdfjs-unexpected-response-error = Máy chủ có phản hồi lạ.
-pdfjs-rendering-error = Lỗi khi hiển thị trang.
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date }, { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Chú thích]
-
-## Password
-
-pdfjs-password-label = Nhập mật khẩu để mở tập tin PDF này.
-pdfjs-password-invalid = Mật khẩu không đúng. Vui lòng thử lại.
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Hủy bỏ
-pdfjs-web-fonts-disabled = Phông chữ Web bị vô hiệu hóa: không thể sử dụng các phông chữ PDF được nhúng.
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = Văn bản
-pdfjs-editor-free-text-button-label = Văn bản
-pdfjs-editor-ink-button =
- .title = Vẽ
-pdfjs-editor-ink-button-label = Vẽ
-pdfjs-editor-stamp-button =
- .title = Thêm hoặc chỉnh sửa hình ảnh
-pdfjs-editor-stamp-button-label = Thêm hoặc chỉnh sửa hình ảnh
-pdfjs-editor-highlight-button =
- .title = Đánh dấu
-pdfjs-editor-highlight-button-label = Đánh dấu
-pdfjs-highlight-floating-button =
- .title = Đánh dấu
-pdfjs-highlight-floating-button1 =
- .title = Đánh dấu
- .aria-label = Đánh dấu
-pdfjs-highlight-floating-button-label = Đánh dấu
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = Xóa bản vẽ
-pdfjs-editor-remove-freetext-button =
- .title = Xóa văn bản
-pdfjs-editor-remove-stamp-button =
- .title = Xóa ảnh
-pdfjs-editor-remove-highlight-button =
- .title = Xóa phần đánh dấu
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = Màu
-pdfjs-editor-free-text-size-input = Kích cỡ
-pdfjs-editor-ink-color-input = Màu
-pdfjs-editor-ink-thickness-input = Độ dày
-pdfjs-editor-ink-opacity-input = Độ mờ
-pdfjs-editor-stamp-add-image-button =
- .title = Thêm hình ảnh
-pdfjs-editor-stamp-add-image-button-label = Thêm hình ảnh
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = Độ dày
-pdfjs-editor-free-highlight-thickness-title =
- .title = Thay đổi độ dày khi đánh dấu các mục không phải là văn bản
-pdfjs-free-text =
- .aria-label = Trình sửa văn bản
-pdfjs-free-text-default-content = Bắt đầu nhập…
-pdfjs-ink =
- .aria-label = Trình sửa nét vẽ
-pdfjs-ink-canvas =
- .aria-label = Hình ảnh do người dùng tạo
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = Văn bản thay thế
-pdfjs-editor-alt-text-edit-button-label = Chỉnh sửa văn bản thay thế
-pdfjs-editor-alt-text-dialog-label = Chọn một lựa chọn
-pdfjs-editor-alt-text-dialog-description = Văn bản thay thế sẽ hữu ích khi mọi người không thể thấy hình ảnh hoặc khi hình ảnh không tải.
-pdfjs-editor-alt-text-add-description-label = Thêm một mô tả
-pdfjs-editor-alt-text-add-description-description = Hãy nhắm tới 1-2 câu mô tả chủ đề, bối cảnh hoặc hành động.
-pdfjs-editor-alt-text-mark-decorative-label = Đánh dấu là trang trí
-pdfjs-editor-alt-text-mark-decorative-description = Điều này được sử dụng cho các hình ảnh trang trí, như đường viền hoặc watermark.
-pdfjs-editor-alt-text-cancel-button = Hủy bỏ
-pdfjs-editor-alt-text-save-button = Lưu
-pdfjs-editor-alt-text-decorative-tooltip = Đã đánh dấu là trang trí
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = Ví dụ: “Một thanh niên ngồi xuống bàn để thưởng thức một bữa ăn”
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = Trên cùng bên trái — thay đổi kích thước
-pdfjs-editor-resizer-label-top-middle = Trên cùng ở giữa — thay đổi kích thước
-pdfjs-editor-resizer-label-top-right = Trên cùng bên phải — thay đổi kích thước
-pdfjs-editor-resizer-label-middle-right = Ở giữa bên phải — thay đổi kích thước
-pdfjs-editor-resizer-label-bottom-right = Dưới cùng bên phải — thay đổi kích thước
-pdfjs-editor-resizer-label-bottom-middle = Ở giữa dưới cùng — thay đổi kích thước
-pdfjs-editor-resizer-label-bottom-left = Góc dưới bên trái — thay đổi kích thước
-pdfjs-editor-resizer-label-middle-left = Ở giữa bên trái — thay đổi kích thước
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = Màu đánh dấu
-pdfjs-editor-colorpicker-button =
- .title = Thay đổi màu
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = Lựa chọn màu sắc
-pdfjs-editor-colorpicker-yellow =
- .title = Vàng
-pdfjs-editor-colorpicker-green =
- .title = Xanh lục
-pdfjs-editor-colorpicker-blue =
- .title = Xanh dương
-pdfjs-editor-colorpicker-pink =
- .title = Hồng
-pdfjs-editor-colorpicker-red =
- .title = Đỏ
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = Hiện tất cả
-pdfjs-editor-highlight-show-all-button =
- .title = Hiện tất cả
diff --git a/static/pdf.js/locale/vi/viewer.properties b/static/pdf.js/locale/vi/viewer.properties
new file mode 100644
index 00000000..93a95403
--- /dev/null
+++ b/static/pdf.js/locale/vi/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Trang Trước
+previous_label=Trước
+next.title=Trang Sau
+next_label=Tiếp
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Trang:
+page_of=trên {{pageCount}}
+
+zoom_out.title=Thu nhỏ
+zoom_out_label=Thu nhỏ
+zoom_in.title=Phóng to
+zoom_in_label=Phóng to
+zoom.title=Chỉnh kích thước
+presentation_mode.title=Chuyển sang chế độ trình chiếu
+presentation_mode_label=Chế độ trình chiếu
+open_file.title=Mở tập tin
+open_file_label=Mở tập tin
+print.title=In
+print_label=In
+download.title=Tải xuống
+download_label=Tải xuống
+bookmark.title=Góc nhìn hiện tại (copy hoặc mở trong cửa sổ mới)
+bookmark_label=Chế độ xem hiện tại
+
+# Secondary toolbar and context menu
+tools.title=Công cụ
+tools_label=Công cụ
+first_page.title=Về trang đầu
+first_page.label=Về trang đầu
+first_page_label=Về trang đầu
+last_page.title=Đến trang cuối
+last_page.label=Đến trang cuối
+last_page_label=Đến trang cuối
+page_rotate_cw.title=Xoay theo chiều kim đồng hồ
+page_rotate_cw.label=Xoay theo chiều kim đồng hồ
+page_rotate_cw_label=Xoay theo chiều kim đồng hồ
+page_rotate_ccw.title=Xoay ngược chiều kim đồng hồ
+page_rotate_ccw.label=Xoay ngược chiều kim đồng hồ
+page_rotate_ccw_label=Xoay ngược chiều kim đồng hồ
+
+hand_tool_enable.title=Cho phép kéo để cuộn trang
+hand_tool_enable_label=Cho phép kéo để cuộn trang
+hand_tool_disable.title=Tắt kéo để cuộn trang
+hand_tool_disable_label=Tắt kéo để cuộn trang
+
+# Document properties dialog box
+document_properties.title=Thuộc tính của tài liệu…
+document_properties_label=Thuộc tính của tài liệu…
+document_properties_file_name=Tên tập tin:
+document_properties_file_size=Kích thước:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} byte)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} byte)
+document_properties_title=Tiêu đề:
+document_properties_author=Tác giả:
+document_properties_subject=Chủ đề:
+document_properties_keywords=Từ khóa:
+document_properties_creation_date=Ngày tạo:
+document_properties_modification_date=Ngày sửa đổi:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Người tạo:
+document_properties_producer=Phần mềm tạo PDF:
+document_properties_version=Phiên bản PDF:
+document_properties_page_count=Tổng số trang:
+document_properties_close=Ðóng
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Bật/Tắt thanh lề
+toggle_sidebar_label=Bật/Tắt thanh lề
+outline.title=Hiển thị bản phác tài liệu
+outline_label=Bản phác tài liệu
+attachments.title=Hiện nội dung đính kèm
+attachments_label=Nội dung đính kèm
+thumbs.title=Hiển thị ảnh thu nhỏ
+thumbs_label=Ảnh thu nhỏ
+findbar.title=Tìm trong tài liệu
+findbar_label=Tìm
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Trang {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Ảnh thu nhỏ của trang {{page}}
+
+# Find panel button title and messages
+find_label=Tìm:
+find_previous.title=Tìm cụm từ ở phần trước
+find_previous_label=Trước
+find_next.title=Tìm cụm từ ở phần sau
+find_next_label=Tiếp
+find_highlight=Tô sáng tất cả
+find_match_case_label=Phân biệt hoa, thường
+find_reached_top=Đã đến phần đầu tài liệu, quay trở lại từ cuối
+find_reached_bottom=Đã đến phần cuối của tài liệu, quay trở lại từ đầu
+find_not_found=Không tìm thấy cụm từ này
+
+# Error panel labels
+error_more_info=Thông tin thêm
+error_less_info=Hiển thị ít thông tin hơn
+error_close=Đóng
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Thông điệp: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Stack: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Tập tin: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Dòng: {{line}}
+rendering_error=Lỗi khi hiển thị trang.
+
+# Predefined zoom values
+page_scale_width=Vừa chiều rộng
+page_scale_fit=Vừa chiều cao
+page_scale_auto=Tự động chọn kích thước
+page_scale_actual=Kích thước thực
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Lỗi
+loading_error=Lỗi khi tải tài liệu PDF.
+invalid_file_error=Tập tin PDF hỏng hoặc không hợp lệ.
+missing_file_error=Thiếu tập tin PDF.
+unexpected_response_error=Máy chủ có phản hồi lạ.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Chú thích]
+password_label=Nhập mật khẩu để mở tập tin PDF này.
+password_invalid=Mật khẩu không đúng. Vui lòng thử lại.
+password_ok=OK
+password_cancel=Hủy bỏ
+
+printing_not_supported=Cảnh báo: In ấn không được hỗ trợ đầy đủ ở trình duyệt này.
+printing_not_ready=Cảnh báo: PDF chưa được tải hết để in.
+web_fonts_disabled=Phông chữ Web bị vô hiệu hóa: không thể sử dụng các phông chữ PDF được nhúng.
+document_colors_not_allowed=Tài liệu PDF không được cho phép dùng màu riêng: 'Cho phép trang chọn màu riêng' đã bị tắt trên trình duyệt.
diff --git a/static/pdf.js/locale/wo/viewer.ftl b/static/pdf.js/locale/wo/viewer.ftl
deleted file mode 100644
index d66c4591..00000000
--- a/static/pdf.js/locale/wo/viewer.ftl
+++ /dev/null
@@ -1,127 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Xët wi jiitu
-pdfjs-previous-button-label = Bi jiitu
-pdfjs-next-button =
- .title = Xët wi ci topp
-pdfjs-next-button-label = Bi ci topp
-pdfjs-zoom-out-button =
- .title = Wàññi
-pdfjs-zoom-out-button-label = Wàññi
-pdfjs-zoom-in-button =
- .title = Yaatal
-pdfjs-zoom-in-button-label = Yaatal
-pdfjs-zoom-select =
- .title = Yambalaŋ
-pdfjs-presentation-mode-button =
- .title = Wañarñil ci anamu wone
-pdfjs-presentation-mode-button-label = Anamu Wone
-pdfjs-open-file-button =
- .title = Ubbi benn dencukaay
-pdfjs-open-file-button-label = Ubbi
-pdfjs-print-button =
- .title = Móol
-pdfjs-print-button-label = Móol
-
-## Secondary toolbar and context menu
-
-
-## Document properties dialog
-
-pdfjs-document-properties-title = Bopp:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-
-## Print
-
-pdfjs-printing-not-supported = Artu: Joowkat bii nanguwul lool mool.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-thumbs-button =
- .title = Wone nataal yu ndaw yi
-pdfjs-thumbs-button-label = Nataal yu ndaw yi
-pdfjs-findbar-button =
- .title = Gis ci biir jukki bi
-pdfjs-findbar-button-label = Wut
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Xët { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Wiñet bu xët { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-previous-button =
- .title = Seet beneen kaddu bu ni mel te jiitu
-pdfjs-find-previous-button-label = Bi jiitu
-pdfjs-find-next-button =
- .title = Seet beneen kaddu bu ni mel
-pdfjs-find-next-button-label = Bi ci topp
-pdfjs-find-highlight-checkbox = Melaxal lépp
-pdfjs-find-match-case-checkbox-label = Sàmm jëmmalin wi
-pdfjs-find-reached-top = Jot nañu ndorteel xët wi, kontine dale ko ci suuf
-pdfjs-find-reached-bottom = Jot nañu jeexitalu xët wi, kontine ci ndorte
-pdfjs-find-not-found = Gisiñu kaddu gi
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Yaatuwaay bu mët
-pdfjs-page-scale-fit = Xët lëmm
-pdfjs-page-scale-auto = Yambalaŋ ci saa si
-pdfjs-page-scale-actual = Dayo bi am
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Am na njumte ci yebum dencukaay PDF bi.
-pdfjs-invalid-file-error = Dencukaay PDF bi baaxul walla mu sankar.
-pdfjs-rendering-error = Am njumte bu am bi xët bi di wonewu.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [Karmat { $type }]
-
-## Password
-
-pdfjs-password-ok-button = OK
-pdfjs-password-cancel-button = Neenal
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/wo/viewer.properties b/static/pdf.js/locale/wo/viewer.properties
new file mode 100644
index 00000000..1e70845b
--- /dev/null
+++ b/static/pdf.js/locale/wo/viewer.properties
@@ -0,0 +1,124 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Xët wi jiitu
+previous_label=Bi jiitu
+next.title=Xët wi ci topp
+next_label=Bi ci topp
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Xët:
+page_of=ci {{pageCount}}
+
+zoom_out.title=Wàññi
+zoom_out_label=Wàññi
+zoom_in.title=Yaatal
+zoom_in_label=Yaatal
+zoom.title=Yambalaŋ
+presentation_mode.title=Wañarñil ci anamu wone
+presentation_mode_label=Anamu Wone
+open_file.title=Ubbi benn dencukaay
+open_file_label=Ubbi
+print.title=Móol
+print_label=Móol
+download.title=Yeb yi
+download_label=Yeb yi
+bookmark.title=Wone bi taxaw (duppi walla ubbi palanteer bu bees)
+bookmark_label=Wone bi feeñ
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Bopp:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+outline.title=Wone takku yi
+outline_label=Takku jukki yi
+thumbs.title=Wone nataal yu ndaw yi
+thumbs_label=Nataal yu ndaw yi
+findbar.title=Gis ci biir jukki bi
+findbar_label=Wut
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Xët {{xët}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Wiñet bu xët{{xët}}
+
+# Find panel button title and messages
+find_label=Wut:
+find_previous.title=Seet beneen kaddu bu ni mel te jiitu
+find_previous_label=Bi jiitu
+find_next.title=Seet beneen kaddu bu ni mel
+find_next_label=Bi ci topp
+find_highlight=Melaxal lépp
+find_match_case_label=Sàmm jëmmalin wi
+find_reached_top=Jot nañu ndorteel xët wi, kontine dale ko ci suuf
+find_reached_bottom=Jot nañu jeexitalu xët wi, kontine ci ndorte
+find_not_found=Gisiñu kaddu gi
+
+# Error panel labels
+error_more_info=Xibaar yu gën bari
+error_less_info=Xibaar yu gën bari
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Bataaxal: {{bataaxal}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Juug: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Dencukaay: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Rëdd : {{line}}
+rendering_error=Am njumte bu am bi xët bi di wonewu.
+
+# Predefined zoom values
+page_scale_width=Yaatuwaay bu mët
+page_scale_fit=Xët lëmm
+page_scale_auto=Yambalaŋ ci saa si
+page_scale_actual=Dayo bi am
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Njumte
+loading_error=Am na njumte ci yebum dencukaay PDF bi.
+invalid_file_error=Dencukaay PDF bi baaxul walla mu sankar.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Karmat {{type}}]
+password_ok=OK
+password_cancel=Neenal
+
+printing_not_supported=Artu: Joowkat bii nanguwul lool mool.
diff --git a/static/pdf.js/locale/xh/viewer.ftl b/static/pdf.js/locale/xh/viewer.ftl
deleted file mode 100644
index 07988873..00000000
--- a/static/pdf.js/locale/xh/viewer.ftl
+++ /dev/null
@@ -1,212 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = Iphepha langaphambili
-pdfjs-previous-button-label = Okwangaphambili
-pdfjs-next-button =
- .title = Iphepha elilandelayo
-pdfjs-next-button-label = Okulandelayo
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = Iphepha
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = kwali- { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } kwali { $pagesCount })
-pdfjs-zoom-out-button =
- .title = Bhekelisela Kudana
-pdfjs-zoom-out-button-label = Bhekelisela Kudana
-pdfjs-zoom-in-button =
- .title = Sondeza Kufuphi
-pdfjs-zoom-in-button-label = Sondeza Kufuphi
-pdfjs-zoom-select =
- .title = Yandisa / Nciphisa
-pdfjs-presentation-mode-button =
- .title = Tshintshela kwimo yonikezelo
-pdfjs-presentation-mode-button-label = Imo yonikezelo
-pdfjs-open-file-button =
- .title = Vula Ifayile
-pdfjs-open-file-button-label = Vula
-pdfjs-print-button =
- .title = Printa
-pdfjs-print-button-label = Printa
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = Izixhobo zemiyalelo
-pdfjs-tools-button-label = Izixhobo zemiyalelo
-pdfjs-first-page-button =
- .title = Yiya kwiphepha lokuqala
-pdfjs-first-page-button-label = Yiya kwiphepha lokuqala
-pdfjs-last-page-button =
- .title = Yiya kwiphepha lokugqibela
-pdfjs-last-page-button-label = Yiya kwiphepha lokugqibela
-pdfjs-page-rotate-cw-button =
- .title = Jikelisa ngasekunene
-pdfjs-page-rotate-cw-button-label = Jikelisa ngasekunene
-pdfjs-page-rotate-ccw-button =
- .title = Jikelisa ngasekhohlo
-pdfjs-page-rotate-ccw-button-label = Jikelisa ngasekhohlo
-pdfjs-cursor-text-select-tool-button =
- .title = Vumela iSixhobo sokuKhetha iTeksti
-pdfjs-cursor-text-select-tool-button-label = ISixhobo sokuKhetha iTeksti
-pdfjs-cursor-hand-tool-button =
- .title = Yenza iSixhobo seSandla siSebenze
-pdfjs-cursor-hand-tool-button-label = ISixhobo seSandla
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = Iipropati zoxwebhu…
-pdfjs-document-properties-button-label = Iipropati zoxwebhu…
-pdfjs-document-properties-file-name = Igama lefayile:
-pdfjs-document-properties-file-size = Isayizi yefayile:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB (iibhayiti{ $size_b })
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB (iibhayithi{ $size_b })
-pdfjs-document-properties-title = Umxholo:
-pdfjs-document-properties-author = Umbhali:
-pdfjs-document-properties-subject = Umbandela:
-pdfjs-document-properties-keywords = Amagama aphambili:
-pdfjs-document-properties-creation-date = Umhla wokwenziwa kwayo:
-pdfjs-document-properties-modification-date = Umhla wokulungiswa kwayo:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = Umntu oyenzileyo:
-pdfjs-document-properties-producer = Umvelisi we-PDF:
-pdfjs-document-properties-version = Uhlelo lwe-PDF:
-pdfjs-document-properties-page-count = Inani lamaphepha:
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-
-##
-
-pdfjs-document-properties-close-button = Vala
-
-## Print
-
-pdfjs-print-progress-message = Ilungisa uxwebhu ukuze iprinte…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = Rhoxisa
-pdfjs-printing-not-supported = Isilumkiso: Ukuprinta akuxhaswa ngokupheleleyo yile bhrawuza.
-pdfjs-printing-not-ready = Isilumkiso: IPDF ayihlohlwanga ngokupheleleyo ukwenzela ukuprinta.
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = Togola ngebha eseCaleni
-pdfjs-toggle-sidebar-button-label = Togola ngebha eseCaleni
-pdfjs-document-outline-button =
- .title = Bonisa uLwandlalo loXwebhu (cofa kabini ukuze wandise/diliza zonke izinto)
-pdfjs-document-outline-button-label = Isishwankathelo soxwebhu
-pdfjs-attachments-button =
- .title = Bonisa iziqhotyoshelwa
-pdfjs-attachments-button-label = Iziqhoboshelo
-pdfjs-thumbs-button =
- .title = Bonisa ukrobiso kumfanekiso
-pdfjs-thumbs-button-label = Ukrobiso kumfanekiso
-pdfjs-findbar-button =
- .title = Fumana kuXwebhu
-pdfjs-findbar-button-label = Fumana
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = Iphepha { $page }
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = Ukrobiso kumfanekiso wephepha { $page }
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = Fumana
- .placeholder = Fumana kuXwebhu…
-pdfjs-find-previous-button =
- .title = Fumanisa isenzeko sangaphambili sebinzana lamagama
-pdfjs-find-previous-button-label = Okwangaphambili
-pdfjs-find-next-button =
- .title = Fumanisa isenzeko esilandelayo sebinzana lamagama
-pdfjs-find-next-button-label = Okulandelayo
-pdfjs-find-highlight-checkbox = Qaqambisa konke
-pdfjs-find-match-case-checkbox-label = Tshatisa ngobukhulu bukanobumba
-pdfjs-find-reached-top = Ufike ngaphezulu ephepheni, kusukwa ngezantsi
-pdfjs-find-reached-bottom = Ufike ekupheleni kwephepha, kusukwa ngaphezulu
-pdfjs-find-not-found = Ibinzana alifunyenwanga
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = Ububanzi bephepha
-pdfjs-page-scale-fit = Ukulinganiswa kwephepha
-pdfjs-page-scale-auto = Ukwandisa/Ukunciphisa Ngokwayo
-pdfjs-page-scale-actual = Ubungakanani bokwenene
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-
-## Loading indicator messages
-
-pdfjs-loading-error = Imposiso yenzekile xa kulayishwa i-PDF.
-pdfjs-invalid-file-error = Ifayile ye-PDF engeyiyo okanye eyonakalisiweyo.
-pdfjs-missing-file-error = Ifayile ye-PDF edukileyo.
-pdfjs-unexpected-response-error = Impendulo yeseva engalindelekanga.
-pdfjs-rendering-error = Imposiso yenzekile xa bekunikezelwa iphepha.
-
-## Annotations
-
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } Ubhalo-nqaku]
-
-## Password
-
-pdfjs-password-label = Faka ipasiwedi ukuze uvule le fayile yePDF.
-pdfjs-password-invalid = Ipasiwedi ayisebenzi. Nceda uzame kwakhona.
-pdfjs-password-ok-button = KULUNGILE
-pdfjs-password-cancel-button = Rhoxisa
-pdfjs-web-fonts-disabled = Iifonti zewebhu ziqhwalelisiwe: ayikwazi ukusebenzisa iifonti ze-PDF ezincanyathelisiweyo.
-
-## Editing
-
-
-## Alt-text dialog
-
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
diff --git a/static/pdf.js/locale/xh/viewer.properties b/static/pdf.js/locale/xh/viewer.properties
new file mode 100644
index 00000000..db46b4c8
--- /dev/null
+++ b/static/pdf.js/locale/xh/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Iphepha langaphambili
+previous_label=Okwangaphambili
+next.title=Iphepha elilandelayo
+next_label=Okulandelayo
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Iphepha:
+page_of=kwali- {{pageCount}}
+
+zoom_out.title=Bhekelisela Kudana
+zoom_out_label=Bhekelisela Kudana
+zoom_in.title=Sondeza Kufuphi
+zoom_in_label=Sondeza Kufuphi
+zoom.title=Yandisa / Nciphisa
+presentation_mode.title=Tshintshela kwimo yonikezelo
+presentation_mode_label=Imo yonikezelo
+open_file.title=Vula Ifayile
+open_file_label=Vula
+print.title=Printa
+print_label=Printa
+download.title=Khuphela
+download_label=Khuphela
+bookmark.title=Imbonakalo ekhoyo (kopa okanye vula kwifestile entsha)
+bookmark_label=Imbonakalo ekhoyo
+
+# Secondary toolbar and context menu
+tools.title=Izixhobo zemiyalelo
+tools_label=Izixhobo zemiyalelo
+first_page.title=Yiya kwiphepha lokuqala
+first_page.label=Yiya kwiphepha lokuqala
+first_page_label=Yiya kwiphepha lokuqala
+last_page.title=Yiya kwiphepha lokugqibela
+last_page.label=Yiya kwiphepha lokugqibela
+last_page_label=Yiya kwiphepha lokugqibela
+page_rotate_cw.title=Jikelisa ngasekunene
+page_rotate_cw.label=Jikelisa ngasekunene
+page_rotate_cw_label=Jikelisa ngasekunene
+page_rotate_ccw.title=Jikelisa ngasekhohlo
+page_rotate_ccw.label=Jikelisa ngasekhohlo
+page_rotate_ccw_label=Jikelisa ngasekhohlo
+
+hand_tool_enable.title=Yenza isixhobo sesandla sisebenze
+hand_tool_enable_label=Yenza isixhobo sesandla sisebenze
+hand_tool_disable.title=Yenza isixhobo sesandla singasebenzi
+hand_tool_disable_label=Yenza isixhobo sesandla singasebenzi
+
+# Document properties dialog box
+document_properties.title=Iipropati zoxwebhu…
+document_properties_label=Iipropati zoxwebhu…
+document_properties_file_name=Igama lefayile:
+document_properties_file_size=Isayizi yefayile:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB (iibhayiti{{size_b}})
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB (iibhayithi{{size_b}})
+document_properties_title=Umxholo:
+document_properties_author=Umbhali:
+document_properties_subject=Umbandela:
+document_properties_keywords=Amagama aphambili:
+document_properties_creation_date=Umhla wokwenziwa kwayo:
+document_properties_modification_date=Umhla wokulungiswa kwayo:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=Umntu oyenzileyo:
+document_properties_producer=Umvelisi we-PDF:
+document_properties_version=Uhlelo lwe-PDF:
+document_properties_page_count=Inani lamaphepha:
+document_properties_close=Vala
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=Togola ngebha eseCaleni
+toggle_sidebar_label=Togola ngebha eseCaleni
+outline.title=Bonisa isishwankathelo soxwebhu
+outline_label=Isishwankathelo soxwebhu
+attachments.title=Bonisa iziqhotyoshelwa
+attachments_label=Iziqhoboshelo
+thumbs.title=Bonisa ukrobiso kumfanekiso
+thumbs_label=Ukrobiso kumfanekiso
+findbar.title=Fumana kuXwebhu
+findbar_label=Fumana
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Iphepha {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Ukrobiso kumfanekiso wephepha {{page}}
+
+# Find panel button title and messages
+find_label=Fumanisa:
+find_previous.title=Fumanisa isenzeko sangaphambili sebinzana lamagama
+find_previous_label=Okwangaphambili
+find_next.title=Fumanisa isenzeko esilandelayo sebinzana lamagama
+find_next_label=Okulandelayo
+find_highlight=Qaqambisa konke
+find_match_case_label=Tshatisa ngobukhulu bukanobumba
+find_reached_top=Ufike ngaphezulu ephepheni, kusukwa ngezantsi
+find_reached_bottom=Ufike ekupheleni kwephepha, kusukwa ngaphezulu
+find_not_found=Ibinzana alifunyenwanga
+
+# Error panel labels
+error_more_info=Inkcazelo Engakumbi
+error_less_info=Inkcazelo Encinane
+error_close=Vala
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=I-PDF.js v{{version}} (yakha: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Umyalezo: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Imfumba: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ifayile: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Umgca: {{line}}
+rendering_error=Imposiso yenzekile xa bekunikezelwa iphepha.
+
+# Predefined zoom values
+page_scale_width=Ububanzi bephepha
+page_scale_fit=Ukulinganiswa kwephepha
+page_scale_auto=Ukwandisa/Ukunciphisa Ngokwayo
+page_scale_actual=Ubungakanani bokwenene
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=Imposiso
+loading_error=Imposiso yenzekile xa kulayishwa i-PDF.
+invalid_file_error=Ifayile ye-PDF engeyiyo okanye eyonakalisiweyo.
+missing_file_error=Ifayile ye-PDF edukileyo.
+unexpected_response_error=Impendulo yeseva engalindelekanga.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} Ubhalo-nqaku]
+password_label=Faka ipasiwedi ukuze uvule le fayile yePDF.
+password_invalid=Ipasiwedi ayisebenzi. Nceda uzame kwakhona.
+password_ok=KULUNGILE
+password_cancel=Rhoxisa
+
+printing_not_supported=Isilumkiso: Ukuprinta akuxhaswa ngokupheleleyo yile bhrawuza.
+printing_not_ready=Isilumkiso: IPDF ayihlohlwanga ngokupheleleyo ukwenzela ukuprinta.
+web_fonts_disabled=Iifonti zewebhu ziqhwalelisiwe: ayikwazi ukusebenzisa iifonti ze-PDF ezincanyathelisiweyo.
+document_colors_not_allowed=Amaxwebhu ePDF akavumelekanga ukuba asebenzise imibala yawo: 'Ukuvumela amaphepha ukuba asebenzise eyawo imibala' kuvaliwe ukuba kungasebenzi kwibhrawuza.
diff --git a/static/pdf.js/locale/zh-CN/viewer.ftl b/static/pdf.js/locale/zh-CN/viewer.ftl
deleted file mode 100644
index d653d5c2..00000000
--- a/static/pdf.js/locale/zh-CN/viewer.ftl
+++ /dev/null
@@ -1,388 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = 上一页
-pdfjs-previous-button-label = 上一页
-pdfjs-next-button =
- .title = 下一页
-pdfjs-next-button-label = 下一页
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = 页面
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = / { $pagesCount }
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = ({ $pageNumber } / { $pagesCount })
-pdfjs-zoom-out-button =
- .title = 缩小
-pdfjs-zoom-out-button-label = 缩小
-pdfjs-zoom-in-button =
- .title = 放大
-pdfjs-zoom-in-button-label = 放大
-pdfjs-zoom-select =
- .title = 缩放
-pdfjs-presentation-mode-button =
- .title = 切换到演示模式
-pdfjs-presentation-mode-button-label = 演示模式
-pdfjs-open-file-button =
- .title = 打开文件
-pdfjs-open-file-button-label = 打开
-pdfjs-print-button =
- .title = 打印
-pdfjs-print-button-label = 打印
-pdfjs-save-button =
- .title = 保存
-pdfjs-save-button-label = 保存
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = 下载
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = 下载
-pdfjs-bookmark-button =
- .title = 当前页面(在当前页面查看 URL)
-pdfjs-bookmark-button-label = 当前页面
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = 工具
-pdfjs-tools-button-label = 工具
-pdfjs-first-page-button =
- .title = 转到第一页
-pdfjs-first-page-button-label = 转到第一页
-pdfjs-last-page-button =
- .title = 转到最后一页
-pdfjs-last-page-button-label = 转到最后一页
-pdfjs-page-rotate-cw-button =
- .title = 顺时针旋转
-pdfjs-page-rotate-cw-button-label = 顺时针旋转
-pdfjs-page-rotate-ccw-button =
- .title = 逆时针旋转
-pdfjs-page-rotate-ccw-button-label = 逆时针旋转
-pdfjs-cursor-text-select-tool-button =
- .title = 启用文本选择工具
-pdfjs-cursor-text-select-tool-button-label = 文本选择工具
-pdfjs-cursor-hand-tool-button =
- .title = 启用手形工具
-pdfjs-cursor-hand-tool-button-label = 手形工具
-pdfjs-scroll-page-button =
- .title = 使用页面滚动
-pdfjs-scroll-page-button-label = 页面滚动
-pdfjs-scroll-vertical-button =
- .title = 使用垂直滚动
-pdfjs-scroll-vertical-button-label = 垂直滚动
-pdfjs-scroll-horizontal-button =
- .title = 使用水平滚动
-pdfjs-scroll-horizontal-button-label = 水平滚动
-pdfjs-scroll-wrapped-button =
- .title = 使用平铺滚动
-pdfjs-scroll-wrapped-button-label = 平铺滚动
-pdfjs-spread-none-button =
- .title = 不加入衔接页
-pdfjs-spread-none-button-label = 单页视图
-pdfjs-spread-odd-button =
- .title = 加入衔接页使奇数页作为起始页
-pdfjs-spread-odd-button-label = 双页视图
-pdfjs-spread-even-button =
- .title = 加入衔接页使偶数页作为起始页
-pdfjs-spread-even-button-label = 书籍视图
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = 文档属性…
-pdfjs-document-properties-button-label = 文档属性…
-pdfjs-document-properties-file-name = 文件名:
-pdfjs-document-properties-file-size = 文件大小:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB ({ $size_b } 字节)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB ({ $size_b } 字节)
-pdfjs-document-properties-title = 标题:
-pdfjs-document-properties-author = 作者:
-pdfjs-document-properties-subject = 主题:
-pdfjs-document-properties-keywords = 关键词:
-pdfjs-document-properties-creation-date = 创建日期:
-pdfjs-document-properties-modification-date = 修改日期:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date }, { $time }
-pdfjs-document-properties-creator = 创建者:
-pdfjs-document-properties-producer = PDF 生成器:
-pdfjs-document-properties-version = PDF 版本:
-pdfjs-document-properties-page-count = 页数:
-pdfjs-document-properties-page-size = 页面大小:
-pdfjs-document-properties-page-size-unit-inches = 英寸
-pdfjs-document-properties-page-size-unit-millimeters = 毫米
-pdfjs-document-properties-page-size-orientation-portrait = 纵向
-pdfjs-document-properties-page-size-orientation-landscape = 横向
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit }({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit }({ $name },{ $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = 快速 Web 视图:
-pdfjs-document-properties-linearized-yes = 是
-pdfjs-document-properties-linearized-no = 否
-pdfjs-document-properties-close-button = 关闭
-
-## Print
-
-pdfjs-print-progress-message = 正在准备打印文档…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = 取消
-pdfjs-printing-not-supported = 警告:此浏览器尚未完整支持打印功能。
-pdfjs-printing-not-ready = 警告:此 PDF 未完成加载,无法打印。
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = 切换侧栏
-pdfjs-toggle-sidebar-notification-button =
- .title = 切换侧栏(文档所含的大纲/附件/图层)
-pdfjs-toggle-sidebar-button-label = 切换侧栏
-pdfjs-document-outline-button =
- .title = 显示文档大纲(双击展开/折叠所有项)
-pdfjs-document-outline-button-label = 文档大纲
-pdfjs-attachments-button =
- .title = 显示附件
-pdfjs-attachments-button-label = 附件
-pdfjs-layers-button =
- .title = 显示图层(双击即可将所有图层重置为默认状态)
-pdfjs-layers-button-label = 图层
-pdfjs-thumbs-button =
- .title = 显示缩略图
-pdfjs-thumbs-button-label = 缩略图
-pdfjs-current-outline-item-button =
- .title = 查找当前大纲项目
-pdfjs-current-outline-item-button-label = 当前大纲项目
-pdfjs-findbar-button =
- .title = 在文档中查找
-pdfjs-findbar-button-label = 查找
-pdfjs-additional-layers = 其他图层
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = 第 { $page } 页
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = 页面 { $page } 的缩略图
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = 查找
- .placeholder = 在文档中查找…
-pdfjs-find-previous-button =
- .title = 查找词语上一次出现的位置
-pdfjs-find-previous-button-label = 上一页
-pdfjs-find-next-button =
- .title = 查找词语后一次出现的位置
-pdfjs-find-next-button-label = 下一页
-pdfjs-find-highlight-checkbox = 全部高亮显示
-pdfjs-find-match-case-checkbox-label = 区分大小写
-pdfjs-find-match-diacritics-checkbox-label = 匹配变音符号
-pdfjs-find-entire-word-checkbox-label = 全词匹配
-pdfjs-find-reached-top = 到达文档开头,从末尾继续
-pdfjs-find-reached-bottom = 到达文档末尾,从开头继续
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = 第 { $current } 项,共找到 { $total } 个匹配项
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit = 匹配超过 { $limit } 项
-pdfjs-find-not-found = 找不到指定词语
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = 适合页宽
-pdfjs-page-scale-fit = 适合页面
-pdfjs-page-scale-auto = 自动缩放
-pdfjs-page-scale-actual = 实际大小
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = 第 { $page } 页
-
-## Loading indicator messages
-
-pdfjs-loading-error = 加载 PDF 时发生错误。
-pdfjs-invalid-file-error = 无效或损坏的 PDF 文件。
-pdfjs-missing-file-error = 缺少 PDF 文件。
-pdfjs-unexpected-response-error = 意外的服务器响应。
-pdfjs-rendering-error = 渲染页面时发生错误。
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date },{ $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } 注释]
-
-## Password
-
-pdfjs-password-label = 输入密码以打开此 PDF 文件。
-pdfjs-password-invalid = 密码无效。请重试。
-pdfjs-password-ok-button = 确定
-pdfjs-password-cancel-button = 取消
-pdfjs-web-fonts-disabled = Web 字体已被禁用:无法使用嵌入的 PDF 字体。
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = 文本
-pdfjs-editor-free-text-button-label = 文本
-pdfjs-editor-ink-button =
- .title = 绘图
-pdfjs-editor-ink-button-label = 绘图
-pdfjs-editor-stamp-button =
- .title = 添加或编辑图像
-pdfjs-editor-stamp-button-label = 添加或编辑图像
-pdfjs-editor-highlight-button =
- .title = 高亮
-pdfjs-editor-highlight-button-label = 高亮
-pdfjs-highlight-floating-button =
- .title = 高亮
-pdfjs-highlight-floating-button1 =
- .title = 高亮
- .aria-label = 高亮
-pdfjs-highlight-floating-button-label = 高亮
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = 移除绘图
-pdfjs-editor-remove-freetext-button =
- .title = 移除文本
-pdfjs-editor-remove-stamp-button =
- .title = 移除图像
-pdfjs-editor-remove-highlight-button =
- .title = 移除高亮
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = 颜色
-pdfjs-editor-free-text-size-input = 字号
-pdfjs-editor-ink-color-input = 颜色
-pdfjs-editor-ink-thickness-input = 粗细
-pdfjs-editor-ink-opacity-input = 不透明度
-pdfjs-editor-stamp-add-image-button =
- .title = 添加图像
-pdfjs-editor-stamp-add-image-button-label = 添加图像
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = 粗细
-pdfjs-editor-free-highlight-thickness-title =
- .title = 更改高亮粗细(用于文本以外项目)
-pdfjs-free-text =
- .aria-label = 文本编辑器
-pdfjs-free-text-default-content = 开始输入…
-pdfjs-ink =
- .aria-label = 绘图编辑器
-pdfjs-ink-canvas =
- .aria-label = 用户创建图像
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = 替换文字
-pdfjs-editor-alt-text-edit-button-label = 编辑替换文字
-pdfjs-editor-alt-text-dialog-label = 选择一项
-pdfjs-editor-alt-text-dialog-description = 替换文字可在用户无法看到或加载图像时,描述其内容。
-pdfjs-editor-alt-text-add-description-label = 添加描述
-pdfjs-editor-alt-text-add-description-description = 描述主题、背景或动作,长度尽量控制在两句话内。
-pdfjs-editor-alt-text-mark-decorative-label = 标记为装饰
-pdfjs-editor-alt-text-mark-decorative-description = 用于装饰的图像,例如边框和水印。
-pdfjs-editor-alt-text-cancel-button = 取消
-pdfjs-editor-alt-text-save-button = 保存
-pdfjs-editor-alt-text-decorative-tooltip = 已标记为装饰
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = 例如:一个少年坐到桌前,准备吃饭
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = 调整尺寸 - 左上角
-pdfjs-editor-resizer-label-top-middle = 调整尺寸 - 顶部中间
-pdfjs-editor-resizer-label-top-right = 调整尺寸 - 右上角
-pdfjs-editor-resizer-label-middle-right = 调整尺寸 - 右侧中间
-pdfjs-editor-resizer-label-bottom-right = 调整尺寸 - 右下角
-pdfjs-editor-resizer-label-bottom-middle = 调整大小 - 底部中间
-pdfjs-editor-resizer-label-bottom-left = 调整尺寸 - 左下角
-pdfjs-editor-resizer-label-middle-left = 调整尺寸 - 左侧中间
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = 高亮色
-pdfjs-editor-colorpicker-button =
- .title = 更改颜色
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = 颜色选择
-pdfjs-editor-colorpicker-yellow =
- .title = 黄色
-pdfjs-editor-colorpicker-green =
- .title = 绿色
-pdfjs-editor-colorpicker-blue =
- .title = 蓝色
-pdfjs-editor-colorpicker-pink =
- .title = 粉色
-pdfjs-editor-colorpicker-red =
- .title = 红色
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = 显示全部
-pdfjs-editor-highlight-show-all-button =
- .title = 显示全部
diff --git a/static/pdf.js/locale/zh-CN/viewer.properties b/static/pdf.js/locale/zh-CN/viewer.properties
new file mode 100644
index 00000000..b3d0de92
--- /dev/null
+++ b/static/pdf.js/locale/zh-CN/viewer.properties
@@ -0,0 +1,173 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=上一页
+previous_label=上一页
+next.title=下一页
+next_label=下一页
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=页面:
+page_of=/ {{pageCount}}
+
+zoom_out.title=缩小
+zoom_out_label=缩小
+zoom_in.title=放大
+zoom_in_label=放大
+zoom.title=缩放
+presentation_mode.title=切换到演示模式
+presentation_mode_label=演示模式
+open_file.title=打开文件
+open_file_label=打开
+print.title=打印
+print_label=打印
+download.title=下载
+download_label=下载
+bookmark.title=当前视图(复制或在新窗口中打开)
+bookmark_label=当前视图
+
+# Secondary toolbar and context menu
+tools.title=工具
+tools_label=工具
+first_page.title=转到第一页
+first_page.label=转到第一页
+first_page_label=转到第一页
+last_page.title=转到最后一页
+last_page.label=转到最后一页
+last_page_label=转到最后一页
+page_rotate_cw.title=顺时针旋转
+page_rotate_cw.label=顺时针旋转
+page_rotate_cw_label=顺时针旋转
+page_rotate_ccw.title=逆时针旋转
+page_rotate_ccw.label=逆时针旋转
+page_rotate_ccw_label=逆时针旋转
+
+hand_tool_enable.title=启用手形工具
+hand_tool_enable_label=启用手形工具
+hand_tool_disable.title=禁用手形工具
+hand_tool_disable_label=禁用手形工具
+
+# Document properties dialog box
+document_properties.title=文档属性…
+document_properties_label=文档属性…
+document_properties_file_name=文件名:
+document_properties_file_size=文件大小:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB ({{size_b}} 字节)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB ({{size_b}} 字节)
+document_properties_title=标题:
+document_properties_author=作者:
+document_properties_subject=主题:
+document_properties_keywords=关键词:
+document_properties_creation_date=创建日期:
+document_properties_modification_date=修改日期:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=创建者:
+document_properties_producer=PDF 制作者:
+document_properties_version=PDF 版本:
+document_properties_page_count=页数:
+document_properties_close=关闭
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=切换侧栏
+toggle_sidebar_label=切换侧栏
+outline.title=显示文档大纲
+outline_label=文档大纲
+attachments.title=显示附件
+attachments_label=附件
+thumbs.title=显示缩略图
+thumbs_label=缩略图
+findbar.title=在文档中查找
+findbar_label=查找
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=页码 {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=页面 {{page}} 的缩略图
+
+# Find panel button title and messages
+find_label=查找:
+find_previous.title=查找词语上一次出现的位置
+find_previous_label=上一页
+find_next.title=查找词语后一次出现的位置
+find_next_label=下一页
+find_highlight=全部高亮显示
+find_match_case_label=区分大小写
+find_reached_top=到达文档开头,从末尾继续
+find_reached_bottom=到达文档末尾,从开头继续
+find_not_found=词语未找到
+
+# Error panel labels
+error_more_info=更多信息
+error_less_info=更少信息
+error_close=关闭
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=信息:{{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=堆栈:{{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=文件:{{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=行号:{{line}}
+rendering_error=渲染页面时发生错误。
+
+# Predefined zoom values
+page_scale_width=适合页宽
+page_scale_fit=适合页面
+page_scale_auto=自动缩放
+page_scale_actual=实际大小
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=错误
+loading_error=载入PDF时发生错误。
+invalid_file_error=无效或损坏的PDF文件。
+missing_file_error=缺少PDF文件。
+unexpected_response_error=意外的服务器响应。
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} 注解]
+password_label=输入密码以打开此 PDF 文件。
+password_invalid=密码无效。请重试。
+password_ok=确定
+password_cancel=取消
+
+printing_not_supported=警告:打印功能不完全支持此浏览器。
+printing_not_ready=警告:该 PDF 未完全加载以供打印。
+web_fonts_disabled=Web 字体已被禁用:无法使用嵌入的PDF字体。
+document_colors_not_allowed=不允许 PDF 文档使用自己的颜色:浏览器中“允许页面选择自己的颜色”的选项已停用。
diff --git a/static/pdf.js/locale/zh-TW/viewer.ftl b/static/pdf.js/locale/zh-TW/viewer.ftl
deleted file mode 100644
index f8614a9f..00000000
--- a/static/pdf.js/locale/zh-TW/viewer.ftl
+++ /dev/null
@@ -1,394 +0,0 @@
-# This Source Code Form is subject to the terms of the Mozilla Public
-# License, v. 2.0. If a copy of the MPL was not distributed with this
-# file, You can obtain one at http://mozilla.org/MPL/2.0/.
-
-
-## Main toolbar buttons (tooltips and alt text for images)
-
-pdfjs-previous-button =
- .title = 上一頁
-pdfjs-previous-button-label = 上一頁
-pdfjs-next-button =
- .title = 下一頁
-pdfjs-next-button-label = 下一頁
-# .title: Tooltip for the pageNumber input.
-pdfjs-page-input =
- .title = 第
-# Variables:
-# $pagesCount (Number) - the total number of pages in the document
-# This string follows an input field with the number of the page currently displayed.
-pdfjs-of-pages = 頁,共 { $pagesCount } 頁
-# Variables:
-# $pageNumber (Number) - the currently visible page
-# $pagesCount (Number) - the total number of pages in the document
-pdfjs-page-of-pages = (第 { $pageNumber } 頁,共 { $pagesCount } 頁)
-pdfjs-zoom-out-button =
- .title = 縮小
-pdfjs-zoom-out-button-label = 縮小
-pdfjs-zoom-in-button =
- .title = 放大
-pdfjs-zoom-in-button-label = 放大
-pdfjs-zoom-select =
- .title = 縮放
-pdfjs-presentation-mode-button =
- .title = 切換至簡報模式
-pdfjs-presentation-mode-button-label = 簡報模式
-pdfjs-open-file-button =
- .title = 開啟檔案
-pdfjs-open-file-button-label = 開啟
-pdfjs-print-button =
- .title = 列印
-pdfjs-print-button-label = 列印
-pdfjs-save-button =
- .title = 儲存
-pdfjs-save-button-label = 儲存
-# Used in Firefox for Android as a tooltip for the download button (“download” is a verb).
-pdfjs-download-button =
- .title = 下載
-# Used in Firefox for Android as a label for the download button (“download” is a verb).
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-download-button-label = 下載
-pdfjs-bookmark-button =
- .title = 目前頁面(含目前檢視頁面的網址)
-pdfjs-bookmark-button-label = 目前頁面
-# Used in Firefox for Android.
-pdfjs-open-in-app-button =
- .title = 在應用程式中開啟
-# Used in Firefox for Android.
-# Length of the translation matters since we are in a mobile context, with limited screen estate.
-pdfjs-open-in-app-button-label = 用程式開啟
-
-## Secondary toolbar and context menu
-
-pdfjs-tools-button =
- .title = 工具
-pdfjs-tools-button-label = 工具
-pdfjs-first-page-button =
- .title = 跳到第一頁
-pdfjs-first-page-button-label = 跳到第一頁
-pdfjs-last-page-button =
- .title = 跳到最後一頁
-pdfjs-last-page-button-label = 跳到最後一頁
-pdfjs-page-rotate-cw-button =
- .title = 順時針旋轉
-pdfjs-page-rotate-cw-button-label = 順時針旋轉
-pdfjs-page-rotate-ccw-button =
- .title = 逆時針旋轉
-pdfjs-page-rotate-ccw-button-label = 逆時針旋轉
-pdfjs-cursor-text-select-tool-button =
- .title = 開啟文字選擇工具
-pdfjs-cursor-text-select-tool-button-label = 文字選擇工具
-pdfjs-cursor-hand-tool-button =
- .title = 開啟頁面移動工具
-pdfjs-cursor-hand-tool-button-label = 頁面移動工具
-pdfjs-scroll-page-button =
- .title = 使用頁面捲動功能
-pdfjs-scroll-page-button-label = 頁面捲動功能
-pdfjs-scroll-vertical-button =
- .title = 使用垂直捲動版面
-pdfjs-scroll-vertical-button-label = 垂直捲動
-pdfjs-scroll-horizontal-button =
- .title = 使用水平捲動版面
-pdfjs-scroll-horizontal-button-label = 水平捲動
-pdfjs-scroll-wrapped-button =
- .title = 使用多頁捲動版面
-pdfjs-scroll-wrapped-button-label = 多頁捲動
-pdfjs-spread-none-button =
- .title = 不要進行跨頁顯示
-pdfjs-spread-none-button-label = 不跨頁
-pdfjs-spread-odd-button =
- .title = 從奇數頁開始跨頁
-pdfjs-spread-odd-button-label = 奇數跨頁
-pdfjs-spread-even-button =
- .title = 從偶數頁開始跨頁
-pdfjs-spread-even-button-label = 偶數跨頁
-
-## Document properties dialog
-
-pdfjs-document-properties-button =
- .title = 文件內容…
-pdfjs-document-properties-button-label = 文件內容…
-pdfjs-document-properties-file-name = 檔案名稱:
-pdfjs-document-properties-file-size = 檔案大小:
-# Variables:
-# $size_kb (Number) - the PDF file size in kilobytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-kb = { $size_kb } KB({ $size_b } 位元組)
-# Variables:
-# $size_mb (Number) - the PDF file size in megabytes
-# $size_b (Number) - the PDF file size in bytes
-pdfjs-document-properties-mb = { $size_mb } MB({ $size_b } 位元組)
-pdfjs-document-properties-title = 標題:
-pdfjs-document-properties-author = 作者:
-pdfjs-document-properties-subject = 主旨:
-pdfjs-document-properties-keywords = 關鍵字:
-pdfjs-document-properties-creation-date = 建立日期:
-pdfjs-document-properties-modification-date = 修改日期:
-# Variables:
-# $date (Date) - the creation/modification date of the PDF file
-# $time (Time) - the creation/modification time of the PDF file
-pdfjs-document-properties-date-string = { $date } { $time }
-pdfjs-document-properties-creator = 建立者:
-pdfjs-document-properties-producer = PDF 產生器:
-pdfjs-document-properties-version = PDF 版本:
-pdfjs-document-properties-page-count = 頁數:
-pdfjs-document-properties-page-size = 頁面大小:
-pdfjs-document-properties-page-size-unit-inches = in
-pdfjs-document-properties-page-size-unit-millimeters = mm
-pdfjs-document-properties-page-size-orientation-portrait = 垂直
-pdfjs-document-properties-page-size-orientation-landscape = 水平
-pdfjs-document-properties-page-size-name-a-three = A3
-pdfjs-document-properties-page-size-name-a-four = A4
-pdfjs-document-properties-page-size-name-letter = Letter
-pdfjs-document-properties-page-size-name-legal = Legal
-
-## Variables:
-## $width (Number) - the width of the (current) page
-## $height (Number) - the height of the (current) page
-## $unit (String) - the unit of measurement of the (current) page
-## $name (String) - the name of the (current) page
-## $orientation (String) - the orientation of the (current) page
-
-pdfjs-document-properties-page-size-dimension-string = { $width } × { $height } { $unit }({ $orientation })
-pdfjs-document-properties-page-size-dimension-name-string = { $width } × { $height } { $unit }({ $name },{ $orientation })
-
-##
-
-# The linearization status of the document; usually called "Fast Web View" in
-# English locales of Adobe software.
-pdfjs-document-properties-linearized = 快速 Web 檢視:
-pdfjs-document-properties-linearized-yes = 是
-pdfjs-document-properties-linearized-no = 否
-pdfjs-document-properties-close-button = 關閉
-
-## Print
-
-pdfjs-print-progress-message = 正在準備列印文件…
-# Variables:
-# $progress (Number) - percent value
-pdfjs-print-progress-percent = { $progress }%
-pdfjs-print-progress-close-button = 取消
-pdfjs-printing-not-supported = 警告: 此瀏覽器未完整支援列印功能。
-pdfjs-printing-not-ready = 警告: 此 PDF 未完成下載以供列印。
-
-## Tooltips and alt text for side panel toolbar buttons
-
-pdfjs-toggle-sidebar-button =
- .title = 切換側邊欄
-pdfjs-toggle-sidebar-notification-button =
- .title = 切換側邊欄(包含大綱、附件、圖層的文件)
-pdfjs-toggle-sidebar-button-label = 切換側邊欄
-pdfjs-document-outline-button =
- .title = 顯示文件大綱(雙擊展開/摺疊所有項目)
-pdfjs-document-outline-button-label = 文件大綱
-pdfjs-attachments-button =
- .title = 顯示附件
-pdfjs-attachments-button-label = 附件
-pdfjs-layers-button =
- .title = 顯示圖層(滑鼠雙擊即可將所有圖層重設為預設狀態)
-pdfjs-layers-button-label = 圖層
-pdfjs-thumbs-button =
- .title = 顯示縮圖
-pdfjs-thumbs-button-label = 縮圖
-pdfjs-current-outline-item-button =
- .title = 尋找目前的大綱項目
-pdfjs-current-outline-item-button-label = 目前的大綱項目
-pdfjs-findbar-button =
- .title = 在文件中尋找
-pdfjs-findbar-button-label = 尋找
-pdfjs-additional-layers = 其他圖層
-
-## Thumbnails panel item (tooltip and alt text for images)
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-title =
- .title = 第 { $page } 頁
-# Variables:
-# $page (Number) - the page number
-pdfjs-thumb-page-canvas =
- .aria-label = 第 { $page } 頁的縮圖
-
-## Find panel button title and messages
-
-pdfjs-find-input =
- .title = 尋找
- .placeholder = 在文件中搜尋…
-pdfjs-find-previous-button =
- .title = 尋找文字前次出現的位置
-pdfjs-find-previous-button-label = 上一個
-pdfjs-find-next-button =
- .title = 尋找文字下次出現的位置
-pdfjs-find-next-button-label = 下一個
-pdfjs-find-highlight-checkbox = 強調全部
-pdfjs-find-match-case-checkbox-label = 區分大小寫
-pdfjs-find-match-diacritics-checkbox-label = 符合變音符號
-pdfjs-find-entire-word-checkbox-label = 符合整個字
-pdfjs-find-reached-top = 已搜尋至文件頂端,自底端繼續搜尋
-pdfjs-find-reached-bottom = 已搜尋至文件底端,自頂端繼續搜尋
-# Variables:
-# $current (Number) - the index of the currently active find result
-# $total (Number) - the total number of matches in the document
-pdfjs-find-match-count = 第 { $current } 筆符合,共符合 { $total } 筆
-# Variables:
-# $limit (Number) - the maximum number of matches
-pdfjs-find-match-count-limit = 符合超過 { $limit } 項
-pdfjs-find-not-found = 找不到指定文字
-
-## Predefined zoom values
-
-pdfjs-page-scale-width = 頁面寬度
-pdfjs-page-scale-fit = 縮放至頁面大小
-pdfjs-page-scale-auto = 自動縮放
-pdfjs-page-scale-actual = 實際大小
-# Variables:
-# $scale (Number) - percent value for page scale
-pdfjs-page-scale-percent = { $scale }%
-
-## PDF page
-
-# Variables:
-# $page (Number) - the page number
-pdfjs-page-landmark =
- .aria-label = 第 { $page } 頁
-
-## Loading indicator messages
-
-pdfjs-loading-error = 載入 PDF 時發生錯誤。
-pdfjs-invalid-file-error = 無效或毀損的 PDF 檔案。
-pdfjs-missing-file-error = 找不到 PDF 檔案。
-pdfjs-unexpected-response-error = 伺服器回應未預期的內容。
-pdfjs-rendering-error = 描繪頁面時發生錯誤。
-
-## Annotations
-
-# Variables:
-# $date (Date) - the modification date of the annotation
-# $time (Time) - the modification time of the annotation
-pdfjs-annotation-date-string = { $date } { $time }
-# .alt: This is used as a tooltip.
-# Variables:
-# $type (String) - an annotation type from a list defined in the PDF spec
-# (32000-1:2008 Table 169 – Annotation types).
-# Some common types are e.g.: "Check", "Text", "Comment", "Note"
-pdfjs-text-annotation-type =
- .alt = [{ $type } 註解]
-
-## Password
-
-pdfjs-password-label = 請輸入用來開啟此 PDF 檔案的密碼。
-pdfjs-password-invalid = 密碼不正確,請再試一次。
-pdfjs-password-ok-button = 確定
-pdfjs-password-cancel-button = 取消
-pdfjs-web-fonts-disabled = 已停用網路字型 (Web fonts): 無法使用 PDF 內嵌字型。
-
-## Editing
-
-pdfjs-editor-free-text-button =
- .title = 文字
-pdfjs-editor-free-text-button-label = 文字
-pdfjs-editor-ink-button =
- .title = 繪圖
-pdfjs-editor-ink-button-label = 繪圖
-pdfjs-editor-stamp-button =
- .title = 新增或編輯圖片
-pdfjs-editor-stamp-button-label = 新增或編輯圖片
-pdfjs-editor-highlight-button =
- .title = 強調
-pdfjs-editor-highlight-button-label = 強調
-pdfjs-highlight-floating-button =
- .title = 強調
-pdfjs-highlight-floating-button1 =
- .title = 強調
- .aria-label = 強調
-pdfjs-highlight-floating-button-label = 強調
-
-## Remove button for the various kind of editor.
-
-pdfjs-editor-remove-ink-button =
- .title = 移除繪圖
-pdfjs-editor-remove-freetext-button =
- .title = 移除文字
-pdfjs-editor-remove-stamp-button =
- .title = 移除圖片
-pdfjs-editor-remove-highlight-button =
- .title = 移除強調範圍
-
-##
-
-# Editor Parameters
-pdfjs-editor-free-text-color-input = 色彩
-pdfjs-editor-free-text-size-input = 大小
-pdfjs-editor-ink-color-input = 色彩
-pdfjs-editor-ink-thickness-input = 線條粗細
-pdfjs-editor-ink-opacity-input = 透明度
-pdfjs-editor-stamp-add-image-button =
- .title = 新增圖片
-pdfjs-editor-stamp-add-image-button-label = 新增圖片
-# This refers to the thickness of the line used for free highlighting (not bound to text)
-pdfjs-editor-free-highlight-thickness-input = 線條粗細
-pdfjs-editor-free-highlight-thickness-title =
- .title = 更改強調文字以外的項目時的線條粗細
-pdfjs-free-text =
- .aria-label = 文本編輯器
-pdfjs-free-text-default-content = 開始打字…
-pdfjs-ink =
- .aria-label = 圖形編輯器
-pdfjs-ink-canvas =
- .aria-label = 使用者建立的圖片
-
-## Alt-text dialog
-
-# Alternative text (alt text) helps when people can't see the image.
-pdfjs-editor-alt-text-button-label = 替代文字
-pdfjs-editor-alt-text-edit-button-label = 編輯替代文字
-pdfjs-editor-alt-text-dialog-label = 挑選一種
-pdfjs-editor-alt-text-dialog-description = 替代文字可協助盲人,或於圖片無法載入時提供說明。
-pdfjs-editor-alt-text-add-description-label = 新增描述
-pdfjs-editor-alt-text-add-description-description = 用 1-2 句文字描述主題、背景或動作。
-pdfjs-editor-alt-text-mark-decorative-label = 標示為裝飾性內容
-pdfjs-editor-alt-text-mark-decorative-description = 這是裝飾性圖片,例如邊框或浮水印。
-pdfjs-editor-alt-text-cancel-button = 取消
-pdfjs-editor-alt-text-save-button = 儲存
-pdfjs-editor-alt-text-decorative-tooltip = 已標示為裝飾性內容
-# .placeholder: This is a placeholder for the alt text input area
-pdfjs-editor-alt-text-textarea =
- .placeholder = 例如:「有一位年輕男人坐在桌子前面吃飯」
-
-## Editor resizers
-## This is used in an aria label to help to understand the role of the resizer.
-
-pdfjs-editor-resizer-label-top-left = 左上角 — 調整大小
-pdfjs-editor-resizer-label-top-middle = 頂部中間 — 調整大小
-pdfjs-editor-resizer-label-top-right = 右上角 — 調整大小
-pdfjs-editor-resizer-label-middle-right = 中間右方 — 調整大小
-pdfjs-editor-resizer-label-bottom-right = 右下角 — 調整大小
-pdfjs-editor-resizer-label-bottom-middle = 底部中間 — 調整大小
-pdfjs-editor-resizer-label-bottom-left = 左下角 — 調整大小
-pdfjs-editor-resizer-label-middle-left = 中間左方 — 調整大小
-
-## Color picker
-
-# This means "Color used to highlight text"
-pdfjs-editor-highlight-colorpicker-label = 強調色彩
-pdfjs-editor-colorpicker-button =
- .title = 更改色彩
-pdfjs-editor-colorpicker-dropdown =
- .aria-label = 色彩選項
-pdfjs-editor-colorpicker-yellow =
- .title = 黃色
-pdfjs-editor-colorpicker-green =
- .title = 綠色
-pdfjs-editor-colorpicker-blue =
- .title = 藍色
-pdfjs-editor-colorpicker-pink =
- .title = 粉紅色
-pdfjs-editor-colorpicker-red =
- .title = 紅色
-
-## Show all highlights
-## This is a toggle button to show/hide all the highlights.
-
-pdfjs-editor-highlight-show-all-button-label = 顯示全部
-pdfjs-editor-highlight-show-all-button =
- .title = 顯示全部
diff --git a/static/pdf.js/locale/zh-TW/viewer.properties b/static/pdf.js/locale/zh-TW/viewer.properties
new file mode 100644
index 00000000..495ce107
--- /dev/null
+++ b/static/pdf.js/locale/zh-TW/viewer.properties
@@ -0,0 +1,174 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=上一頁
+previous_label=上一頁
+next.title=下一頁
+next_label=下一頁
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=頁:
+page_of=/ {{pageCount}}
+
+zoom_out.title=縮小
+zoom_out_label=縮小
+zoom_in.title=放大
+zoom_in_label=放大
+zoom.title=縮放
+presentation_mode.title=切換至簡報模式
+presentation_mode_label=簡報模式
+open_file.title=開啟檔案
+open_file_label=開啟
+print.title=列印
+print_label=列印
+download.title=下載
+download_label=下載
+bookmark.title=目前檢視的內容(複製或開啟於新視窗)
+bookmark_label=目前檢視
+
+# Secondary toolbar and context menu
+tools.title=工具
+tools_label=工具
+first_page.title=跳到第一頁
+first_page.label=跳到第一頁
+first_page_label=跳到第一頁
+last_page.title=跳到最後一頁
+last_page.label=跳到最後一頁
+last_page_label=跳到最後一頁
+page_rotate_cw.title=順時針旋轉
+page_rotate_cw.label=順時針旋轉
+page_rotate_cw_label=順時針旋轉
+page_rotate_ccw.title=逆時針旋轉
+page_rotate_ccw.label=逆時針旋轉
+page_rotate_ccw_label=逆時針旋轉
+
+hand_tool_enable.title=啟用掌型工具
+hand_tool_enable_label=啟用掌型工具
+hand_tool_disable.title=停用掌型工具
+hand_tool_disable_label=停用掌型工具
+
+# Document properties dialog box
+document_properties.title=文件內容…
+document_properties_label=文件內容…
+document_properties_file_name=檔案名稱:
+document_properties_file_size=檔案大小:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+document_properties_kb={{size_kb}} KB({{size_b}} 位元組)
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_mb={{size_mb}} MB({{size_b}} 位元組)
+document_properties_title=標題:
+document_properties_author=作者:
+document_properties_subject=主旨:
+document_properties_keywords=關鍵字:
+document_properties_creation_date=建立日期:
+document_properties_modification_date=修改日期:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+document_properties_date_string={{date}}, {{time}}
+document_properties_creator=建立者:
+document_properties_producer=PDF 產生器:
+document_properties_version=PDF 版本:
+document_properties_page_count=頁數:
+document_properties_close=關閉
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=切換側邊欄
+toggle_sidebar_label=切換側邊欄
+outline.title=顯示文件大綱
+outline_label=文件大綱
+attachments.title=顯示附件
+attachments_label=附件
+thumbs.title=顯示縮圖
+thumbs_label=縮圖
+findbar.title=在文件中尋找
+findbar_label=尋找
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=頁 {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=頁 {{page}} 的縮圖
+
+# Find panel button title and messages
+find_label=尋找:
+find_previous.title=尋找文字前次出現的位置
+find_previous_label=上一個
+find_next.title=尋找文字下次出現的位置
+find_next_label=下一個
+find_highlight=全部強調標示
+find_match_case_label=區分大小寫
+find_reached_top=已搜尋至文件頂端,自底端繼續搜尋
+find_reached_bottom=已搜尋至文件底端,自頂端繼續搜尋
+find_not_found=找不到指定文字
+
+# Error panel labels
+error_more_info=更多資訊
+error_less_info=更少資訊
+error_close=關閉
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=訊息: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=堆疊: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=檔案: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=行: {{line}}
+rendering_error=描繪頁面時發生錯誤。
+
+# Predefined zoom values
+page_scale_width=頁面寬度
+page_scale_fit=縮放至頁面大小
+page_scale_auto=自動縮放
+page_scale_actual=實際大小
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+page_scale_percent={{scale}}%
+
+# Loading indicator messages
+loading_error_indicator=錯誤
+loading_error=載入 PDF 時發生錯誤。
+invalid_file_error=無效或毀損的 PDF 檔案。
+missing_file_error=找不到 PDF 檔案。
+unexpected_response_error=伺服器回應未預期的內容。
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[{{type}} 註解]
+password_label=請輸入用來開啟此 PDF 檔案的密碼。
+password_invalid=密碼不正確,請再試一次。
+password_ok=確定
+password_cancel=取消
+
+printing_not_supported=警告: 此瀏覽器未完整支援列印功能。
+printing_not_ready=警告: 此 PDF 未完成下載以供列印。
+web_fonts_disabled=已停用網路字型 (Web fonts): 無法使用 PDF 內嵌字型。
+document_colors_not_allowed=不允許 PDF 文件使用自訂色彩: 已停用瀏覽器的「優先使用網頁指定的色彩」設定。
+
diff --git a/static/pdf.js/locale/zu/viewer.properties b/static/pdf.js/locale/zu/viewer.properties
new file mode 100644
index 00000000..2ccf70c4
--- /dev/null
+++ b/static/pdf.js/locale/zu/viewer.properties
@@ -0,0 +1,132 @@
+# Copyright 2012 Mozilla Foundation
+#
+# Licensed under the Apache License, Version 2.0 (the "License");
+# you may not use this file except in compliance with the License.
+# You may obtain a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS,
+# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+# See the License for the specific language governing permissions and
+# limitations under the License.
+
+# Main toolbar buttons (tooltips and alt text for images)
+previous.title=Ikhasi eledlule
+previous_label=Okudlule
+next.title=Ikhasi elilandelayo
+next_label=Okulandelayo
+
+# LOCALIZATION NOTE (page_label, page_of):
+# These strings are concatenated to form the "Page: X of Y" string.
+# Do not translate "{{pageCount}}", it will be substituted with a number
+# representing the total number of pages.
+page_label=Ikhasi:
+page_of=kwe-{{pageCount}}
+
+zoom_out.title=Hlehlisela emuva
+zoom_out_label=Hlehlisela emuva
+zoom_in.title=Sondeza eduze
+zoom_in_label=Sondeza eduze
+zoom.title=Lwiza
+presentation_mode.title=Guqulela kwindlela yesethulo
+presentation_mode_label=Indlelo yesethulo
+open_file.title=Vula ifayela
+open_file_label=Vula
+print.title=Phrinta
+print_label=Phrinta
+download.title=Landa
+download_label=Landa
+bookmark.title=Ukubuka kwamanje (kopisha noma vula kwifasitela elisha)
+bookmark_label=Ukubuka kwamanje
+
+# Secondary toolbar and context menu
+
+
+# Document properties dialog box
+document_properties_file_name=Igama lefayela:
+# LOCALIZATION NOTE (document_properties_kb): "{{size_kb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in kilobytes, respectively in bytes.
+# LOCALIZATION NOTE (document_properties_mb): "{{size_mb}}" and "{{size_b}}"
+# will be replaced by the PDF file size in megabytes, respectively in bytes.
+document_properties_title=Isihloko:
+# LOCALIZATION NOTE (document_properties_date_string): "{{date}}" and "{{time}}"
+# will be replaced by the creation/modification date, and time, of the PDF file.
+
+# Tooltips and alt text for side panel toolbar buttons
+# (the _label strings are alt text for the buttons, the .title strings are
+# tooltips)
+toggle_sidebar.title=I-toggle yebha yaseceleni
+toggle_sidebar_label=i-toggle yebha yaseceleni
+outline.title=Bonisa umugqa waseceleni wedokhumenti
+outline_label=Umugqa waseceleni wedokhumenti
+thumbs.title=Bonisa izithombe ezincane
+thumbs_label=Izithonjana
+findbar.title=Thola kwidokhumenti
+findbar_label=Thola
+
+# Thumbnails panel item (tooltip and alt text for images)
+# LOCALIZATION NOTE (thumb_page_title): "{{page}}" will be replaced by the page
+# number.
+thumb_page_title=Ikhasi {{page}}
+# LOCALIZATION NOTE (thumb_page_canvas): "{{page}}" will be replaced by the page
+# number.
+thumb_page_canvas=Isithonjana sekhasi {{page}}
+
+# Find panel button title and messages
+find_label=Thola
+find_previous.title=Thola indawo eyandulelayo okuvela kuyo lomshwana
+find_previous_label=Okudlulile
+find_next.title=Thola enye indawo okuvela kuyo lomshwana
+find_next_label=Okulandelayo
+find_highlight=Gqamisa konke
+find_match_case_label=Fanisa ikheyisi
+find_reached_top=Finyelele phezulu kwidokhumenti, qhubeka kusukaphansi
+find_reached_bottom=Ifinyelele ekupheleni kwedokhumenti, qhubeka kusukaphezulu
+find_not_found=Umshwana awutholakali
+
+# Error panel labels
+error_more_info=Ukwaziswa Okwengeziwe
+error_less_info=Ukwazi okuncane
+# LOCALIZATION NOTE (error_version_info): "{{version}}" and "{{build}}" will be
+# replaced by the PDF.JS version and build ID.
+error_version_info=PDF.js v{{version}} (build: {{build}})
+# LOCALIZATION NOTE (error_message): "{{message}}" will be replaced by an
+# english string describing the error.
+error_message=Umlayezo: {{message}}
+# LOCALIZATION NOTE (error_stack): "{{stack}}" will be replaced with a stack
+# trace.
+error_stack=Isitaki: {{stack}}
+# LOCALIZATION NOTE (error_file): "{{file}}" will be replaced with a filename
+error_file=Ifayela: {{file}}
+# LOCALIZATION NOTE (error_line): "{{line}}" will be replaced with a line number
+error_line=Umugqa: {{line}}
+rendering_error=Iphutha lenzekile uma kunikwa ikhasi.
+
+# Predefined zoom values
+page_scale_width=Ububanzi bekhasi
+page_scale_fit=Ukulingana kwekhasi
+page_scale_auto=Ukulwiza okuzenzekalelayo
+page_scale_actual=Usayizi Wangempela
+# LOCALIZATION NOTE (page_scale_percent): "{{scale}}" will be replaced by a
+# numerical scale value.
+
+# Loading indicator messages
+loading_error_indicator=Iphutha
+loading_error=Kwenzeke iphutha uma kulayishwa i-PDF.
+invalid_file_error=Ifayela le-PDF elingavumelekile noma elonakele.
+missing_file_error=Ifayela le-PDF elilahlekile.
+
+# LOCALIZATION NOTE (text_annotation_type.alt): This is used as a tooltip.
+# "{{type}}" will be replaced with an annotation type from a list defined in
+# the PDF spec (32000-1:2008 Table 169 – Annotation types).
+# Some common types are e.g.: "Check", "Text", "Comment", "Note"
+text_annotation_type.alt=[Amazwibela e-{{type}}]
+password_ok=Kulungile
+password_cancel=Khansela
+
+printing_not_supported=Isixwayiso: Ukuphrinta akuxhasiwe yilesisiphequluli ngokugcwele.
+printing_not_ready=Isixwayiso: I-PDF ayikalayishwa ngokuphelele yiPhrinta.
+web_fonts_disabled=Amafonti e-webhu akutshaziwe: ayikwazi ukusebenzisa amafonti abekiwe e-PDF.\u0020
+document_colors_not_allowed=Amadokhumenti we-PDF awavumelekile ukusebenzisa imibalo yayo: 'Vumela amakhasi ukukhetha imibala yayo' ayisebenzi kusiphequluli.
diff --git a/static/pdf.js/minify.py b/static/pdf.js/minify.py
new file mode 100644
index 00000000..5e815af5
--- /dev/null
+++ b/static/pdf.js/minify.py
@@ -0,0 +1,3 @@
+import ox
+import sys
+with open(sys.argv[2], 'w') as f: f.write(ox.js.minify(open(sys.argv[1]).read()))
diff --git a/static/pdf.js/pandora.css b/static/pdf.js/pandora.css
deleted file mode 100644
index d146cdc3..00000000
--- a/static/pdf.js/pandora.css
+++ /dev/null
@@ -1,48 +0,0 @@
-
-.toolbarButton.cropFile::before,
- .secondaryToolbarButton.cropFile::before {
- mask-image: url(custom/toolbarButton-crop.png);
-}
-.toolbarButton.embedPage::before,
- .secondaryToolbarButton.embedPage::before {
- mask-image: url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNTYiIGhlaWdodD0iMjU2IiB2aWV3Qm94PSIwIDAgMjU2IDI1NiI+PGxpbmUgeDE9Ijg4IiB5MT0iNTYiIHgyPSIyNCIgeTI9IjEyOCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48bGluZSB4MT0iMjQiIHkxPSIxMjgiIHgyPSI4OCIgeTI9IjIwMCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48bGluZSB4MT0iMTY4IiB5MT0iNTYiIHgyPSIyMzIiIHkyPSIxMjgiIHN0cm9rZT0iIzAwMDAwMCIgc3Ryb2tlLWxpbmVjYXA9InJvdW5kIiBzdHJva2Utd2lkdGg9IjQ4Ii8+PGxpbmUgeDE9IjIzMiIgeTE9IjEyOCIgeDI9IjE2OCIgeTI9IjIwMCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48L3N2Zz48IS0teyJjb2xvciI6ImRlZmF1bHQiLCJuYW1lIjoic3ltYm9sRW1iZWQiLCJ0aGVtZSI6Im94bWVkaXVtIn0tLT4=);
-}
-@media screen and (min-resolution: 2dppx) {
- .toolbarButton.cropFile::before,
- .secondaryToolbarButton.cropFile::before {
- mask-image: url(custom/toolbarButton-crop@2x.png);
- }
- .toolbarButton.embedPage::before,
- .secondaryToolbarButton.embedPage::before {
- mask-image: url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNTYiIGhlaWdodD0iMjU2IiB2aWV3Qm94PSIwIDAgMjU2IDI1NiI+PGxpbmUgeDE9Ijg4IiB5MT0iNTYiIHgyPSIyNCIgeTI9IjEyOCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48bGluZSB4MT0iMjQiIHkxPSIxMjgiIHgyPSI4OCIgeTI9IjIwMCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48bGluZSB4MT0iMTY4IiB5MT0iNTYiIHgyPSIyMzIiIHkyPSIxMjgiIHN0cm9rZT0iIzAwMDAwMCIgc3Ryb2tlLWxpbmVjYXA9InJvdW5kIiBzdHJva2Utd2lkdGg9IjQ4Ii8+PGxpbmUgeDE9IjIzMiIgeTE9IjEyOCIgeDI9IjE2OCIgeTI9IjIwMCIgc3Ryb2tlPSIjMDAwMDAwIiBzdHJva2UtbGluZWNhcD0icm91bmQiIHN0cm9rZS13aWR0aD0iNDgiLz48L3N2Zz48IS0teyJjb2xvciI6ImRlZmF1bHQiLCJuYW1lIjoic3ltYm9sRW1iZWQiLCJ0aGVtZSI6Im94bWVkaXVtIn0tLT4=);
- }
-}
-
-.verticalToolbarSeparator.hiddenMediumView,
-#print,
-#secondaryPrint,
-#openFile,
-#secondaryOpenFile,
-#editorModeButtons {
- display: none !important;
-}
-
-.page .crop-overlay {
- position: absolute;
- top: 0;
- bottom: 0;
- left: 0;
- right: 0;
- //background: rgba(0,0,0,0.5);
- cursor: crosshair;
- z-index: 100;
-}
-.page .crop-overlay.inactive {
- pointer-events: none;
- cursor: default;
-}
-
-.page .crop-overlay canvas {
- width: 100%;
- height: 100%;
-}
diff --git a/static/pdf.js/pandora.js b/static/pdf.js/pandora.js
deleted file mode 100644
index 27f73ccb..00000000
--- a/static/pdf.js/pandora.js
+++ /dev/null
@@ -1,261 +0,0 @@
-var cropInactive = true
-var info = {}
-var cache = {}
-var documentId
-var baseUrl = document.location.protocol + '//' + document.location.host
-
-
-
-var div = document.createElement("div")
-div.innerHTML = `
-
-`
-var cropFile = div.querySelector("#cropFile")
-
-document.querySelector('#toolbarViewerRight').insertBefore(cropFile, document.querySelector('#toolbarViewerRight').firstChild)
-
-div.innerHTML = `
-
-`
-var embedPage = div.querySelector("#embedPage")
-document.querySelector('#toolbarViewerRight').insertBefore(embedPage, document.querySelector('#toolbarViewerRight').firstChild)
-embedPage.addEventListener("click", event => {
- Ox.$parent.postMessage('embed', {
- page: PDFViewerApplication.page
- });
-})
-
-// secondary menu
-div.innerHTML = `
-
-`
-var secondaryCropFile = div.querySelector("#secondaryCropFile")
-document.querySelector('#secondaryToolbarButtonContainer').insertBefore(
- secondaryCropFile,
- document.querySelector('#secondaryToolbarButtonContainer').firstChild
-)
-
-div.innerHTML = `
-
-`
-var secondaryEmbedPage = div.querySelector("#secondaryEmbedPage")
-document.querySelector('#secondaryToolbarButtonContainer').insertBefore(
- secondaryEmbedPage,
- document.querySelector('#secondaryToolbarButtonContainer').firstChild
-)
-secondaryEmbedPage.addEventListener("click", event => {
- Ox.$parent.postMessage('embed', {
- page: PDFViewerApplication.page
- });
-})
-
-
-async function archiveAPI(action, data) {
- var url = baseUrl + '/api/'
- var key = JSON.stringify([action, data])
- if (!cache[key]) {
- var response = await fetch(url, {
- method: 'POST',
- headers: {'Content-Type': 'application/json'},
- body: JSON.stringify({
- action: action,
- data: data
- })
- })
- cache[key] = await response.json()
- }
- return cache[key]
-}
-
-function getCookie(name) {
- var cookieValue = null;
- if (document.cookie && document.cookie !== '') {
- var cookies = document.cookie.split(';');
- for (var i = 0; i < cookies.length; i++) {
- var cookie = cookies[i].trim();
- // Does this cookie string begin with the name we want?
- if (cookie.substring(0, name.length + 1) === (name + '=')) {
- cookieValue = decodeURIComponent(cookie.substring(name.length + 1));
- break;
- }
- }
- }
- return cookieValue;
-}
-
-function renderCropOverlay(root, documentId, page) {
- var canvas = document.createElement('canvas')
- root.appendChild(canvas)
- canvas.width = canvas.clientWidth
- canvas.height = canvas.clientHeight
- var ctx = canvas.getContext('2d');
- var viewerContainer = document.querySelector('#viewerContainer')
- var bounds = root.getBoundingClientRect();
- var base = 2048
- var scale = Math.max(bounds.height, bounds.width) / base
- var last_mousex = last_mousey = 0;
- var mousex = mousey = 0;
- var mousedown = false;
- var p = {
- top: 0,
- left: 0,
- bottom: 0,
- right: 0
- }
-
- canvas.addEventListener('mousedown', function(e) {
- let bounds = root.getBoundingClientRect();
- last_mousex = e.clientX - bounds.left;
- last_mousey = e.clientY - bounds.top;
- p.top = parseInt(last_mousey / scale)
- p.left = parseInt(last_mousex / scale)
- mousedown = true;
- });
-
- document.addEventListener('mouseup', function(e) {
- if (mousedown) {
- mousedown = false;
- p.bottom = parseInt(mousey / scale)
- p.right = parseInt(mousex / scale)
-
- if (p.top > p.bottom) {
- var t = p.top
- p.top = p.bottom
- p.bottom = t
- }
- if (p.left > p.right) {
- var t = p.left
- p.left = p.right
- p.right = t
- }
- var url = `${baseUrl}/documents/${documentId}/2048p${page},${p.left},${p.top},${p.right},${p.bottom}.jpg`
- info.url = `${baseUrl}/document/${documentId}/${page}`
- info.page = page
- if (p.left != p.right && p.top != p.bottom) {
- var context = formatOutput(info, url)
- copyToClipboard(context)
- addToRecent({
- document: documentId,
- page: parseInt(page),
- title: info.title,
- type: 'fragment',
- link: `${baseUrl}/documents/${documentId}/${page}`,
- src: url
- })
- }
- }
- });
-
- canvas.addEventListener('mousemove', function(e) {
- let bounds = root.getBoundingClientRect();
- mousex = e.clientX - bounds.left;
- mousey = e.clientY - bounds.top;
-
- if(mousedown) {
- ctx.clearRect(0, 0, canvas.clientWidth, canvas.clientHeight)
- ctx.beginPath()
- var width = mousex - last_mousex
- var height = mousey - last_mousey
- ctx.rect(last_mousex, last_mousey, width, height)
- ctx.strokeStyle = 'black';
- ctx.lineWidth = 2;
- ctx.stroke();
- }
- });
-}
-
-
-const copyToClipboard = str => {
- const el = document.createElement('textarea');
- el.value = str;
- el.setAttribute('readonly', '');
- el.style.position = 'absolute';
- el.style.left = '-9999px';
- document.body.appendChild(el);
- el.select();
- document.execCommand('copy');
- document.body.removeChild(el);
-};
-
-
-function getInfo(documentId) {
- archiveAPI('getDocument', {id: documentId, keys: ['title', 'pages']}).then(result => {
- info.title = result.data.title
- info.pages = result.data.pages
- info.id = documentId
- })
-}
-
-function formatOutput(info, url) {
- var output = `${url}\n${info.title}, Page ${info.page}\n${info.url}`
- return output
-}
-
-const addToRecent = obj => {
- var recent = []
- if (localStorage['recentClippings']) {
- recent = JSON.parse(localStorage['recentClippings'])
- }
- recent.unshift(obj)
- localStorage['recentClippings'] = JSON.stringify(recent)
-}
-
-function initOverlay() {
- document.querySelectorAll('#cropFile,.secondaryToolbarButton.cropFile').forEach(btn => {
- btn.addEventListener('click', event=> {
- if (cropInactive) {
- event.target.style.background = 'red'
- cropInactive = false
- document.querySelectorAll('.crop-overlay.inactive').forEach(element => {
- element.classList.remove('inactive')
- })
- } else {
- event.target.style.background = ''
- cropInactive = true
- document.querySelectorAll('.crop-overlay').forEach(element => {
- element.classList.add('inactive')
- })
- }
- })
- })
- var first = true
- PDFViewerApplication.initializedPromise.then(function() {
- PDFViewerApplication.pdfViewer.eventBus.on("pagesinit", function(event) {
- documentId = PDFViewerApplication.url.split('/').splice(-2).shift()
- getInfo(documentId)
- document.querySelector('#viewerContainer').addEventListener('scroll', event => {
- if (window.parent && window.parent.postMessage) {
- if (first) {
- first = false
- } else {
- window.parent.postMessage({event: 'scrolled', top: event.target.scrollTop})
- }
- }
- })
- })
- PDFViewerApplication.pdfViewer.eventBus.on("pagerender", function(event) {
- var page = event.pageNumber.toString()
- var div = event.source.div
- var overlay = document.createElement('div')
- overlay.classList.add('crop-overlay')
- overlay.id = 'overlay' + page
- if (cropInactive) {
- overlay.classList.add('inactive')
- }
- div.appendChild(overlay)
- renderCropOverlay(overlay, documentId, page)
- })
- })
-}
-
-document.addEventListener('DOMContentLoaded', function() {
- window.PDFViewerApplication ? initOverlay() : document.addEventListener("webviewerloaded", initOverlay)
-})
diff --git a/static/pdf.js/pdf.js b/static/pdf.js/pdf.js
new file mode 100644
index 00000000..6c9aa662
--- /dev/null
+++ b/static/pdf.js/pdf.js
@@ -0,0 +1,10707 @@
+/* Copyright 2012 Mozilla Foundation
+ *
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+/* jshint globalstrict: false */
+/* umdutils ignore */
+
+(function (root, factory) {
+ 'use strict';
+ if (typeof define === 'function' && define.amd) {
+define('pdfjs-dist/build/pdf', ['exports'], factory);
+ } else if (typeof exports !== 'undefined') {
+ factory(exports);
+ } else {
+factory((root.pdfjsDistBuildPdf = {}));
+ }
+}(this, function (exports) {
+ // Use strict in our context only - users might not want it
+ 'use strict';
+
+var pdfjsVersion = '1.4.193';
+var pdfjsBuild = '9d1c5b9';
+
+ var pdfjsFilePath =
+ typeof document !== 'undefined' && document.currentScript ?
+ document.currentScript.src : null;
+
+ var pdfjsLibs = {};
+
+ (function pdfjsWrapper() {
+
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsSharedUtil = {}));
+ }
+}(this, function (exports) {
+
+var globalScope = (typeof window !== 'undefined') ? window :
+ (typeof global !== 'undefined') ? global :
+ (typeof self !== 'undefined') ? self : this;
+
+var FONT_IDENTITY_MATRIX = [0.001, 0, 0, 0.001, 0, 0];
+
+var TextRenderingMode = {
+ FILL: 0,
+ STROKE: 1,
+ FILL_STROKE: 2,
+ INVISIBLE: 3,
+ FILL_ADD_TO_PATH: 4,
+ STROKE_ADD_TO_PATH: 5,
+ FILL_STROKE_ADD_TO_PATH: 6,
+ ADD_TO_PATH: 7,
+ FILL_STROKE_MASK: 3,
+ ADD_TO_PATH_FLAG: 4
+};
+
+var ImageKind = {
+ GRAYSCALE_1BPP: 1,
+ RGB_24BPP: 2,
+ RGBA_32BPP: 3
+};
+
+var AnnotationType = {
+ TEXT: 1,
+ LINK: 2,
+ FREETEXT: 3,
+ LINE: 4,
+ SQUARE: 5,
+ CIRCLE: 6,
+ POLYGON: 7,
+ POLYLINE: 8,
+ HIGHLIGHT: 9,
+ UNDERLINE: 10,
+ SQUIGGLY: 11,
+ STRIKEOUT: 12,
+ STAMP: 13,
+ CARET: 14,
+ INK: 15,
+ POPUP: 16,
+ FILEATTACHMENT: 17,
+ SOUND: 18,
+ MOVIE: 19,
+ WIDGET: 20,
+ SCREEN: 21,
+ PRINTERMARK: 22,
+ TRAPNET: 23,
+ WATERMARK: 24,
+ THREED: 25,
+ REDACT: 26
+};
+
+var AnnotationFlag = {
+ INVISIBLE: 0x01,
+ HIDDEN: 0x02,
+ PRINT: 0x04,
+ NOZOOM: 0x08,
+ NOROTATE: 0x10,
+ NOVIEW: 0x20,
+ READONLY: 0x40,
+ LOCKED: 0x80,
+ TOGGLENOVIEW: 0x100,
+ LOCKEDCONTENTS: 0x200
+};
+
+var AnnotationBorderStyleType = {
+ SOLID: 1,
+ DASHED: 2,
+ BEVELED: 3,
+ INSET: 4,
+ UNDERLINE: 5
+};
+
+var StreamType = {
+ UNKNOWN: 0,
+ FLATE: 1,
+ LZW: 2,
+ DCT: 3,
+ JPX: 4,
+ JBIG: 5,
+ A85: 6,
+ AHX: 7,
+ CCF: 8,
+ RL: 9
+};
+
+var FontType = {
+ UNKNOWN: 0,
+ TYPE1: 1,
+ TYPE1C: 2,
+ CIDFONTTYPE0: 3,
+ CIDFONTTYPE0C: 4,
+ TRUETYPE: 5,
+ CIDFONTTYPE2: 6,
+ TYPE3: 7,
+ OPENTYPE: 8,
+ TYPE0: 9,
+ MMTYPE1: 10
+};
+
+var VERBOSITY_LEVELS = {
+ errors: 0,
+ warnings: 1,
+ infos: 5
+};
+
+// All the possible operations for an operator list.
+var OPS = {
+ // Intentionally start from 1 so it is easy to spot bad operators that will be
+ // 0's.
+ dependency: 1,
+ setLineWidth: 2,
+ setLineCap: 3,
+ setLineJoin: 4,
+ setMiterLimit: 5,
+ setDash: 6,
+ setRenderingIntent: 7,
+ setFlatness: 8,
+ setGState: 9,
+ save: 10,
+ restore: 11,
+ transform: 12,
+ moveTo: 13,
+ lineTo: 14,
+ curveTo: 15,
+ curveTo2: 16,
+ curveTo3: 17,
+ closePath: 18,
+ rectangle: 19,
+ stroke: 20,
+ closeStroke: 21,
+ fill: 22,
+ eoFill: 23,
+ fillStroke: 24,
+ eoFillStroke: 25,
+ closeFillStroke: 26,
+ closeEOFillStroke: 27,
+ endPath: 28,
+ clip: 29,
+ eoClip: 30,
+ beginText: 31,
+ endText: 32,
+ setCharSpacing: 33,
+ setWordSpacing: 34,
+ setHScale: 35,
+ setLeading: 36,
+ setFont: 37,
+ setTextRenderingMode: 38,
+ setTextRise: 39,
+ moveText: 40,
+ setLeadingMoveText: 41,
+ setTextMatrix: 42,
+ nextLine: 43,
+ showText: 44,
+ showSpacedText: 45,
+ nextLineShowText: 46,
+ nextLineSetSpacingShowText: 47,
+ setCharWidth: 48,
+ setCharWidthAndBounds: 49,
+ setStrokeColorSpace: 50,
+ setFillColorSpace: 51,
+ setStrokeColor: 52,
+ setStrokeColorN: 53,
+ setFillColor: 54,
+ setFillColorN: 55,
+ setStrokeGray: 56,
+ setFillGray: 57,
+ setStrokeRGBColor: 58,
+ setFillRGBColor: 59,
+ setStrokeCMYKColor: 60,
+ setFillCMYKColor: 61,
+ shadingFill: 62,
+ beginInlineImage: 63,
+ beginImageData: 64,
+ endInlineImage: 65,
+ paintXObject: 66,
+ markPoint: 67,
+ markPointProps: 68,
+ beginMarkedContent: 69,
+ beginMarkedContentProps: 70,
+ endMarkedContent: 71,
+ beginCompat: 72,
+ endCompat: 73,
+ paintFormXObjectBegin: 74,
+ paintFormXObjectEnd: 75,
+ beginGroup: 76,
+ endGroup: 77,
+ beginAnnotations: 78,
+ endAnnotations: 79,
+ beginAnnotation: 80,
+ endAnnotation: 81,
+ paintJpegXObject: 82,
+ paintImageMaskXObject: 83,
+ paintImageMaskXObjectGroup: 84,
+ paintImageXObject: 85,
+ paintInlineImageXObject: 86,
+ paintInlineImageXObjectGroup: 87,
+ paintImageXObjectRepeat: 88,
+ paintImageMaskXObjectRepeat: 89,
+ paintSolidColorImageMask: 90,
+ constructPath: 91
+};
+
+var verbosity = VERBOSITY_LEVELS.warnings;
+
+function setVerbosityLevel(level) {
+ verbosity = level;
+}
+
+function getVerbosityLevel() {
+ return verbosity;
+}
+
+// A notice for devs. These are good for things that are helpful to devs, such
+// as warning that Workers were disabled, which is important to devs but not
+// end users.
+function info(msg) {
+ if (verbosity >= VERBOSITY_LEVELS.infos) {
+ console.log('Info: ' + msg);
+ }
+}
+
+// Non-fatal warnings.
+function warn(msg) {
+ if (verbosity >= VERBOSITY_LEVELS.warnings) {
+ console.log('Warning: ' + msg);
+ }
+}
+
+// Deprecated API function -- display regardless of the PDFJS.verbosity setting.
+function deprecated(details) {
+ console.log('Deprecated API usage: ' + details);
+}
+
+// Fatal errors that should trigger the fallback UI and halt execution by
+// throwing an exception.
+function error(msg) {
+ if (verbosity >= VERBOSITY_LEVELS.errors) {
+ console.log('Error: ' + msg);
+ console.log(backtrace());
+ }
+ throw new Error(msg);
+}
+
+function backtrace() {
+ try {
+ throw new Error();
+ } catch (e) {
+ return e.stack ? e.stack.split('\n').slice(2).join('\n') : '';
+ }
+}
+
+function assert(cond, msg) {
+ if (!cond) {
+ error(msg);
+ }
+}
+
+var UNSUPPORTED_FEATURES = {
+ unknown: 'unknown',
+ forms: 'forms',
+ javaScript: 'javaScript',
+ smask: 'smask',
+ shadingPattern: 'shadingPattern',
+ font: 'font'
+};
+
+// Combines two URLs. The baseUrl shall be absolute URL. If the url is an
+// absolute URL, it will be returned as is.
+function combineUrl(baseUrl, url) {
+ if (!url) {
+ return baseUrl;
+ }
+ return new URL(url, baseUrl).href;
+}
+
+// Checks if URLs have the same origin. For non-HTTP based URLs, returns false.
+function isSameOrigin(baseUrl, otherUrl) {
+ try {
+ var base = new URL(baseUrl);
+ if (!base.origin || base.origin === 'null') {
+ return false; // non-HTTP url
+ }
+ } catch (e) {
+ return false;
+ }
+
+ var other = new URL(otherUrl, base);
+ return base.origin === other.origin;
+}
+
+// Validates if URL is safe and allowed, e.g. to avoid XSS.
+function isValidUrl(url, allowRelative) {
+ if (!url) {
+ return false;
+ }
+ // RFC 3986 (http://tools.ietf.org/html/rfc3986#section-3.1)
+ // scheme = ALPHA *( ALPHA / DIGIT / "+" / "-" / "." )
+ var protocol = /^[a-z][a-z0-9+\-.]*(?=:)/i.exec(url);
+ if (!protocol) {
+ return allowRelative;
+ }
+ protocol = protocol[0].toLowerCase();
+ switch (protocol) {
+ case 'http':
+ case 'https':
+ case 'ftp':
+ case 'mailto':
+ case 'tel':
+ return true;
+ default:
+ return false;
+ }
+}
+
+function shadow(obj, prop, value) {
+ Object.defineProperty(obj, prop, { value: value,
+ enumerable: true,
+ configurable: true,
+ writable: false });
+ return value;
+}
+
+function getLookupTableFactory(initializer) {
+ var lookup;
+ return function () {
+ if (initializer) {
+ lookup = Object.create(null);
+ initializer(lookup);
+ initializer = null;
+ }
+ return lookup;
+ };
+}
+
+var PasswordResponses = {
+ NEED_PASSWORD: 1,
+ INCORRECT_PASSWORD: 2
+};
+
+var PasswordException = (function PasswordExceptionClosure() {
+ function PasswordException(msg, code) {
+ this.name = 'PasswordException';
+ this.message = msg;
+ this.code = code;
+ }
+
+ PasswordException.prototype = new Error();
+ PasswordException.constructor = PasswordException;
+
+ return PasswordException;
+})();
+
+var UnknownErrorException = (function UnknownErrorExceptionClosure() {
+ function UnknownErrorException(msg, details) {
+ this.name = 'UnknownErrorException';
+ this.message = msg;
+ this.details = details;
+ }
+
+ UnknownErrorException.prototype = new Error();
+ UnknownErrorException.constructor = UnknownErrorException;
+
+ return UnknownErrorException;
+})();
+
+var InvalidPDFException = (function InvalidPDFExceptionClosure() {
+ function InvalidPDFException(msg) {
+ this.name = 'InvalidPDFException';
+ this.message = msg;
+ }
+
+ InvalidPDFException.prototype = new Error();
+ InvalidPDFException.constructor = InvalidPDFException;
+
+ return InvalidPDFException;
+})();
+
+var MissingPDFException = (function MissingPDFExceptionClosure() {
+ function MissingPDFException(msg) {
+ this.name = 'MissingPDFException';
+ this.message = msg;
+ }
+
+ MissingPDFException.prototype = new Error();
+ MissingPDFException.constructor = MissingPDFException;
+
+ return MissingPDFException;
+})();
+
+var UnexpectedResponseException =
+ (function UnexpectedResponseExceptionClosure() {
+ function UnexpectedResponseException(msg, status) {
+ this.name = 'UnexpectedResponseException';
+ this.message = msg;
+ this.status = status;
+ }
+
+ UnexpectedResponseException.prototype = new Error();
+ UnexpectedResponseException.constructor = UnexpectedResponseException;
+
+ return UnexpectedResponseException;
+})();
+
+var NotImplementedException = (function NotImplementedExceptionClosure() {
+ function NotImplementedException(msg) {
+ this.message = msg;
+ }
+
+ NotImplementedException.prototype = new Error();
+ NotImplementedException.prototype.name = 'NotImplementedException';
+ NotImplementedException.constructor = NotImplementedException;
+
+ return NotImplementedException;
+})();
+
+var MissingDataException = (function MissingDataExceptionClosure() {
+ function MissingDataException(begin, end) {
+ this.begin = begin;
+ this.end = end;
+ this.message = 'Missing data [' + begin + ', ' + end + ')';
+ }
+
+ MissingDataException.prototype = new Error();
+ MissingDataException.prototype.name = 'MissingDataException';
+ MissingDataException.constructor = MissingDataException;
+
+ return MissingDataException;
+})();
+
+var XRefParseException = (function XRefParseExceptionClosure() {
+ function XRefParseException(msg) {
+ this.message = msg;
+ }
+
+ XRefParseException.prototype = new Error();
+ XRefParseException.prototype.name = 'XRefParseException';
+ XRefParseException.constructor = XRefParseException;
+
+ return XRefParseException;
+})();
+
+var NullCharactersRegExp = /\x00/g;
+
+function removeNullCharacters(str) {
+ if (typeof str !== 'string') {
+ warn('The argument for removeNullCharacters must be a string.');
+ return str;
+ }
+ return str.replace(NullCharactersRegExp, '');
+}
+
+function bytesToString(bytes) {
+ assert(bytes !== null && typeof bytes === 'object' &&
+ bytes.length !== undefined, 'Invalid argument for bytesToString');
+ var length = bytes.length;
+ var MAX_ARGUMENT_COUNT = 8192;
+ if (length < MAX_ARGUMENT_COUNT) {
+ return String.fromCharCode.apply(null, bytes);
+ }
+ var strBuf = [];
+ for (var i = 0; i < length; i += MAX_ARGUMENT_COUNT) {
+ var chunkEnd = Math.min(i + MAX_ARGUMENT_COUNT, length);
+ var chunk = bytes.subarray(i, chunkEnd);
+ strBuf.push(String.fromCharCode.apply(null, chunk));
+ }
+ return strBuf.join('');
+}
+
+function stringToBytes(str) {
+ assert(typeof str === 'string', 'Invalid argument for stringToBytes');
+ var length = str.length;
+ var bytes = new Uint8Array(length);
+ for (var i = 0; i < length; ++i) {
+ bytes[i] = str.charCodeAt(i) & 0xFF;
+ }
+ return bytes;
+}
+
+/**
+ * Gets length of the array (Array, Uint8Array, or string) in bytes.
+ * @param {Array|Uint8Array|string} arr
+ * @returns {number}
+ */
+function arrayByteLength(arr) {
+ if (arr.length !== undefined) {
+ return arr.length;
+ }
+ assert(arr.byteLength !== undefined);
+ return arr.byteLength;
+}
+
+/**
+ * Combines array items (arrays) into single Uint8Array object.
+ * @param {Array} arr - the array of the arrays (Array, Uint8Array, or string).
+ * @returns {Uint8Array}
+ */
+function arraysToBytes(arr) {
+ // Shortcut: if first and only item is Uint8Array, return it.
+ if (arr.length === 1 && (arr[0] instanceof Uint8Array)) {
+ return arr[0];
+ }
+ var resultLength = 0;
+ var i, ii = arr.length;
+ var item, itemLength ;
+ for (i = 0; i < ii; i++) {
+ item = arr[i];
+ itemLength = arrayByteLength(item);
+ resultLength += itemLength;
+ }
+ var pos = 0;
+ var data = new Uint8Array(resultLength);
+ for (i = 0; i < ii; i++) {
+ item = arr[i];
+ if (!(item instanceof Uint8Array)) {
+ if (typeof item === 'string') {
+ item = stringToBytes(item);
+ } else {
+ item = new Uint8Array(item);
+ }
+ }
+ itemLength = item.byteLength;
+ data.set(item, pos);
+ pos += itemLength;
+ }
+ return data;
+}
+
+function string32(value) {
+ return String.fromCharCode((value >> 24) & 0xff, (value >> 16) & 0xff,
+ (value >> 8) & 0xff, value & 0xff);
+}
+
+function log2(x) {
+ var n = 1, i = 0;
+ while (x > n) {
+ n <<= 1;
+ i++;
+ }
+ return i;
+}
+
+function readInt8(data, start) {
+ return (data[start] << 24) >> 24;
+}
+
+function readUint16(data, offset) {
+ return (data[offset] << 8) | data[offset + 1];
+}
+
+function readUint32(data, offset) {
+ return ((data[offset] << 24) | (data[offset + 1] << 16) |
+ (data[offset + 2] << 8) | data[offset + 3]) >>> 0;
+}
+
+// Lazy test the endianness of the platform
+// NOTE: This will be 'true' for simulated TypedArrays
+function isLittleEndian() {
+ var buffer8 = new Uint8Array(2);
+ buffer8[0] = 1;
+ var buffer16 = new Uint16Array(buffer8.buffer);
+ return (buffer16[0] === 1);
+}
+
+var Uint32ArrayView = (function Uint32ArrayViewClosure() {
+
+ function Uint32ArrayView(buffer, length) {
+ this.buffer = buffer;
+ this.byteLength = buffer.length;
+ this.length = length === undefined ? (this.byteLength >> 2) : length;
+ ensureUint32ArrayViewProps(this.length);
+ }
+ Uint32ArrayView.prototype = Object.create(null);
+
+ var uint32ArrayViewSetters = 0;
+ function createUint32ArrayProp(index) {
+ return {
+ get: function () {
+ var buffer = this.buffer, offset = index << 2;
+ return (buffer[offset] | (buffer[offset + 1] << 8) |
+ (buffer[offset + 2] << 16) | (buffer[offset + 3] << 24)) >>> 0;
+ },
+ set: function (value) {
+ var buffer = this.buffer, offset = index << 2;
+ buffer[offset] = value & 255;
+ buffer[offset + 1] = (value >> 8) & 255;
+ buffer[offset + 2] = (value >> 16) & 255;
+ buffer[offset + 3] = (value >>> 24) & 255;
+ }
+ };
+ }
+
+ function ensureUint32ArrayViewProps(length) {
+ while (uint32ArrayViewSetters < length) {
+ Object.defineProperty(Uint32ArrayView.prototype,
+ uint32ArrayViewSetters,
+ createUint32ArrayProp(uint32ArrayViewSetters));
+ uint32ArrayViewSetters++;
+ }
+ }
+
+ return Uint32ArrayView;
+})();
+
+exports.Uint32ArrayView = Uint32ArrayView;
+
+var IDENTITY_MATRIX = [1, 0, 0, 1, 0, 0];
+
+var Util = (function UtilClosure() {
+ function Util() {}
+
+ var rgbBuf = ['rgb(', 0, ',', 0, ',', 0, ')'];
+
+ // makeCssRgb() can be called thousands of times. Using |rgbBuf| avoids
+ // creating many intermediate strings.
+ Util.makeCssRgb = function Util_makeCssRgb(r, g, b) {
+ rgbBuf[1] = r;
+ rgbBuf[3] = g;
+ rgbBuf[5] = b;
+ return rgbBuf.join('');
+ };
+
+ // Concatenates two transformation matrices together and returns the result.
+ Util.transform = function Util_transform(m1, m2) {
+ return [
+ m1[0] * m2[0] + m1[2] * m2[1],
+ m1[1] * m2[0] + m1[3] * m2[1],
+ m1[0] * m2[2] + m1[2] * m2[3],
+ m1[1] * m2[2] + m1[3] * m2[3],
+ m1[0] * m2[4] + m1[2] * m2[5] + m1[4],
+ m1[1] * m2[4] + m1[3] * m2[5] + m1[5]
+ ];
+ };
+
+ // For 2d affine transforms
+ Util.applyTransform = function Util_applyTransform(p, m) {
+ var xt = p[0] * m[0] + p[1] * m[2] + m[4];
+ var yt = p[0] * m[1] + p[1] * m[3] + m[5];
+ return [xt, yt];
+ };
+
+ Util.applyInverseTransform = function Util_applyInverseTransform(p, m) {
+ var d = m[0] * m[3] - m[1] * m[2];
+ var xt = (p[0] * m[3] - p[1] * m[2] + m[2] * m[5] - m[4] * m[3]) / d;
+ var yt = (-p[0] * m[1] + p[1] * m[0] + m[4] * m[1] - m[5] * m[0]) / d;
+ return [xt, yt];
+ };
+
+ // Applies the transform to the rectangle and finds the minimum axially
+ // aligned bounding box.
+ Util.getAxialAlignedBoundingBox =
+ function Util_getAxialAlignedBoundingBox(r, m) {
+
+ var p1 = Util.applyTransform(r, m);
+ var p2 = Util.applyTransform(r.slice(2, 4), m);
+ var p3 = Util.applyTransform([r[0], r[3]], m);
+ var p4 = Util.applyTransform([r[2], r[1]], m);
+ return [
+ Math.min(p1[0], p2[0], p3[0], p4[0]),
+ Math.min(p1[1], p2[1], p3[1], p4[1]),
+ Math.max(p1[0], p2[0], p3[0], p4[0]),
+ Math.max(p1[1], p2[1], p3[1], p4[1])
+ ];
+ };
+
+ Util.inverseTransform = function Util_inverseTransform(m) {
+ var d = m[0] * m[3] - m[1] * m[2];
+ return [m[3] / d, -m[1] / d, -m[2] / d, m[0] / d,
+ (m[2] * m[5] - m[4] * m[3]) / d, (m[4] * m[1] - m[5] * m[0]) / d];
+ };
+
+ // Apply a generic 3d matrix M on a 3-vector v:
+ // | a b c | | X |
+ // | d e f | x | Y |
+ // | g h i | | Z |
+ // M is assumed to be serialized as [a,b,c,d,e,f,g,h,i],
+ // with v as [X,Y,Z]
+ Util.apply3dTransform = function Util_apply3dTransform(m, v) {
+ return [
+ m[0] * v[0] + m[1] * v[1] + m[2] * v[2],
+ m[3] * v[0] + m[4] * v[1] + m[5] * v[2],
+ m[6] * v[0] + m[7] * v[1] + m[8] * v[2]
+ ];
+ };
+
+ // This calculation uses Singular Value Decomposition.
+ // The SVD can be represented with formula A = USV. We are interested in the
+ // matrix S here because it represents the scale values.
+ Util.singularValueDecompose2dScale =
+ function Util_singularValueDecompose2dScale(m) {
+
+ var transpose = [m[0], m[2], m[1], m[3]];
+
+ // Multiply matrix m with its transpose.
+ var a = m[0] * transpose[0] + m[1] * transpose[2];
+ var b = m[0] * transpose[1] + m[1] * transpose[3];
+ var c = m[2] * transpose[0] + m[3] * transpose[2];
+ var d = m[2] * transpose[1] + m[3] * transpose[3];
+
+ // Solve the second degree polynomial to get roots.
+ var first = (a + d) / 2;
+ var second = Math.sqrt((a + d) * (a + d) - 4 * (a * d - c * b)) / 2;
+ var sx = first + second || 1;
+ var sy = first - second || 1;
+
+ // Scale values are the square roots of the eigenvalues.
+ return [Math.sqrt(sx), Math.sqrt(sy)];
+ };
+
+ // Normalize rectangle rect=[x1, y1, x2, y2] so that (x1,y1) < (x2,y2)
+ // For coordinate systems whose origin lies in the bottom-left, this
+ // means normalization to (BL,TR) ordering. For systems with origin in the
+ // top-left, this means (TL,BR) ordering.
+ Util.normalizeRect = function Util_normalizeRect(rect) {
+ var r = rect.slice(0); // clone rect
+ if (rect[0] > rect[2]) {
+ r[0] = rect[2];
+ r[2] = rect[0];
+ }
+ if (rect[1] > rect[3]) {
+ r[1] = rect[3];
+ r[3] = rect[1];
+ }
+ return r;
+ };
+
+ // Returns a rectangle [x1, y1, x2, y2] corresponding to the
+ // intersection of rect1 and rect2. If no intersection, returns 'false'
+ // The rectangle coordinates of rect1, rect2 should be [x1, y1, x2, y2]
+ Util.intersect = function Util_intersect(rect1, rect2) {
+ function compare(a, b) {
+ return a - b;
+ }
+
+ // Order points along the axes
+ var orderedX = [rect1[0], rect1[2], rect2[0], rect2[2]].sort(compare),
+ orderedY = [rect1[1], rect1[3], rect2[1], rect2[3]].sort(compare),
+ result = [];
+
+ rect1 = Util.normalizeRect(rect1);
+ rect2 = Util.normalizeRect(rect2);
+
+ // X: first and second points belong to different rectangles?
+ if ((orderedX[0] === rect1[0] && orderedX[1] === rect2[0]) ||
+ (orderedX[0] === rect2[0] && orderedX[1] === rect1[0])) {
+ // Intersection must be between second and third points
+ result[0] = orderedX[1];
+ result[2] = orderedX[2];
+ } else {
+ return false;
+ }
+
+ // Y: first and second points belong to different rectangles?
+ if ((orderedY[0] === rect1[1] && orderedY[1] === rect2[1]) ||
+ (orderedY[0] === rect2[1] && orderedY[1] === rect1[1])) {
+ // Intersection must be between second and third points
+ result[1] = orderedY[1];
+ result[3] = orderedY[2];
+ } else {
+ return false;
+ }
+
+ return result;
+ };
+
+ Util.sign = function Util_sign(num) {
+ return num < 0 ? -1 : 1;
+ };
+
+ var ROMAN_NUMBER_MAP = [
+ '', 'C', 'CC', 'CCC', 'CD', 'D', 'DC', 'DCC', 'DCCC', 'CM',
+ '', 'X', 'XX', 'XXX', 'XL', 'L', 'LX', 'LXX', 'LXXX', 'XC',
+ '', 'I', 'II', 'III', 'IV', 'V', 'VI', 'VII', 'VIII', 'IX'
+ ];
+ /**
+ * Converts positive integers to (upper case) Roman numerals.
+ * @param {integer} number - The number that should be converted.
+ * @param {boolean} lowerCase - Indicates if the result should be converted
+ * to lower case letters. The default is false.
+ * @return {string} The resulting Roman number.
+ */
+ Util.toRoman = function Util_toRoman(number, lowerCase) {
+ assert(isInt(number) && number > 0,
+ 'The number should be a positive integer.');
+ var pos, romanBuf = [];
+ // Thousands
+ while (number >= 1000) {
+ number -= 1000;
+ romanBuf.push('M');
+ }
+ // Hundreds
+ pos = (number / 100) | 0;
+ number %= 100;
+ romanBuf.push(ROMAN_NUMBER_MAP[pos]);
+ // Tens
+ pos = (number / 10) | 0;
+ number %= 10;
+ romanBuf.push(ROMAN_NUMBER_MAP[10 + pos]);
+ // Ones
+ romanBuf.push(ROMAN_NUMBER_MAP[20 + number]);
+
+ var romanStr = romanBuf.join('');
+ return (lowerCase ? romanStr.toLowerCase() : romanStr);
+ };
+
+ Util.appendToArray = function Util_appendToArray(arr1, arr2) {
+ Array.prototype.push.apply(arr1, arr2);
+ };
+
+ Util.prependToArray = function Util_prependToArray(arr1, arr2) {
+ Array.prototype.unshift.apply(arr1, arr2);
+ };
+
+ Util.extendObj = function extendObj(obj1, obj2) {
+ for (var key in obj2) {
+ obj1[key] = obj2[key];
+ }
+ };
+
+ Util.getInheritableProperty = function Util_getInheritableProperty(dict,
+ name) {
+ while (dict && !dict.has(name)) {
+ dict = dict.get('Parent');
+ }
+ if (!dict) {
+ return null;
+ }
+ return dict.get(name);
+ };
+
+ Util.inherit = function Util_inherit(sub, base, prototype) {
+ sub.prototype = Object.create(base.prototype);
+ sub.prototype.constructor = sub;
+ for (var prop in prototype) {
+ sub.prototype[prop] = prototype[prop];
+ }
+ };
+
+ Util.loadScript = function Util_loadScript(src, callback) {
+ var script = document.createElement('script');
+ var loaded = false;
+ script.setAttribute('src', src);
+ if (callback) {
+ script.onload = function() {
+ if (!loaded) {
+ callback();
+ }
+ loaded = true;
+ };
+ }
+ document.getElementsByTagName('head')[0].appendChild(script);
+ };
+
+ return Util;
+})();
+
+/**
+ * PDF page viewport created based on scale, rotation and offset.
+ * @class
+ * @alias PDFJS.PageViewport
+ */
+var PageViewport = (function PageViewportClosure() {
+ /**
+ * @constructor
+ * @private
+ * @param viewBox {Array} xMin, yMin, xMax and yMax coordinates.
+ * @param scale {number} scale of the viewport.
+ * @param rotation {number} rotations of the viewport in degrees.
+ * @param offsetX {number} offset X
+ * @param offsetY {number} offset Y
+ * @param dontFlip {boolean} if true, axis Y will not be flipped.
+ */
+ function PageViewport(viewBox, scale, rotation, offsetX, offsetY, dontFlip) {
+ this.viewBox = viewBox;
+ this.scale = scale;
+ this.rotation = rotation;
+ this.offsetX = offsetX;
+ this.offsetY = offsetY;
+
+ // creating transform to convert pdf coordinate system to the normal
+ // canvas like coordinates taking in account scale and rotation
+ var centerX = (viewBox[2] + viewBox[0]) / 2;
+ var centerY = (viewBox[3] + viewBox[1]) / 2;
+ var rotateA, rotateB, rotateC, rotateD;
+ rotation = rotation % 360;
+ rotation = rotation < 0 ? rotation + 360 : rotation;
+ switch (rotation) {
+ case 180:
+ rotateA = -1; rotateB = 0; rotateC = 0; rotateD = 1;
+ break;
+ case 90:
+ rotateA = 0; rotateB = 1; rotateC = 1; rotateD = 0;
+ break;
+ case 270:
+ rotateA = 0; rotateB = -1; rotateC = -1; rotateD = 0;
+ break;
+ //case 0:
+ default:
+ rotateA = 1; rotateB = 0; rotateC = 0; rotateD = -1;
+ break;
+ }
+
+ if (dontFlip) {
+ rotateC = -rotateC; rotateD = -rotateD;
+ }
+
+ var offsetCanvasX, offsetCanvasY;
+ var width, height;
+ if (rotateA === 0) {
+ offsetCanvasX = Math.abs(centerY - viewBox[1]) * scale + offsetX;
+ offsetCanvasY = Math.abs(centerX - viewBox[0]) * scale + offsetY;
+ width = Math.abs(viewBox[3] - viewBox[1]) * scale;
+ height = Math.abs(viewBox[2] - viewBox[0]) * scale;
+ } else {
+ offsetCanvasX = Math.abs(centerX - viewBox[0]) * scale + offsetX;
+ offsetCanvasY = Math.abs(centerY - viewBox[1]) * scale + offsetY;
+ width = Math.abs(viewBox[2] - viewBox[0]) * scale;
+ height = Math.abs(viewBox[3] - viewBox[1]) * scale;
+ }
+ // creating transform for the following operations:
+ // translate(-centerX, -centerY), rotate and flip vertically,
+ // scale, and translate(offsetCanvasX, offsetCanvasY)
+ this.transform = [
+ rotateA * scale,
+ rotateB * scale,
+ rotateC * scale,
+ rotateD * scale,
+ offsetCanvasX - rotateA * scale * centerX - rotateC * scale * centerY,
+ offsetCanvasY - rotateB * scale * centerX - rotateD * scale * centerY
+ ];
+
+ this.width = width;
+ this.height = height;
+ this.fontScale = scale;
+ }
+ PageViewport.prototype = /** @lends PDFJS.PageViewport.prototype */ {
+ /**
+ * Clones viewport with additional properties.
+ * @param args {Object} (optional) If specified, may contain the 'scale' or
+ * 'rotation' properties to override the corresponding properties in
+ * the cloned viewport.
+ * @returns {PDFJS.PageViewport} Cloned viewport.
+ */
+ clone: function PageViewPort_clone(args) {
+ args = args || {};
+ var scale = 'scale' in args ? args.scale : this.scale;
+ var rotation = 'rotation' in args ? args.rotation : this.rotation;
+ return new PageViewport(this.viewBox.slice(), scale, rotation,
+ this.offsetX, this.offsetY, args.dontFlip);
+ },
+ /**
+ * Converts PDF point to the viewport coordinates. For examples, useful for
+ * converting PDF location into canvas pixel coordinates.
+ * @param x {number} X coordinate.
+ * @param y {number} Y coordinate.
+ * @returns {Object} Object that contains 'x' and 'y' properties of the
+ * point in the viewport coordinate space.
+ * @see {@link convertToPdfPoint}
+ * @see {@link convertToViewportRectangle}
+ */
+ convertToViewportPoint: function PageViewport_convertToViewportPoint(x, y) {
+ return Util.applyTransform([x, y], this.transform);
+ },
+ /**
+ * Converts PDF rectangle to the viewport coordinates.
+ * @param rect {Array} xMin, yMin, xMax and yMax coordinates.
+ * @returns {Array} Contains corresponding coordinates of the rectangle
+ * in the viewport coordinate space.
+ * @see {@link convertToViewportPoint}
+ */
+ convertToViewportRectangle:
+ function PageViewport_convertToViewportRectangle(rect) {
+ var tl = Util.applyTransform([rect[0], rect[1]], this.transform);
+ var br = Util.applyTransform([rect[2], rect[3]], this.transform);
+ return [tl[0], tl[1], br[0], br[1]];
+ },
+ /**
+ * Converts viewport coordinates to the PDF location. For examples, useful
+ * for converting canvas pixel location into PDF one.
+ * @param x {number} X coordinate.
+ * @param y {number} Y coordinate.
+ * @returns {Object} Object that contains 'x' and 'y' properties of the
+ * point in the PDF coordinate space.
+ * @see {@link convertToViewportPoint}
+ */
+ convertToPdfPoint: function PageViewport_convertToPdfPoint(x, y) {
+ return Util.applyInverseTransform([x, y], this.transform);
+ }
+ };
+ return PageViewport;
+})();
+
+var PDFStringTranslateTable = [
+ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
+ 0x2D8, 0x2C7, 0x2C6, 0x2D9, 0x2DD, 0x2DB, 0x2DA, 0x2DC, 0, 0, 0, 0, 0, 0, 0,
+ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
+ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
+ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
+ 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0x2022, 0x2020, 0x2021, 0x2026, 0x2014,
+ 0x2013, 0x192, 0x2044, 0x2039, 0x203A, 0x2212, 0x2030, 0x201E, 0x201C,
+ 0x201D, 0x2018, 0x2019, 0x201A, 0x2122, 0xFB01, 0xFB02, 0x141, 0x152, 0x160,
+ 0x178, 0x17D, 0x131, 0x142, 0x153, 0x161, 0x17E, 0, 0x20AC
+];
+
+function stringToPDFString(str) {
+ var i, n = str.length, strBuf = [];
+ if (str[0] === '\xFE' && str[1] === '\xFF') {
+ // UTF16BE BOM
+ for (i = 2; i < n; i += 2) {
+ strBuf.push(String.fromCharCode(
+ (str.charCodeAt(i) << 8) | str.charCodeAt(i + 1)));
+ }
+ } else {
+ for (i = 0; i < n; ++i) {
+ var code = PDFStringTranslateTable[str.charCodeAt(i)];
+ strBuf.push(code ? String.fromCharCode(code) : str.charAt(i));
+ }
+ }
+ return strBuf.join('');
+}
+
+function stringToUTF8String(str) {
+ return decodeURIComponent(escape(str));
+}
+
+function utf8StringToString(str) {
+ return unescape(encodeURIComponent(str));
+}
+
+function isEmptyObj(obj) {
+ for (var key in obj) {
+ return false;
+ }
+ return true;
+}
+
+function isBool(v) {
+ return typeof v === 'boolean';
+}
+
+function isInt(v) {
+ return typeof v === 'number' && ((v | 0) === v);
+}
+
+function isNum(v) {
+ return typeof v === 'number';
+}
+
+function isString(v) {
+ return typeof v === 'string';
+}
+
+function isArray(v) {
+ return v instanceof Array;
+}
+
+function isArrayBuffer(v) {
+ return typeof v === 'object' && v !== null && v.byteLength !== undefined;
+}
+
+/**
+ * Promise Capability object.
+ *
+ * @typedef {Object} PromiseCapability
+ * @property {Promise} promise - A promise object.
+ * @property {function} resolve - Fullfills the promise.
+ * @property {function} reject - Rejects the promise.
+ */
+
+/**
+ * Creates a promise capability object.
+ * @alias PDFJS.createPromiseCapability
+ *
+ * @return {PromiseCapability} A capability object contains:
+ * - a Promise, resolve and reject methods.
+ */
+function createPromiseCapability() {
+ var capability = {};
+ capability.promise = new Promise(function (resolve, reject) {
+ capability.resolve = resolve;
+ capability.reject = reject;
+ });
+ return capability;
+}
+
+/**
+ * Polyfill for Promises:
+ * The following promise implementation tries to generally implement the
+ * Promise/A+ spec. Some notable differences from other promise libaries are:
+ * - There currently isn't a seperate deferred and promise object.
+ * - Unhandled rejections eventually show an error if they aren't handled.
+ *
+ * Based off of the work in:
+ * https://bugzilla.mozilla.org/show_bug.cgi?id=810490
+ */
+(function PromiseClosure() {
+ if (globalScope.Promise) {
+ // Promises existing in the DOM/Worker, checking presence of all/resolve
+ if (typeof globalScope.Promise.all !== 'function') {
+ globalScope.Promise.all = function (iterable) {
+ var count = 0, results = [], resolve, reject;
+ var promise = new globalScope.Promise(function (resolve_, reject_) {
+ resolve = resolve_;
+ reject = reject_;
+ });
+ iterable.forEach(function (p, i) {
+ count++;
+ p.then(function (result) {
+ results[i] = result;
+ count--;
+ if (count === 0) {
+ resolve(results);
+ }
+ }, reject);
+ });
+ if (count === 0) {
+ resolve(results);
+ }
+ return promise;
+ };
+ }
+ if (typeof globalScope.Promise.resolve !== 'function') {
+ globalScope.Promise.resolve = function (value) {
+ return new globalScope.Promise(function (resolve) { resolve(value); });
+ };
+ }
+ if (typeof globalScope.Promise.reject !== 'function') {
+ globalScope.Promise.reject = function (reason) {
+ return new globalScope.Promise(function (resolve, reject) {
+ reject(reason);
+ });
+ };
+ }
+ if (typeof globalScope.Promise.prototype.catch !== 'function') {
+ globalScope.Promise.prototype.catch = function (onReject) {
+ return globalScope.Promise.prototype.then(undefined, onReject);
+ };
+ }
+ return;
+ }
+ var STATUS_PENDING = 0;
+ var STATUS_RESOLVED = 1;
+ var STATUS_REJECTED = 2;
+
+ // In an attempt to avoid silent exceptions, unhandled rejections are
+ // tracked and if they aren't handled in a certain amount of time an
+ // error is logged.
+ var REJECTION_TIMEOUT = 500;
+
+ var HandlerManager = {
+ handlers: [],
+ running: false,
+ unhandledRejections: [],
+ pendingRejectionCheck: false,
+
+ scheduleHandlers: function scheduleHandlers(promise) {
+ if (promise._status === STATUS_PENDING) {
+ return;
+ }
+
+ this.handlers = this.handlers.concat(promise._handlers);
+ promise._handlers = [];
+
+ if (this.running) {
+ return;
+ }
+ this.running = true;
+
+ setTimeout(this.runHandlers.bind(this), 0);
+ },
+
+ runHandlers: function runHandlers() {
+ var RUN_TIMEOUT = 1; // ms
+ var timeoutAt = Date.now() + RUN_TIMEOUT;
+ while (this.handlers.length > 0) {
+ var handler = this.handlers.shift();
+
+ var nextStatus = handler.thisPromise._status;
+ var nextValue = handler.thisPromise._value;
+
+ try {
+ if (nextStatus === STATUS_RESOLVED) {
+ if (typeof handler.onResolve === 'function') {
+ nextValue = handler.onResolve(nextValue);
+ }
+ } else if (typeof handler.onReject === 'function') {
+ nextValue = handler.onReject(nextValue);
+ nextStatus = STATUS_RESOLVED;
+
+ if (handler.thisPromise._unhandledRejection) {
+ this.removeUnhandeledRejection(handler.thisPromise);
+ }
+ }
+ } catch (ex) {
+ nextStatus = STATUS_REJECTED;
+ nextValue = ex;
+ }
+
+ handler.nextPromise._updateStatus(nextStatus, nextValue);
+ if (Date.now() >= timeoutAt) {
+ break;
+ }
+ }
+
+ if (this.handlers.length > 0) {
+ setTimeout(this.runHandlers.bind(this), 0);
+ return;
+ }
+
+ this.running = false;
+ },
+
+ addUnhandledRejection: function addUnhandledRejection(promise) {
+ this.unhandledRejections.push({
+ promise: promise,
+ time: Date.now()
+ });
+ this.scheduleRejectionCheck();
+ },
+
+ removeUnhandeledRejection: function removeUnhandeledRejection(promise) {
+ promise._unhandledRejection = false;
+ for (var i = 0; i < this.unhandledRejections.length; i++) {
+ if (this.unhandledRejections[i].promise === promise) {
+ this.unhandledRejections.splice(i);
+ i--;
+ }
+ }
+ },
+
+ scheduleRejectionCheck: function scheduleRejectionCheck() {
+ if (this.pendingRejectionCheck) {
+ return;
+ }
+ this.pendingRejectionCheck = true;
+ setTimeout(function rejectionCheck() {
+ this.pendingRejectionCheck = false;
+ var now = Date.now();
+ for (var i = 0; i < this.unhandledRejections.length; i++) {
+ if (now - this.unhandledRejections[i].time > REJECTION_TIMEOUT) {
+ var unhandled = this.unhandledRejections[i].promise._value;
+ var msg = 'Unhandled rejection: ' + unhandled;
+ if (unhandled.stack) {
+ msg += '\n' + unhandled.stack;
+ }
+ warn(msg);
+ this.unhandledRejections.splice(i);
+ i--;
+ }
+ }
+ if (this.unhandledRejections.length) {
+ this.scheduleRejectionCheck();
+ }
+ }.bind(this), REJECTION_TIMEOUT);
+ }
+ };
+
+ function Promise(resolver) {
+ this._status = STATUS_PENDING;
+ this._handlers = [];
+ try {
+ resolver.call(this, this._resolve.bind(this), this._reject.bind(this));
+ } catch (e) {
+ this._reject(e);
+ }
+ }
+ /**
+ * Builds a promise that is resolved when all the passed in promises are
+ * resolved.
+ * @param {array} array of data and/or promises to wait for.
+ * @return {Promise} New dependant promise.
+ */
+ Promise.all = function Promise_all(promises) {
+ var resolveAll, rejectAll;
+ var deferred = new Promise(function (resolve, reject) {
+ resolveAll = resolve;
+ rejectAll = reject;
+ });
+ var unresolved = promises.length;
+ var results = [];
+ if (unresolved === 0) {
+ resolveAll(results);
+ return deferred;
+ }
+ function reject(reason) {
+ if (deferred._status === STATUS_REJECTED) {
+ return;
+ }
+ results = [];
+ rejectAll(reason);
+ }
+ for (var i = 0, ii = promises.length; i < ii; ++i) {
+ var promise = promises[i];
+ var resolve = (function(i) {
+ return function(value) {
+ if (deferred._status === STATUS_REJECTED) {
+ return;
+ }
+ results[i] = value;
+ unresolved--;
+ if (unresolved === 0) {
+ resolveAll(results);
+ }
+ };
+ })(i);
+ if (Promise.isPromise(promise)) {
+ promise.then(resolve, reject);
+ } else {
+ resolve(promise);
+ }
+ }
+ return deferred;
+ };
+
+ /**
+ * Checks if the value is likely a promise (has a 'then' function).
+ * @return {boolean} true if value is thenable
+ */
+ Promise.isPromise = function Promise_isPromise(value) {
+ return value && typeof value.then === 'function';
+ };
+
+ /**
+ * Creates resolved promise
+ * @param value resolve value
+ * @returns {Promise}
+ */
+ Promise.resolve = function Promise_resolve(value) {
+ return new Promise(function (resolve) { resolve(value); });
+ };
+
+ /**
+ * Creates rejected promise
+ * @param reason rejection value
+ * @returns {Promise}
+ */
+ Promise.reject = function Promise_reject(reason) {
+ return new Promise(function (resolve, reject) { reject(reason); });
+ };
+
+ Promise.prototype = {
+ _status: null,
+ _value: null,
+ _handlers: null,
+ _unhandledRejection: null,
+
+ _updateStatus: function Promise__updateStatus(status, value) {
+ if (this._status === STATUS_RESOLVED ||
+ this._status === STATUS_REJECTED) {
+ return;
+ }
+
+ if (status === STATUS_RESOLVED &&
+ Promise.isPromise(value)) {
+ value.then(this._updateStatus.bind(this, STATUS_RESOLVED),
+ this._updateStatus.bind(this, STATUS_REJECTED));
+ return;
+ }
+
+ this._status = status;
+ this._value = value;
+
+ if (status === STATUS_REJECTED && this._handlers.length === 0) {
+ this._unhandledRejection = true;
+ HandlerManager.addUnhandledRejection(this);
+ }
+
+ HandlerManager.scheduleHandlers(this);
+ },
+
+ _resolve: function Promise_resolve(value) {
+ this._updateStatus(STATUS_RESOLVED, value);
+ },
+
+ _reject: function Promise_reject(reason) {
+ this._updateStatus(STATUS_REJECTED, reason);
+ },
+
+ then: function Promise_then(onResolve, onReject) {
+ var nextPromise = new Promise(function (resolve, reject) {
+ this.resolve = resolve;
+ this.reject = reject;
+ });
+ this._handlers.push({
+ thisPromise: this,
+ onResolve: onResolve,
+ onReject: onReject,
+ nextPromise: nextPromise
+ });
+ HandlerManager.scheduleHandlers(this);
+ return nextPromise;
+ },
+
+ catch: function Promise_catch(onReject) {
+ return this.then(undefined, onReject);
+ }
+ };
+
+ globalScope.Promise = Promise;
+})();
+
+var StatTimer = (function StatTimerClosure() {
+ function rpad(str, pad, length) {
+ while (str.length < length) {
+ str += pad;
+ }
+ return str;
+ }
+ function StatTimer() {
+ this.started = Object.create(null);
+ this.times = [];
+ this.enabled = true;
+ }
+ StatTimer.prototype = {
+ time: function StatTimer_time(name) {
+ if (!this.enabled) {
+ return;
+ }
+ if (name in this.started) {
+ warn('Timer is already running for ' + name);
+ }
+ this.started[name] = Date.now();
+ },
+ timeEnd: function StatTimer_timeEnd(name) {
+ if (!this.enabled) {
+ return;
+ }
+ if (!(name in this.started)) {
+ warn('Timer has not been started for ' + name);
+ }
+ this.times.push({
+ 'name': name,
+ 'start': this.started[name],
+ 'end': Date.now()
+ });
+ // Remove timer from started so it can be called again.
+ delete this.started[name];
+ },
+ toString: function StatTimer_toString() {
+ var i, ii;
+ var times = this.times;
+ var out = '';
+ // Find the longest name for padding purposes.
+ var longest = 0;
+ for (i = 0, ii = times.length; i < ii; ++i) {
+ var name = times[i]['name'];
+ if (name.length > longest) {
+ longest = name.length;
+ }
+ }
+ for (i = 0, ii = times.length; i < ii; ++i) {
+ var span = times[i];
+ var duration = span.end - span.start;
+ out += rpad(span['name'], ' ', longest) + ' ' + duration + 'ms\n';
+ }
+ return out;
+ }
+ };
+ return StatTimer;
+})();
+
+var createBlob = function createBlob(data, contentType) {
+ if (typeof Blob !== 'undefined') {
+ return new Blob([data], { type: contentType });
+ }
+ // Blob builder is deprecated in FF14 and removed in FF18.
+ var bb = new MozBlobBuilder();
+ bb.append(data);
+ return bb.getBlob(contentType);
+};
+
+var createObjectURL = (function createObjectURLClosure() {
+ // Blob/createObjectURL is not available, falling back to data schema.
+ var digits =
+ 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=';
+
+ return function createObjectURL(data, contentType, forceDataSchema) {
+ if (!forceDataSchema &&
+ typeof URL !== 'undefined' && URL.createObjectURL) {
+ var blob = createBlob(data, contentType);
+ return URL.createObjectURL(blob);
+ }
+
+ var buffer = 'data:' + contentType + ';base64,';
+ for (var i = 0, ii = data.length; i < ii; i += 3) {
+ var b1 = data[i] & 0xFF;
+ var b2 = data[i + 1] & 0xFF;
+ var b3 = data[i + 2] & 0xFF;
+ var d1 = b1 >> 2, d2 = ((b1 & 3) << 4) | (b2 >> 4);
+ var d3 = i + 1 < ii ? ((b2 & 0xF) << 2) | (b3 >> 6) : 64;
+ var d4 = i + 2 < ii ? (b3 & 0x3F) : 64;
+ buffer += digits[d1] + digits[d2] + digits[d3] + digits[d4];
+ }
+ return buffer;
+ };
+})();
+
+function MessageHandler(sourceName, targetName, comObj) {
+ this.sourceName = sourceName;
+ this.targetName = targetName;
+ this.comObj = comObj;
+ this.callbackIndex = 1;
+ this.postMessageTransfers = true;
+ var callbacksCapabilities = this.callbacksCapabilities = Object.create(null);
+ var ah = this.actionHandler = Object.create(null);
+
+ this._onComObjOnMessage = function messageHandlerComObjOnMessage(event) {
+ var data = event.data;
+ if (data.targetName !== this.sourceName) {
+ return;
+ }
+ if (data.isReply) {
+ var callbackId = data.callbackId;
+ if (data.callbackId in callbacksCapabilities) {
+ var callback = callbacksCapabilities[callbackId];
+ delete callbacksCapabilities[callbackId];
+ if ('error' in data) {
+ callback.reject(data.error);
+ } else {
+ callback.resolve(data.data);
+ }
+ } else {
+ error('Cannot resolve callback ' + callbackId);
+ }
+ } else if (data.action in ah) {
+ var action = ah[data.action];
+ if (data.callbackId) {
+ var sourceName = this.sourceName;
+ var targetName = data.sourceName;
+ Promise.resolve().then(function () {
+ return action[0].call(action[1], data.data);
+ }).then(function (result) {
+ comObj.postMessage({
+ sourceName: sourceName,
+ targetName: targetName,
+ isReply: true,
+ callbackId: data.callbackId,
+ data: result
+ });
+ }, function (reason) {
+ if (reason instanceof Error) {
+ // Serialize error to avoid "DataCloneError"
+ reason = reason + '';
+ }
+ comObj.postMessage({
+ sourceName: sourceName,
+ targetName: targetName,
+ isReply: true,
+ callbackId: data.callbackId,
+ error: reason
+ });
+ });
+ } else {
+ action[0].call(action[1], data.data);
+ }
+ } else {
+ error('Unknown action from worker: ' + data.action);
+ }
+ }.bind(this);
+ comObj.addEventListener('message', this._onComObjOnMessage);
+}
+
+MessageHandler.prototype = {
+ on: function messageHandlerOn(actionName, handler, scope) {
+ var ah = this.actionHandler;
+ if (ah[actionName]) {
+ error('There is already an actionName called "' + actionName + '"');
+ }
+ ah[actionName] = [handler, scope];
+ },
+ /**
+ * Sends a message to the comObj to invoke the action with the supplied data.
+ * @param {String} actionName Action to call.
+ * @param {JSON} data JSON data to send.
+ * @param {Array} [transfers] Optional list of transfers/ArrayBuffers
+ */
+ send: function messageHandlerSend(actionName, data, transfers) {
+ var message = {
+ sourceName: this.sourceName,
+ targetName: this.targetName,
+ action: actionName,
+ data: data
+ };
+ this.postMessage(message, transfers);
+ },
+ /**
+ * Sends a message to the comObj to invoke the action with the supplied data.
+ * Expects that other side will callback with the response.
+ * @param {String} actionName Action to call.
+ * @param {JSON} data JSON data to send.
+ * @param {Array} [transfers] Optional list of transfers/ArrayBuffers.
+ * @returns {Promise} Promise to be resolved with response data.
+ */
+ sendWithPromise:
+ function messageHandlerSendWithPromise(actionName, data, transfers) {
+ var callbackId = this.callbackIndex++;
+ var message = {
+ sourceName: this.sourceName,
+ targetName: this.targetName,
+ action: actionName,
+ data: data,
+ callbackId: callbackId
+ };
+ var capability = createPromiseCapability();
+ this.callbacksCapabilities[callbackId] = capability;
+ try {
+ this.postMessage(message, transfers);
+ } catch (e) {
+ capability.reject(e);
+ }
+ return capability.promise;
+ },
+ /**
+ * Sends raw message to the comObj.
+ * @private
+ * @param message {Object} Raw message.
+ * @param transfers List of transfers/ArrayBuffers, or undefined.
+ */
+ postMessage: function (message, transfers) {
+ if (transfers && this.postMessageTransfers) {
+ this.comObj.postMessage(message, transfers);
+ } else {
+ this.comObj.postMessage(message);
+ }
+ },
+
+ destroy: function () {
+ this.comObj.removeEventListener('message', this._onComObjOnMessage);
+ }
+};
+
+function loadJpegStream(id, imageUrl, objs) {
+ var img = new Image();
+ img.onload = (function loadJpegStream_onloadClosure() {
+ objs.resolve(id, img);
+ });
+ img.onerror = (function loadJpegStream_onerrorClosure() {
+ objs.resolve(id, null);
+ warn('Error during JPEG image loading');
+ });
+ img.src = imageUrl;
+}
+
+ // Polyfill from https://github.com/Polymer/URL
+/* Any copyright is dedicated to the Public Domain.
+ * http://creativecommons.org/publicdomain/zero/1.0/ */
+(function checkURLConstructor(scope) {
+ /* jshint ignore:start */
+
+ // feature detect for URL constructor
+ var hasWorkingUrl = false;
+ try {
+ if (typeof URL === 'function' &&
+ typeof URL.prototype === 'object' &&
+ ('origin' in URL.prototype)) {
+ var u = new URL('b', 'http://a');
+ u.pathname = 'c%20d';
+ hasWorkingUrl = u.href === 'http://a/c%20d';
+ }
+ } catch(e) { }
+
+ if (hasWorkingUrl)
+ return;
+
+ var relative = Object.create(null);
+ relative['ftp'] = 21;
+ relative['file'] = 0;
+ relative['gopher'] = 70;
+ relative['http'] = 80;
+ relative['https'] = 443;
+ relative['ws'] = 80;
+ relative['wss'] = 443;
+
+ var relativePathDotMapping = Object.create(null);
+ relativePathDotMapping['%2e'] = '.';
+ relativePathDotMapping['.%2e'] = '..';
+ relativePathDotMapping['%2e.'] = '..';
+ relativePathDotMapping['%2e%2e'] = '..';
+
+ function isRelativeScheme(scheme) {
+ return relative[scheme] !== undefined;
+ }
+
+ function invalid() {
+ clear.call(this);
+ this._isInvalid = true;
+ }
+
+ function IDNAToASCII(h) {
+ if ('' == h) {
+ invalid.call(this)
+ }
+ // XXX
+ return h.toLowerCase()
+ }
+
+ function percentEscape(c) {
+ var unicode = c.charCodeAt(0);
+ if (unicode > 0x20 &&
+ unicode < 0x7F &&
+ // " # < > ? `
+ [0x22, 0x23, 0x3C, 0x3E, 0x3F, 0x60].indexOf(unicode) == -1
+ ) {
+ return c;
+ }
+ return encodeURIComponent(c);
+ }
+
+ function percentEscapeQuery(c) {
+ // XXX This actually needs to encode c using encoding and then
+ // convert the bytes one-by-one.
+
+ var unicode = c.charCodeAt(0);
+ if (unicode > 0x20 &&
+ unicode < 0x7F &&
+ // " # < > ` (do not escape '?')
+ [0x22, 0x23, 0x3C, 0x3E, 0x60].indexOf(unicode) == -1
+ ) {
+ return c;
+ }
+ return encodeURIComponent(c);
+ }
+
+ var EOF = undefined,
+ ALPHA = /[a-zA-Z]/,
+ ALPHANUMERIC = /[a-zA-Z0-9\+\-\.]/;
+
+ function parse(input, stateOverride, base) {
+ function err(message) {
+ errors.push(message)
+ }
+
+ var state = stateOverride || 'scheme start',
+ cursor = 0,
+ buffer = '',
+ seenAt = false,
+ seenBracket = false,
+ errors = [];
+
+ loop: while ((input[cursor - 1] != EOF || cursor == 0) && !this._isInvalid) {
+ var c = input[cursor];
+ switch (state) {
+ case 'scheme start':
+ if (c && ALPHA.test(c)) {
+ buffer += c.toLowerCase(); // ASCII-safe
+ state = 'scheme';
+ } else if (!stateOverride) {
+ buffer = '';
+ state = 'no scheme';
+ continue;
+ } else {
+ err('Invalid scheme.');
+ break loop;
+ }
+ break;
+
+ case 'scheme':
+ if (c && ALPHANUMERIC.test(c)) {
+ buffer += c.toLowerCase(); // ASCII-safe
+ } else if (':' == c) {
+ this._scheme = buffer;
+ buffer = '';
+ if (stateOverride) {
+ break loop;
+ }
+ if (isRelativeScheme(this._scheme)) {
+ this._isRelative = true;
+ }
+ if ('file' == this._scheme) {
+ state = 'relative';
+ } else if (this._isRelative && base && base._scheme == this._scheme) {
+ state = 'relative or authority';
+ } else if (this._isRelative) {
+ state = 'authority first slash';
+ } else {
+ state = 'scheme data';
+ }
+ } else if (!stateOverride) {
+ buffer = '';
+ cursor = 0;
+ state = 'no scheme';
+ continue;
+ } else if (EOF == c) {
+ break loop;
+ } else {
+ err('Code point not allowed in scheme: ' + c)
+ break loop;
+ }
+ break;
+
+ case 'scheme data':
+ if ('?' == c) {
+ this._query = '?';
+ state = 'query';
+ } else if ('#' == c) {
+ this._fragment = '#';
+ state = 'fragment';
+ } else {
+ // XXX error handling
+ if (EOF != c && '\t' != c && '\n' != c && '\r' != c) {
+ this._schemeData += percentEscape(c);
+ }
+ }
+ break;
+
+ case 'no scheme':
+ if (!base || !(isRelativeScheme(base._scheme))) {
+ err('Missing scheme.');
+ invalid.call(this);
+ } else {
+ state = 'relative';
+ continue;
+ }
+ break;
+
+ case 'relative or authority':
+ if ('/' == c && '/' == input[cursor+1]) {
+ state = 'authority ignore slashes';
+ } else {
+ err('Expected /, got: ' + c);
+ state = 'relative';
+ continue
+ }
+ break;
+
+ case 'relative':
+ this._isRelative = true;
+ if ('file' != this._scheme)
+ this._scheme = base._scheme;
+ if (EOF == c) {
+ this._host = base._host;
+ this._port = base._port;
+ this._path = base._path.slice();
+ this._query = base._query;
+ this._username = base._username;
+ this._password = base._password;
+ break loop;
+ } else if ('/' == c || '\\' == c) {
+ if ('\\' == c)
+ err('\\ is an invalid code point.');
+ state = 'relative slash';
+ } else if ('?' == c) {
+ this._host = base._host;
+ this._port = base._port;
+ this._path = base._path.slice();
+ this._query = '?';
+ this._username = base._username;
+ this._password = base._password;
+ state = 'query';
+ } else if ('#' == c) {
+ this._host = base._host;
+ this._port = base._port;
+ this._path = base._path.slice();
+ this._query = base._query;
+ this._fragment = '#';
+ this._username = base._username;
+ this._password = base._password;
+ state = 'fragment';
+ } else {
+ var nextC = input[cursor+1]
+ var nextNextC = input[cursor+2]
+ if (
+ 'file' != this._scheme || !ALPHA.test(c) ||
+ (nextC != ':' && nextC != '|') ||
+ (EOF != nextNextC && '/' != nextNextC && '\\' != nextNextC && '?' != nextNextC && '#' != nextNextC)) {
+ this._host = base._host;
+ this._port = base._port;
+ this._username = base._username;
+ this._password = base._password;
+ this._path = base._path.slice();
+ this._path.pop();
+ }
+ state = 'relative path';
+ continue;
+ }
+ break;
+
+ case 'relative slash':
+ if ('/' == c || '\\' == c) {
+ if ('\\' == c) {
+ err('\\ is an invalid code point.');
+ }
+ if ('file' == this._scheme) {
+ state = 'file host';
+ } else {
+ state = 'authority ignore slashes';
+ }
+ } else {
+ if ('file' != this._scheme) {
+ this._host = base._host;
+ this._port = base._port;
+ this._username = base._username;
+ this._password = base._password;
+ }
+ state = 'relative path';
+ continue;
+ }
+ break;
+
+ case 'authority first slash':
+ if ('/' == c) {
+ state = 'authority second slash';
+ } else {
+ err("Expected '/', got: " + c);
+ state = 'authority ignore slashes';
+ continue;
+ }
+ break;
+
+ case 'authority second slash':
+ state = 'authority ignore slashes';
+ if ('/' != c) {
+ err("Expected '/', got: " + c);
+ continue;
+ }
+ break;
+
+ case 'authority ignore slashes':
+ if ('/' != c && '\\' != c) {
+ state = 'authority';
+ continue;
+ } else {
+ err('Expected authority, got: ' + c);
+ }
+ break;
+
+ case 'authority':
+ if ('@' == c) {
+ if (seenAt) {
+ err('@ already seen.');
+ buffer += '%40';
+ }
+ seenAt = true;
+ for (var i = 0; i < buffer.length; i++) {
+ var cp = buffer[i];
+ if ('\t' == cp || '\n' == cp || '\r' == cp) {
+ err('Invalid whitespace in authority.');
+ continue;
+ }
+ // XXX check URL code points
+ if (':' == cp && null === this._password) {
+ this._password = '';
+ continue;
+ }
+ var tempC = percentEscape(cp);
+ (null !== this._password) ? this._password += tempC : this._username += tempC;
+ }
+ buffer = '';
+ } else if (EOF == c || '/' == c || '\\' == c || '?' == c || '#' == c) {
+ cursor -= buffer.length;
+ buffer = '';
+ state = 'host';
+ continue;
+ } else {
+ buffer += c;
+ }
+ break;
+
+ case 'file host':
+ if (EOF == c || '/' == c || '\\' == c || '?' == c || '#' == c) {
+ if (buffer.length == 2 && ALPHA.test(buffer[0]) && (buffer[1] == ':' || buffer[1] == '|')) {
+ state = 'relative path';
+ } else if (buffer.length == 0) {
+ state = 'relative path start';
+ } else {
+ this._host = IDNAToASCII.call(this, buffer);
+ buffer = '';
+ state = 'relative path start';
+ }
+ continue;
+ } else if ('\t' == c || '\n' == c || '\r' == c) {
+ err('Invalid whitespace in file host.');
+ } else {
+ buffer += c;
+ }
+ break;
+
+ case 'host':
+ case 'hostname':
+ if (':' == c && !seenBracket) {
+ // XXX host parsing
+ this._host = IDNAToASCII.call(this, buffer);
+ buffer = '';
+ state = 'port';
+ if ('hostname' == stateOverride) {
+ break loop;
+ }
+ } else if (EOF == c || '/' == c || '\\' == c || '?' == c || '#' == c) {
+ this._host = IDNAToASCII.call(this, buffer);
+ buffer = '';
+ state = 'relative path start';
+ if (stateOverride) {
+ break loop;
+ }
+ continue;
+ } else if ('\t' != c && '\n' != c && '\r' != c) {
+ if ('[' == c) {
+ seenBracket = true;
+ } else if (']' == c) {
+ seenBracket = false;
+ }
+ buffer += c;
+ } else {
+ err('Invalid code point in host/hostname: ' + c);
+ }
+ break;
+
+ case 'port':
+ if (/[0-9]/.test(c)) {
+ buffer += c;
+ } else if (EOF == c || '/' == c || '\\' == c || '?' == c || '#' == c || stateOverride) {
+ if ('' != buffer) {
+ var temp = parseInt(buffer, 10);
+ if (temp != relative[this._scheme]) {
+ this._port = temp + '';
+ }
+ buffer = '';
+ }
+ if (stateOverride) {
+ break loop;
+ }
+ state = 'relative path start';
+ continue;
+ } else if ('\t' == c || '\n' == c || '\r' == c) {
+ err('Invalid code point in port: ' + c);
+ } else {
+ invalid.call(this);
+ }
+ break;
+
+ case 'relative path start':
+ if ('\\' == c)
+ err("'\\' not allowed in path.");
+ state = 'relative path';
+ if ('/' != c && '\\' != c) {
+ continue;
+ }
+ break;
+
+ case 'relative path':
+ if (EOF == c || '/' == c || '\\' == c || (!stateOverride && ('?' == c || '#' == c))) {
+ if ('\\' == c) {
+ err('\\ not allowed in relative path.');
+ }
+ var tmp;
+ if (tmp = relativePathDotMapping[buffer.toLowerCase()]) {
+ buffer = tmp;
+ }
+ if ('..' == buffer) {
+ this._path.pop();
+ if ('/' != c && '\\' != c) {
+ this._path.push('');
+ }
+ } else if ('.' == buffer && '/' != c && '\\' != c) {
+ this._path.push('');
+ } else if ('.' != buffer) {
+ if ('file' == this._scheme && this._path.length == 0 && buffer.length == 2 && ALPHA.test(buffer[0]) && buffer[1] == '|') {
+ buffer = buffer[0] + ':';
+ }
+ this._path.push(buffer);
+ }
+ buffer = '';
+ if ('?' == c) {
+ this._query = '?';
+ state = 'query';
+ } else if ('#' == c) {
+ this._fragment = '#';
+ state = 'fragment';
+ }
+ } else if ('\t' != c && '\n' != c && '\r' != c) {
+ buffer += percentEscape(c);
+ }
+ break;
+
+ case 'query':
+ if (!stateOverride && '#' == c) {
+ this._fragment = '#';
+ state = 'fragment';
+ } else if (EOF != c && '\t' != c && '\n' != c && '\r' != c) {
+ this._query += percentEscapeQuery(c);
+ }
+ break;
+
+ case 'fragment':
+ if (EOF != c && '\t' != c && '\n' != c && '\r' != c) {
+ this._fragment += c;
+ }
+ break;
+ }
+
+ cursor++;
+ }
+ }
+
+ function clear() {
+ this._scheme = '';
+ this._schemeData = '';
+ this._username = '';
+ this._password = null;
+ this._host = '';
+ this._port = '';
+ this._path = [];
+ this._query = '';
+ this._fragment = '';
+ this._isInvalid = false;
+ this._isRelative = false;
+ }
+
+ // Does not process domain names or IP addresses.
+ // Does not handle encoding for the query parameter.
+ function jURL(url, base /* , encoding */) {
+ if (base !== undefined && !(base instanceof jURL))
+ base = new jURL(String(base));
+
+ this._url = url;
+ clear.call(this);
+
+ var input = url.replace(/^[ \t\r\n\f]+|[ \t\r\n\f]+$/g, '');
+ // encoding = encoding || 'utf-8'
+
+ parse.call(this, input, null, base);
+ }
+
+ jURL.prototype = {
+ toString: function() {
+ return this.href;
+ },
+ get href() {
+ if (this._isInvalid)
+ return this._url;
+
+ var authority = '';
+ if ('' != this._username || null != this._password) {
+ authority = this._username +
+ (null != this._password ? ':' + this._password : '') + '@';
+ }
+
+ return this.protocol +
+ (this._isRelative ? '//' + authority + this.host : '') +
+ this.pathname + this._query + this._fragment;
+ },
+ set href(href) {
+ clear.call(this);
+ parse.call(this, href);
+ },
+
+ get protocol() {
+ return this._scheme + ':';
+ },
+ set protocol(protocol) {
+ if (this._isInvalid)
+ return;
+ parse.call(this, protocol + ':', 'scheme start');
+ },
+
+ get host() {
+ return this._isInvalid ? '' : this._port ?
+ this._host + ':' + this._port : this._host;
+ },
+ set host(host) {
+ if (this._isInvalid || !this._isRelative)
+ return;
+ parse.call(this, host, 'host');
+ },
+
+ get hostname() {
+ return this._host;
+ },
+ set hostname(hostname) {
+ if (this._isInvalid || !this._isRelative)
+ return;
+ parse.call(this, hostname, 'hostname');
+ },
+
+ get port() {
+ return this._port;
+ },
+ set port(port) {
+ if (this._isInvalid || !this._isRelative)
+ return;
+ parse.call(this, port, 'port');
+ },
+
+ get pathname() {
+ return this._isInvalid ? '' : this._isRelative ?
+ '/' + this._path.join('/') : this._schemeData;
+ },
+ set pathname(pathname) {
+ if (this._isInvalid || !this._isRelative)
+ return;
+ this._path = [];
+ parse.call(this, pathname, 'relative path start');
+ },
+
+ get search() {
+ return this._isInvalid || !this._query || '?' == this._query ?
+ '' : this._query;
+ },
+ set search(search) {
+ if (this._isInvalid || !this._isRelative)
+ return;
+ this._query = '?';
+ if ('?' == search[0])
+ search = search.slice(1);
+ parse.call(this, search, 'query');
+ },
+
+ get hash() {
+ return this._isInvalid || !this._fragment || '#' == this._fragment ?
+ '' : this._fragment;
+ },
+ set hash(hash) {
+ if (this._isInvalid)
+ return;
+ this._fragment = '#';
+ if ('#' == hash[0])
+ hash = hash.slice(1);
+ parse.call(this, hash, 'fragment');
+ },
+
+ get origin() {
+ var host;
+ if (this._isInvalid || !this._scheme) {
+ return '';
+ }
+ // javascript: Gecko returns String(""), WebKit/Blink String("null")
+ // Gecko throws error for "data://"
+ // data: Gecko returns "", Blink returns "data://", WebKit returns "null"
+ // Gecko returns String("") for file: mailto:
+ // WebKit/Blink returns String("SCHEME://") for file: mailto:
+ switch (this._scheme) {
+ case 'data':
+ case 'file':
+ case 'javascript':
+ case 'mailto':
+ return 'null';
+ }
+ host = this.host;
+ if (!host) {
+ return '';
+ }
+ return this._scheme + '://' + host;
+ }
+ };
+
+ // Copy over the static methods
+ var OriginalURL = scope.URL;
+ if (OriginalURL) {
+ jURL.createObjectURL = function(blob) {
+ // IE extension allows a second optional options argument.
+ // http://msdn.microsoft.com/en-us/library/ie/hh772302(v=vs.85).aspx
+ return OriginalURL.createObjectURL.apply(OriginalURL, arguments);
+ };
+ jURL.revokeObjectURL = function(url) {
+ OriginalURL.revokeObjectURL(url);
+ };
+ }
+
+ scope.URL = jURL;
+ /* jshint ignore:end */
+})(globalScope);
+
+exports.FONT_IDENTITY_MATRIX = FONT_IDENTITY_MATRIX;
+exports.IDENTITY_MATRIX = IDENTITY_MATRIX;
+exports.OPS = OPS;
+exports.VERBOSITY_LEVELS = VERBOSITY_LEVELS;
+exports.UNSUPPORTED_FEATURES = UNSUPPORTED_FEATURES;
+exports.AnnotationBorderStyleType = AnnotationBorderStyleType;
+exports.AnnotationFlag = AnnotationFlag;
+exports.AnnotationType = AnnotationType;
+exports.FontType = FontType;
+exports.ImageKind = ImageKind;
+exports.InvalidPDFException = InvalidPDFException;
+exports.MessageHandler = MessageHandler;
+exports.MissingDataException = MissingDataException;
+exports.MissingPDFException = MissingPDFException;
+exports.NotImplementedException = NotImplementedException;
+exports.PageViewport = PageViewport;
+exports.PasswordException = PasswordException;
+exports.PasswordResponses = PasswordResponses;
+exports.StatTimer = StatTimer;
+exports.StreamType = StreamType;
+exports.TextRenderingMode = TextRenderingMode;
+exports.UnexpectedResponseException = UnexpectedResponseException;
+exports.UnknownErrorException = UnknownErrorException;
+exports.Util = Util;
+exports.XRefParseException = XRefParseException;
+exports.arrayByteLength = arrayByteLength;
+exports.arraysToBytes = arraysToBytes;
+exports.assert = assert;
+exports.bytesToString = bytesToString;
+exports.combineUrl = combineUrl;
+exports.createBlob = createBlob;
+exports.createPromiseCapability = createPromiseCapability;
+exports.createObjectURL = createObjectURL;
+exports.deprecated = deprecated;
+exports.error = error;
+exports.getLookupTableFactory = getLookupTableFactory;
+exports.getVerbosityLevel = getVerbosityLevel;
+exports.globalScope = globalScope;
+exports.info = info;
+exports.isArray = isArray;
+exports.isArrayBuffer = isArrayBuffer;
+exports.isBool = isBool;
+exports.isEmptyObj = isEmptyObj;
+exports.isInt = isInt;
+exports.isNum = isNum;
+exports.isString = isString;
+exports.isSameOrigin = isSameOrigin;
+exports.isValidUrl = isValidUrl;
+exports.isLittleEndian = isLittleEndian;
+exports.loadJpegStream = loadJpegStream;
+exports.log2 = log2;
+exports.readInt8 = readInt8;
+exports.readUint16 = readUint16;
+exports.readUint32 = readUint32;
+exports.removeNullCharacters = removeNullCharacters;
+exports.setVerbosityLevel = setVerbosityLevel;
+exports.shadow = shadow;
+exports.string32 = string32;
+exports.stringToBytes = stringToBytes;
+exports.stringToPDFString = stringToPDFString;
+exports.stringToUTF8String = stringToUTF8String;
+exports.utf8StringToString = utf8StringToString;
+exports.warn = warn;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayGlobal = {}), root.pdfjsSharedUtil);
+ }
+}(this, function (exports, sharedUtil) {
+
+ var globalScope = sharedUtil.globalScope;
+
+ var isWorker = (typeof window === 'undefined');
+
+ // The global PDFJS object exposes the API
+ // In production, it will be declared outside a global wrapper
+ // In development, it will be declared here
+ if (!globalScope.PDFJS) {
+ globalScope.PDFJS = {};
+ }
+ var PDFJS = globalScope.PDFJS;
+
+ if (typeof pdfjsVersion !== 'undefined') {
+ PDFJS.version = pdfjsVersion;
+ }
+ if (typeof pdfjsBuild !== 'undefined') {
+ PDFJS.build = pdfjsBuild;
+ }
+
+ PDFJS.pdfBug = false;
+
+ if (PDFJS.verbosity !== undefined) {
+ sharedUtil.setVerbosityLevel(PDFJS.verbosity);
+ }
+ delete PDFJS.verbosity;
+ Object.defineProperty(PDFJS, 'verbosity', {
+ get: function () { return sharedUtil.getVerbosityLevel(); },
+ set: function (level) { sharedUtil.setVerbosityLevel(level); },
+ enumerable: true,
+ configurable: true
+ });
+
+ PDFJS.VERBOSITY_LEVELS = sharedUtil.VERBOSITY_LEVELS;
+ PDFJS.OPS = sharedUtil.OPS;
+ PDFJS.UNSUPPORTED_FEATURES = sharedUtil.UNSUPPORTED_FEATURES;
+ PDFJS.isValidUrl = sharedUtil.isValidUrl;
+ PDFJS.shadow = sharedUtil.shadow;
+ PDFJS.createBlob = sharedUtil.createBlob;
+ PDFJS.createObjectURL = function PDFJS_createObjectURL(data, contentType) {
+ return sharedUtil.createObjectURL(data, contentType,
+ PDFJS.disableCreateObjectURL);
+ };
+ Object.defineProperty(PDFJS, 'isLittleEndian', {
+ configurable: true,
+ get: function PDFJS_isLittleEndian() {
+ var value = sharedUtil.isLittleEndian();
+ return sharedUtil.shadow(PDFJS, 'isLittleEndian', value);
+ }
+ });
+ PDFJS.removeNullCharacters = sharedUtil.removeNullCharacters;
+ PDFJS.PasswordResponses = sharedUtil.PasswordResponses;
+ PDFJS.PasswordException = sharedUtil.PasswordException;
+ PDFJS.UnknownErrorException = sharedUtil.UnknownErrorException;
+ PDFJS.InvalidPDFException = sharedUtil.InvalidPDFException;
+ PDFJS.MissingPDFException = sharedUtil.MissingPDFException;
+ PDFJS.UnexpectedResponseException = sharedUtil.UnexpectedResponseException;
+ PDFJS.Util = sharedUtil.Util;
+ PDFJS.PageViewport = sharedUtil.PageViewport;
+ PDFJS.createPromiseCapability = sharedUtil.createPromiseCapability;
+
+ exports.globalScope = globalScope;
+ exports.isWorker = isWorker;
+ exports.PDFJS = globalScope.PDFJS;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayDOMUtils = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayGlobal) {
+
+var deprecated = sharedUtil.deprecated;
+var removeNullCharacters = sharedUtil.removeNullCharacters;
+var shadow = sharedUtil.shadow;
+var warn = sharedUtil.warn;
+var PDFJS = displayGlobal.PDFJS;
+
+/**
+ * Optimised CSS custom property getter/setter.
+ * @class
+ */
+var CustomStyle = (function CustomStyleClosure() {
+
+ // As noted on: http://www.zachstronaut.com/posts/2009/02/17/
+ // animate-css-transforms-firefox-webkit.html
+ // in some versions of IE9 it is critical that ms appear in this list
+ // before Moz
+ var prefixes = ['ms', 'Moz', 'Webkit', 'O'];
+ var _cache = Object.create(null);
+
+ function CustomStyle() {}
+
+ CustomStyle.getProp = function get(propName, element) {
+ // check cache only when no element is given
+ if (arguments.length === 1 && typeof _cache[propName] === 'string') {
+ return _cache[propName];
+ }
+
+ element = element || document.documentElement;
+ var style = element.style, prefixed, uPropName;
+
+ // test standard property first
+ if (typeof style[propName] === 'string') {
+ return (_cache[propName] = propName);
+ }
+
+ // capitalize
+ uPropName = propName.charAt(0).toUpperCase() + propName.slice(1);
+
+ // test vendor specific properties
+ for (var i = 0, l = prefixes.length; i < l; i++) {
+ prefixed = prefixes[i] + uPropName;
+ if (typeof style[prefixed] === 'string') {
+ return (_cache[propName] = prefixed);
+ }
+ }
+
+ //if all fails then set to undefined
+ return (_cache[propName] = 'undefined');
+ };
+
+ CustomStyle.setProp = function set(propName, element, str) {
+ var prop = this.getProp(propName);
+ if (prop !== 'undefined') {
+ element.style[prop] = str;
+ }
+ };
+
+ return CustomStyle;
+})();
+
+PDFJS.CustomStyle = CustomStyle;
+
+ // Lazy test if the userAgent support CanvasTypedArrays
+function hasCanvasTypedArrays() {
+ var canvas = document.createElement('canvas');
+ canvas.width = canvas.height = 1;
+ var ctx = canvas.getContext('2d');
+ var imageData = ctx.createImageData(1, 1);
+ return (typeof imageData.data.buffer !== 'undefined');
+}
+
+Object.defineProperty(PDFJS, 'hasCanvasTypedArrays', {
+ configurable: true,
+ get: function PDFJS_hasCanvasTypedArrays() {
+ return shadow(PDFJS, 'hasCanvasTypedArrays', hasCanvasTypedArrays());
+ }
+});
+
+var LinkTarget = {
+ NONE: 0, // Default value.
+ SELF: 1,
+ BLANK: 2,
+ PARENT: 3,
+ TOP: 4,
+};
+
+PDFJS.LinkTarget = LinkTarget;
+
+var LinkTargetStringMap = [
+ '',
+ '_self',
+ '_blank',
+ '_parent',
+ '_top'
+];
+
+function isExternalLinkTargetSet() {
+ if (PDFJS.openExternalLinksInNewWindow) {
+ deprecated('PDFJS.openExternalLinksInNewWindow, please use ' +
+ '"PDFJS.externalLinkTarget = PDFJS.LinkTarget.BLANK" instead.');
+ if (PDFJS.externalLinkTarget === LinkTarget.NONE) {
+ PDFJS.externalLinkTarget = LinkTarget.BLANK;
+ }
+ // Reset the deprecated parameter, to suppress further warnings.
+ PDFJS.openExternalLinksInNewWindow = false;
+ }
+ switch (PDFJS.externalLinkTarget) {
+ case LinkTarget.NONE:
+ return false;
+ case LinkTarget.SELF:
+ case LinkTarget.BLANK:
+ case LinkTarget.PARENT:
+ case LinkTarget.TOP:
+ return true;
+ }
+ warn('PDFJS.externalLinkTarget is invalid: ' + PDFJS.externalLinkTarget);
+ // Reset the external link target, to suppress further warnings.
+ PDFJS.externalLinkTarget = LinkTarget.NONE;
+ return false;
+}
+PDFJS.isExternalLinkTargetSet = isExternalLinkTargetSet;
+
+/**
+ * Adds various attributes (href, title, target, rel) to hyperlinks.
+ * @param {HTMLLinkElement} link - The link element.
+ * @param {Object} params - An object with the properties:
+ * @param {string} params.url - An absolute URL.
+ */
+function addLinkAttributes(link, params) {
+ var url = params && params.url;
+ link.href = link.title = (url ? removeNullCharacters(url) : '');
+
+ if (url) {
+ if (isExternalLinkTargetSet()) {
+ link.target = LinkTargetStringMap[PDFJS.externalLinkTarget];
+ }
+ // Strip referrer from the URL.
+ link.rel = PDFJS.externalLinkRel;
+ }
+}
+PDFJS.addLinkAttributes = addLinkAttributes;
+
+// Gets the file name from a given URL.
+function getFilenameFromUrl(url) {
+ var anchor = url.indexOf('#');
+ var query = url.indexOf('?');
+ var end = Math.min(
+ anchor > 0 ? anchor : url.length,
+ query > 0 ? query : url.length);
+ return url.substring(url.lastIndexOf('/', end) + 1, end);
+}
+PDFJS.getFilenameFromUrl = getFilenameFromUrl;
+
+exports.CustomStyle = CustomStyle;
+exports.addLinkAttributes = addLinkAttributes;
+exports.isExternalLinkTargetSet = isExternalLinkTargetSet;
+exports.getFilenameFromUrl = getFilenameFromUrl;
+exports.LinkTarget = LinkTarget;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayFontLoader = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayGlobal) {
+
+var assert = sharedUtil.assert;
+var bytesToString = sharedUtil.bytesToString;
+var string32 = sharedUtil.string32;
+var shadow = sharedUtil.shadow;
+var warn = sharedUtil.warn;
+
+var PDFJS = displayGlobal.PDFJS;
+var globalScope = displayGlobal.globalScope;
+var isWorker = displayGlobal.isWorker;
+
+function FontLoader(docId) {
+ this.docId = docId;
+ this.styleElement = null;
+ this.nativeFontFaces = [];
+ this.loadTestFontId = 0;
+ this.loadingContext = {
+ requests: [],
+ nextRequestId: 0
+ };
+}
+FontLoader.prototype = {
+ insertRule: function fontLoaderInsertRule(rule) {
+ var styleElement = this.styleElement;
+ if (!styleElement) {
+ styleElement = this.styleElement = document.createElement('style');
+ styleElement.id = 'PDFJS_FONT_STYLE_TAG_' + this.docId;
+ document.documentElement.getElementsByTagName('head')[0].appendChild(
+ styleElement);
+ }
+
+ var styleSheet = styleElement.sheet;
+ styleSheet.insertRule(rule, styleSheet.cssRules.length);
+ },
+
+ clear: function fontLoaderClear() {
+ var styleElement = this.styleElement;
+ if (styleElement) {
+ styleElement.parentNode.removeChild(styleElement);
+ styleElement = this.styleElement = null;
+ }
+ this.nativeFontFaces.forEach(function(nativeFontFace) {
+ document.fonts.delete(nativeFontFace);
+ });
+ this.nativeFontFaces.length = 0;
+ },
+ get loadTestFont() {
+ // This is a CFF font with 1 glyph for '.' that fills its entire width and
+ // height.
+ return shadow(this, 'loadTestFont', atob(
+ 'T1RUTwALAIAAAwAwQ0ZGIDHtZg4AAAOYAAAAgUZGVE1lkzZwAAAEHAAAABxHREVGABQAFQ' +
+ 'AABDgAAAAeT1MvMlYNYwkAAAEgAAAAYGNtYXABDQLUAAACNAAAAUJoZWFk/xVFDQAAALwA' +
+ 'AAA2aGhlYQdkA+oAAAD0AAAAJGhtdHgD6AAAAAAEWAAAAAZtYXhwAAJQAAAAARgAAAAGbm' +
+ 'FtZVjmdH4AAAGAAAAAsXBvc3T/hgAzAAADeAAAACAAAQAAAAEAALZRFsRfDzz1AAsD6AAA' +
+ 'AADOBOTLAAAAAM4KHDwAAAAAA+gDIQAAAAgAAgAAAAAAAAABAAADIQAAAFoD6AAAAAAD6A' +
+ 'ABAAAAAAAAAAAAAAAAAAAAAQAAUAAAAgAAAAQD6AH0AAUAAAKKArwAAACMAooCvAAAAeAA' +
+ 'MQECAAACAAYJAAAAAAAAAAAAAQAAAAAAAAAAAAAAAFBmRWQAwAAuAC4DIP84AFoDIQAAAA' +
+ 'AAAQAAAAAAAAAAACAAIAABAAAADgCuAAEAAAAAAAAAAQAAAAEAAAAAAAEAAQAAAAEAAAAA' +
+ 'AAIAAQAAAAEAAAAAAAMAAQAAAAEAAAAAAAQAAQAAAAEAAAAAAAUAAQAAAAEAAAAAAAYAAQ' +
+ 'AAAAMAAQQJAAAAAgABAAMAAQQJAAEAAgABAAMAAQQJAAIAAgABAAMAAQQJAAMAAgABAAMA' +
+ 'AQQJAAQAAgABAAMAAQQJAAUAAgABAAMAAQQJAAYAAgABWABYAAAAAAAAAwAAAAMAAAAcAA' +
+ 'EAAAAAADwAAwABAAAAHAAEACAAAAAEAAQAAQAAAC7//wAAAC7////TAAEAAAAAAAABBgAA' +
+ 'AQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAEAAAAAAA' +
+ 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' +
+ 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' +
+ 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA' +
+ 'AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMAAA' +
+ 'AAAAD/gwAyAAAAAQAAAAAAAAAAAAAAAAAAAAABAAQEAAEBAQJYAAEBASH4DwD4GwHEAvgc' +
+ 'A/gXBIwMAYuL+nz5tQXkD5j3CBLnEQACAQEBIVhYWFhYWFhYWFhYWFhYWFhYWFhYWFhYWF' +
+ 'hYWFhYWFhYAAABAQAADwACAQEEE/t3Dov6fAH6fAT+fPp8+nwHDosMCvm1Cvm1DAz6fBQA' +
+ 'AAAAAAABAAAAAMmJbzEAAAAAzgTjFQAAAADOBOQpAAEAAAAAAAAADAAUAAQAAAABAAAAAg' +
+ 'ABAAAAAAAAAAAD6AAAAAAAAA=='
+ ));
+ },
+
+ addNativeFontFace: function fontLoader_addNativeFontFace(nativeFontFace) {
+ this.nativeFontFaces.push(nativeFontFace);
+ document.fonts.add(nativeFontFace);
+ },
+
+ bind: function fontLoaderBind(fonts, callback) {
+ assert(!isWorker, 'bind() shall be called from main thread');
+
+ var rules = [];
+ var fontsToLoad = [];
+ var fontLoadPromises = [];
+ var getNativeFontPromise = function(nativeFontFace) {
+ // Return a promise that is always fulfilled, even when the font fails to
+ // load.
+ return nativeFontFace.loaded.catch(function(e) {
+ warn('Failed to load font "' + nativeFontFace.family + '": ' + e);
+ });
+ };
+ for (var i = 0, ii = fonts.length; i < ii; i++) {
+ var font = fonts[i];
+
+ // Add the font to the DOM only once or skip if the font
+ // is already loaded.
+ if (font.attached || font.loading === false) {
+ continue;
+ }
+ font.attached = true;
+
+ if (FontLoader.isFontLoadingAPISupported) {
+ var nativeFontFace = font.createNativeFontFace();
+ if (nativeFontFace) {
+ this.addNativeFontFace(nativeFontFace);
+ fontLoadPromises.push(getNativeFontPromise(nativeFontFace));
+ }
+ } else {
+ var rule = font.createFontFaceRule();
+ if (rule) {
+ this.insertRule(rule);
+ rules.push(rule);
+ fontsToLoad.push(font);
+ }
+ }
+ }
+
+ var request = this.queueLoadingCallback(callback);
+ if (FontLoader.isFontLoadingAPISupported) {
+ Promise.all(fontLoadPromises).then(function() {
+ request.complete();
+ });
+ } else if (rules.length > 0 && !FontLoader.isSyncFontLoadingSupported) {
+ this.prepareFontLoadEvent(rules, fontsToLoad, request);
+ } else {
+ request.complete();
+ }
+ },
+
+ queueLoadingCallback: function FontLoader_queueLoadingCallback(callback) {
+ function LoadLoader_completeRequest() {
+ assert(!request.end, 'completeRequest() cannot be called twice');
+ request.end = Date.now();
+
+ // sending all completed requests in order how they were queued
+ while (context.requests.length > 0 && context.requests[0].end) {
+ var otherRequest = context.requests.shift();
+ setTimeout(otherRequest.callback, 0);
+ }
+ }
+
+ var context = this.loadingContext;
+ var requestId = 'pdfjs-font-loading-' + (context.nextRequestId++);
+ var request = {
+ id: requestId,
+ complete: LoadLoader_completeRequest,
+ callback: callback,
+ started: Date.now()
+ };
+ context.requests.push(request);
+ return request;
+ },
+
+ prepareFontLoadEvent: function fontLoaderPrepareFontLoadEvent(rules,
+ fonts,
+ request) {
+ /** Hack begin */
+ // There's currently no event when a font has finished downloading so the
+ // following code is a dirty hack to 'guess' when a font is
+ // ready. It's assumed fonts are loaded in order, so add a known test
+ // font after the desired fonts and then test for the loading of that
+ // test font.
+
+ function int32(data, offset) {
+ return (data.charCodeAt(offset) << 24) |
+ (data.charCodeAt(offset + 1) << 16) |
+ (data.charCodeAt(offset + 2) << 8) |
+ (data.charCodeAt(offset + 3) & 0xff);
+ }
+
+ function spliceString(s, offset, remove, insert) {
+ var chunk1 = s.substr(0, offset);
+ var chunk2 = s.substr(offset + remove);
+ return chunk1 + insert + chunk2;
+ }
+
+ var i, ii;
+
+ var canvas = document.createElement('canvas');
+ canvas.width = 1;
+ canvas.height = 1;
+ var ctx = canvas.getContext('2d');
+
+ var called = 0;
+ function isFontReady(name, callback) {
+ called++;
+ // With setTimeout clamping this gives the font ~100ms to load.
+ if(called > 30) {
+ warn('Load test font never loaded.');
+ callback();
+ return;
+ }
+ ctx.font = '30px ' + name;
+ ctx.fillText('.', 0, 20);
+ var imageData = ctx.getImageData(0, 0, 1, 1);
+ if (imageData.data[3] > 0) {
+ callback();
+ return;
+ }
+ setTimeout(isFontReady.bind(null, name, callback));
+ }
+
+ var loadTestFontId = 'lt' + Date.now() + this.loadTestFontId++;
+ // Chromium seems to cache fonts based on a hash of the actual font data,
+ // so the font must be modified for each load test else it will appear to
+ // be loaded already.
+ // TODO: This could maybe be made faster by avoiding the btoa of the full
+ // font by splitting it in chunks before hand and padding the font id.
+ var data = this.loadTestFont;
+ var COMMENT_OFFSET = 976; // has to be on 4 byte boundary (for checksum)
+ data = spliceString(data, COMMENT_OFFSET, loadTestFontId.length,
+ loadTestFontId);
+ // CFF checksum is important for IE, adjusting it
+ var CFF_CHECKSUM_OFFSET = 16;
+ var XXXX_VALUE = 0x58585858; // the "comment" filled with 'X'
+ var checksum = int32(data, CFF_CHECKSUM_OFFSET);
+ for (i = 0, ii = loadTestFontId.length - 3; i < ii; i += 4) {
+ checksum = (checksum - XXXX_VALUE + int32(loadTestFontId, i)) | 0;
+ }
+ if (i < loadTestFontId.length) { // align to 4 bytes boundary
+ checksum = (checksum - XXXX_VALUE +
+ int32(loadTestFontId + 'XXX', i)) | 0;
+ }
+ data = spliceString(data, CFF_CHECKSUM_OFFSET, 4, string32(checksum));
+
+ var url = 'url(data:font/opentype;base64,' + btoa(data) + ');';
+ var rule = '@font-face { font-family:"' + loadTestFontId + '";src:' +
+ url + '}';
+ this.insertRule(rule);
+
+ var names = [];
+ for (i = 0, ii = fonts.length; i < ii; i++) {
+ names.push(fonts[i].loadedName);
+ }
+ names.push(loadTestFontId);
+
+ var div = document.createElement('div');
+ div.setAttribute('style',
+ 'visibility: hidden;' +
+ 'width: 10px; height: 10px;' +
+ 'position: absolute; top: 0px; left: 0px;');
+ for (i = 0, ii = names.length; i < ii; ++i) {
+ var span = document.createElement('span');
+ span.textContent = 'Hi';
+ span.style.fontFamily = names[i];
+ div.appendChild(span);
+ }
+ document.body.appendChild(div);
+
+ isFontReady(loadTestFontId, function() {
+ document.body.removeChild(div);
+ request.complete();
+ });
+ /** Hack end */
+ }
+};
+FontLoader.isFontLoadingAPISupported = (!isWorker &&
+ typeof document !== 'undefined' && !!document.fonts);
+Object.defineProperty(FontLoader, 'isSyncFontLoadingSupported', {
+ get: function () {
+ var supported = false;
+
+ // User agent string sniffing is bad, but there is no reliable way to tell
+ // if font is fully loaded and ready to be used with canvas.
+ var userAgent = window.navigator.userAgent;
+ var m = /Mozilla\/5.0.*?rv:(\d+).*? Gecko/.exec(userAgent);
+ if (m && m[1] >= 14) {
+ supported = true;
+ }
+ // TODO other browsers
+ if (userAgent === 'node') {
+ supported = true;
+ }
+ return shadow(FontLoader, 'isSyncFontLoadingSupported', supported);
+ },
+ enumerable: true,
+ configurable: true
+});
+
+var FontFaceObject = (function FontFaceObjectClosure() {
+ function FontFaceObject(translatedData) {
+ this.compiledGlyphs = Object.create(null);
+ // importing translated data
+ for (var i in translatedData) {
+ this[i] = translatedData[i];
+ }
+ }
+ Object.defineProperty(FontFaceObject, 'isEvalSupported', {
+ get: function () {
+ var evalSupport = false;
+ if (PDFJS.isEvalSupported) {
+ try {
+ /* jshint evil: true */
+ new Function('');
+ evalSupport = true;
+ } catch (e) {}
+ }
+ return shadow(this, 'isEvalSupported', evalSupport);
+ },
+ enumerable: true,
+ configurable: true
+ });
+ FontFaceObject.prototype = {
+ createNativeFontFace: function FontFaceObject_createNativeFontFace() {
+ if (!this.data) {
+ return null;
+ }
+
+ if (PDFJS.disableFontFace) {
+ this.disableFontFace = true;
+ return null;
+ }
+
+ var nativeFontFace = new FontFace(this.loadedName, this.data, {});
+
+ if (PDFJS.pdfBug && 'FontInspector' in globalScope &&
+ globalScope['FontInspector'].enabled) {
+ globalScope['FontInspector'].fontAdded(this);
+ }
+ return nativeFontFace;
+ },
+
+ createFontFaceRule: function FontFaceObject_createFontFaceRule() {
+ if (!this.data) {
+ return null;
+ }
+
+ if (PDFJS.disableFontFace) {
+ this.disableFontFace = true;
+ return null;
+ }
+
+ var data = bytesToString(new Uint8Array(this.data));
+ var fontName = this.loadedName;
+
+ // Add the font-face rule to the document
+ var url = ('url(data:' + this.mimetype + ';base64,' +
+ window.btoa(data) + ');');
+ var rule = '@font-face { font-family:"' + fontName + '";src:' + url + '}';
+
+ if (PDFJS.pdfBug && 'FontInspector' in globalScope &&
+ globalScope['FontInspector'].enabled) {
+ globalScope['FontInspector'].fontAdded(this, url);
+ }
+
+ return rule;
+ },
+
+ getPathGenerator:
+ function FontFaceObject_getPathGenerator(objs, character) {
+ if (!(character in this.compiledGlyphs)) {
+ var cmds = objs.get(this.loadedName + '_path_' + character);
+ var current, i, len;
+
+ // If we can, compile cmds into JS for MAXIMUM SPEED
+ if (FontFaceObject.isEvalSupported) {
+ var args, js = '';
+ for (i = 0, len = cmds.length; i < len; i++) {
+ current = cmds[i];
+
+ if (current.args !== undefined) {
+ args = current.args.join(',');
+ } else {
+ args = '';
+ }
+
+ js += 'c.' + current.cmd + '(' + args + ');\n';
+ }
+ /* jshint -W054 */
+ this.compiledGlyphs[character] = new Function('c', 'size', js);
+ } else {
+ // But fall back on using Function.prototype.apply() if we're
+ // blocked from using eval() for whatever reason (like CSP policies)
+ this.compiledGlyphs[character] = function(c, size) {
+ for (i = 0, len = cmds.length; i < len; i++) {
+ current = cmds[i];
+
+ if (current.cmd === 'scale') {
+ current.args = [size, -size];
+ }
+
+ c[current.cmd].apply(c, current.args);
+ }
+ };
+ }
+ }
+ return this.compiledGlyphs[character];
+ }
+ };
+ return FontFaceObject;
+})();
+
+exports.FontFaceObject = FontFaceObject;
+exports.FontLoader = FontLoader;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayMetadata = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayGlobal) {
+
+var error = sharedUtil.error;
+var PDFJS = displayGlobal.PDFJS;
+
+var Metadata = PDFJS.Metadata = (function MetadataClosure() {
+ function fixMetadata(meta) {
+ return meta.replace(/>\\376\\377([^<]+)/g, function(all, codes) {
+ var bytes = codes.replace(/\\([0-3])([0-7])([0-7])/g,
+ function(code, d1, d2, d3) {
+ return String.fromCharCode(d1 * 64 + d2 * 8 + d3 * 1);
+ });
+ var chars = '';
+ for (var i = 0; i < bytes.length; i += 2) {
+ var code = bytes.charCodeAt(i) * 256 + bytes.charCodeAt(i + 1);
+ chars += code >= 32 && code < 127 && code !== 60 && code !== 62 &&
+ code !== 38 && false ? String.fromCharCode(code) :
+ '' + (0x10000 + code).toString(16).substring(1) + ';';
+ }
+ return '>' + chars;
+ });
+ }
+
+ function Metadata(meta) {
+ if (typeof meta === 'string') {
+ // Ghostscript produces invalid metadata
+ meta = fixMetadata(meta);
+
+ var parser = new DOMParser();
+ meta = parser.parseFromString(meta, 'application/xml');
+ } else if (!(meta instanceof Document)) {
+ error('Metadata: Invalid metadata object');
+ }
+
+ this.metaDocument = meta;
+ this.metadata = Object.create(null);
+ this.parse();
+ }
+
+ Metadata.prototype = {
+ parse: function Metadata_parse() {
+ var doc = this.metaDocument;
+ var rdf = doc.documentElement;
+
+ if (rdf.nodeName.toLowerCase() !== 'rdf:rdf') { // Wrapped in
+ rdf = rdf.firstChild;
+ while (rdf && rdf.nodeName.toLowerCase() !== 'rdf:rdf') {
+ rdf = rdf.nextSibling;
+ }
+ }
+
+ var nodeName = (rdf) ? rdf.nodeName.toLowerCase() : null;
+ if (!rdf || nodeName !== 'rdf:rdf' || !rdf.hasChildNodes()) {
+ return;
+ }
+
+ var children = rdf.childNodes, desc, entry, name, i, ii, length, iLength;
+ for (i = 0, length = children.length; i < length; i++) {
+ desc = children[i];
+ if (desc.nodeName.toLowerCase() !== 'rdf:description') {
+ continue;
+ }
+
+ for (ii = 0, iLength = desc.childNodes.length; ii < iLength; ii++) {
+ if (desc.childNodes[ii].nodeName.toLowerCase() !== '#text') {
+ entry = desc.childNodes[ii];
+ name = entry.nodeName.toLowerCase();
+ this.metadata[name] = entry.textContent.trim();
+ }
+ }
+ }
+ },
+
+ get: function Metadata_get(name) {
+ return this.metadata[name] || null;
+ },
+
+ has: function Metadata_has(name) {
+ return typeof this.metadata[name] !== 'undefined';
+ }
+ };
+
+ return Metadata;
+})();
+
+exports.Metadata = Metadata;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplaySVG = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayGlobal) {
+
+var FONT_IDENTITY_MATRIX = sharedUtil.FONT_IDENTITY_MATRIX;
+var IDENTITY_MATRIX = sharedUtil.IDENTITY_MATRIX;
+var ImageKind = sharedUtil.ImageKind;
+var OPS = sharedUtil.OPS;
+var Util = sharedUtil.Util;
+var isNum = sharedUtil.isNum;
+var isArray = sharedUtil.isArray;
+var warn = sharedUtil.warn;
+var PDFJS = displayGlobal.PDFJS;
+
+var SVG_DEFAULTS = {
+ fontStyle: 'normal',
+ fontWeight: 'normal',
+ fillColor: '#000000'
+};
+
+var convertImgDataToPng = (function convertImgDataToPngClosure() {
+ var PNG_HEADER =
+ new Uint8Array([0x89, 0x50, 0x4e, 0x47, 0x0d, 0x0a, 0x1a, 0x0a]);
+
+ var CHUNK_WRAPPER_SIZE = 12;
+
+ var crcTable = new Int32Array(256);
+ for (var i = 0; i < 256; i++) {
+ var c = i;
+ for (var h = 0; h < 8; h++) {
+ if (c & 1) {
+ c = 0xedB88320 ^ ((c >> 1) & 0x7fffffff);
+ } else {
+ c = (c >> 1) & 0x7fffffff;
+ }
+ }
+ crcTable[i] = c;
+ }
+
+ function crc32(data, start, end) {
+ var crc = -1;
+ for (var i = start; i < end; i++) {
+ var a = (crc ^ data[i]) & 0xff;
+ var b = crcTable[a];
+ crc = (crc >>> 8) ^ b;
+ }
+ return crc ^ -1;
+ }
+
+ function writePngChunk(type, body, data, offset) {
+ var p = offset;
+ var len = body.length;
+
+ data[p] = len >> 24 & 0xff;
+ data[p + 1] = len >> 16 & 0xff;
+ data[p + 2] = len >> 8 & 0xff;
+ data[p + 3] = len & 0xff;
+ p += 4;
+
+ data[p] = type.charCodeAt(0) & 0xff;
+ data[p + 1] = type.charCodeAt(1) & 0xff;
+ data[p + 2] = type.charCodeAt(2) & 0xff;
+ data[p + 3] = type.charCodeAt(3) & 0xff;
+ p += 4;
+
+ data.set(body, p);
+ p += body.length;
+
+ var crc = crc32(data, offset + 4, p);
+
+ data[p] = crc >> 24 & 0xff;
+ data[p + 1] = crc >> 16 & 0xff;
+ data[p + 2] = crc >> 8 & 0xff;
+ data[p + 3] = crc & 0xff;
+ }
+
+ function adler32(data, start, end) {
+ var a = 1;
+ var b = 0;
+ for (var i = start; i < end; ++i) {
+ a = (a + (data[i] & 0xff)) % 65521;
+ b = (b + a) % 65521;
+ }
+ return (b << 16) | a;
+ }
+
+ function encode(imgData, kind) {
+ var width = imgData.width;
+ var height = imgData.height;
+ var bitDepth, colorType, lineSize;
+ var bytes = imgData.data;
+
+ switch (kind) {
+ case ImageKind.GRAYSCALE_1BPP:
+ colorType = 0;
+ bitDepth = 1;
+ lineSize = (width + 7) >> 3;
+ break;
+ case ImageKind.RGB_24BPP:
+ colorType = 2;
+ bitDepth = 8;
+ lineSize = width * 3;
+ break;
+ case ImageKind.RGBA_32BPP:
+ colorType = 6;
+ bitDepth = 8;
+ lineSize = width * 4;
+ break;
+ default:
+ throw new Error('invalid format');
+ }
+
+ // prefix every row with predictor 0
+ var literals = new Uint8Array((1 + lineSize) * height);
+ var offsetLiterals = 0, offsetBytes = 0;
+ var y, i;
+ for (y = 0; y < height; ++y) {
+ literals[offsetLiterals++] = 0; // no prediction
+ literals.set(bytes.subarray(offsetBytes, offsetBytes + lineSize),
+ offsetLiterals);
+ offsetBytes += lineSize;
+ offsetLiterals += lineSize;
+ }
+
+ if (kind === ImageKind.GRAYSCALE_1BPP) {
+ // inverting for B/W
+ offsetLiterals = 0;
+ for (y = 0; y < height; y++) {
+ offsetLiterals++; // skipping predictor
+ for (i = 0; i < lineSize; i++) {
+ literals[offsetLiterals++] ^= 0xFF;
+ }
+ }
+ }
+
+ var ihdr = new Uint8Array([
+ width >> 24 & 0xff,
+ width >> 16 & 0xff,
+ width >> 8 & 0xff,
+ width & 0xff,
+ height >> 24 & 0xff,
+ height >> 16 & 0xff,
+ height >> 8 & 0xff,
+ height & 0xff,
+ bitDepth, // bit depth
+ colorType, // color type
+ 0x00, // compression method
+ 0x00, // filter method
+ 0x00 // interlace method
+ ]);
+
+ var len = literals.length;
+ var maxBlockLength = 0xFFFF;
+
+ var deflateBlocks = Math.ceil(len / maxBlockLength);
+ var idat = new Uint8Array(2 + len + deflateBlocks * 5 + 4);
+ var pi = 0;
+ idat[pi++] = 0x78; // compression method and flags
+ idat[pi++] = 0x9c; // flags
+
+ var pos = 0;
+ while (len > maxBlockLength) {
+ // writing non-final DEFLATE blocks type 0 and length of 65535
+ idat[pi++] = 0x00;
+ idat[pi++] = 0xff;
+ idat[pi++] = 0xff;
+ idat[pi++] = 0x00;
+ idat[pi++] = 0x00;
+ idat.set(literals.subarray(pos, pos + maxBlockLength), pi);
+ pi += maxBlockLength;
+ pos += maxBlockLength;
+ len -= maxBlockLength;
+ }
+
+ // writing non-final DEFLATE blocks type 0
+ idat[pi++] = 0x01;
+ idat[pi++] = len & 0xff;
+ idat[pi++] = len >> 8 & 0xff;
+ idat[pi++] = (~len & 0xffff) & 0xff;
+ idat[pi++] = (~len & 0xffff) >> 8 & 0xff;
+ idat.set(literals.subarray(pos), pi);
+ pi += literals.length - pos;
+
+ var adler = adler32(literals, 0, literals.length); // checksum
+ idat[pi++] = adler >> 24 & 0xff;
+ idat[pi++] = adler >> 16 & 0xff;
+ idat[pi++] = adler >> 8 & 0xff;
+ idat[pi++] = adler & 0xff;
+
+ // PNG will consists: header, IHDR+data, IDAT+data, and IEND.
+ var pngLength = PNG_HEADER.length + (CHUNK_WRAPPER_SIZE * 3) +
+ ihdr.length + idat.length;
+ var data = new Uint8Array(pngLength);
+ var offset = 0;
+ data.set(PNG_HEADER, offset);
+ offset += PNG_HEADER.length;
+ writePngChunk('IHDR', ihdr, data, offset);
+ offset += CHUNK_WRAPPER_SIZE + ihdr.length;
+ writePngChunk('IDATA', idat, data, offset);
+ offset += CHUNK_WRAPPER_SIZE + idat.length;
+ writePngChunk('IEND', new Uint8Array(0), data, offset);
+
+ return PDFJS.createObjectURL(data, 'image/png');
+ }
+
+ return function convertImgDataToPng(imgData) {
+ var kind = (imgData.kind === undefined ?
+ ImageKind.GRAYSCALE_1BPP : imgData.kind);
+ return encode(imgData, kind);
+ };
+})();
+
+var SVGExtraState = (function SVGExtraStateClosure() {
+ function SVGExtraState() {
+ this.fontSizeScale = 1;
+ this.fontWeight = SVG_DEFAULTS.fontWeight;
+ this.fontSize = 0;
+
+ this.textMatrix = IDENTITY_MATRIX;
+ this.fontMatrix = FONT_IDENTITY_MATRIX;
+ this.leading = 0;
+
+ // Current point (in user coordinates)
+ this.x = 0;
+ this.y = 0;
+
+ // Start of text line (in text coordinates)
+ this.lineX = 0;
+ this.lineY = 0;
+
+ // Character and word spacing
+ this.charSpacing = 0;
+ this.wordSpacing = 0;
+ this.textHScale = 1;
+ this.textRise = 0;
+
+ // Default foreground and background colors
+ this.fillColor = SVG_DEFAULTS.fillColor;
+ this.strokeColor = '#000000';
+
+ this.fillAlpha = 1;
+ this.strokeAlpha = 1;
+ this.lineWidth = 1;
+ this.lineJoin = '';
+ this.lineCap = '';
+ this.miterLimit = 0;
+
+ this.dashArray = [];
+ this.dashPhase = 0;
+
+ this.dependencies = [];
+
+ // Clipping
+ this.clipId = '';
+ this.pendingClip = false;
+
+ this.maskId = '';
+ }
+
+ SVGExtraState.prototype = {
+ clone: function SVGExtraState_clone() {
+ return Object.create(this);
+ },
+ setCurrentPoint: function SVGExtraState_setCurrentPoint(x, y) {
+ this.x = x;
+ this.y = y;
+ }
+ };
+ return SVGExtraState;
+})();
+
+var SVGGraphics = (function SVGGraphicsClosure() {
+ function createScratchSVG(width, height) {
+ var NS = 'http://www.w3.org/2000/svg';
+ var svg = document.createElementNS(NS, 'svg:svg');
+ svg.setAttributeNS(null, 'version', '1.1');
+ svg.setAttributeNS(null, 'width', width + 'px');
+ svg.setAttributeNS(null, 'height', height + 'px');
+ svg.setAttributeNS(null, 'viewBox', '0 0 ' + width + ' ' + height);
+ return svg;
+ }
+
+ function opListToTree(opList) {
+ var opTree = [];
+ var tmp = [];
+ var opListLen = opList.length;
+
+ for (var x = 0; x < opListLen; x++) {
+ if (opList[x].fn === 'save') {
+ opTree.push({'fnId': 92, 'fn': 'group', 'items': []});
+ tmp.push(opTree);
+ opTree = opTree[opTree.length - 1].items;
+ continue;
+ }
+
+ if(opList[x].fn === 'restore') {
+ opTree = tmp.pop();
+ } else {
+ opTree.push(opList[x]);
+ }
+ }
+ return opTree;
+ }
+
+ /**
+ * Formats float number.
+ * @param value {number} number to format.
+ * @returns {string}
+ */
+ function pf(value) {
+ if (value === (value | 0)) { // integer number
+ return value.toString();
+ }
+ var s = value.toFixed(10);
+ var i = s.length - 1;
+ if (s[i] !== '0') {
+ return s;
+ }
+ // removing trailing zeros
+ do {
+ i--;
+ } while (s[i] === '0');
+ return s.substr(0, s[i] === '.' ? i : i + 1);
+ }
+
+ /**
+ * Formats transform matrix. The standard rotation, scale and translate
+ * matrices are replaced by their shorter forms, and for identity matrix
+ * returns empty string to save the memory.
+ * @param m {Array} matrix to format.
+ * @returns {string}
+ */
+ function pm(m) {
+ if (m[4] === 0 && m[5] === 0) {
+ if (m[1] === 0 && m[2] === 0) {
+ if (m[0] === 1 && m[3] === 1) {
+ return '';
+ }
+ return 'scale(' + pf(m[0]) + ' ' + pf(m[3]) + ')';
+ }
+ if (m[0] === m[3] && m[1] === -m[2]) {
+ var a = Math.acos(m[0]) * 180 / Math.PI;
+ return 'rotate(' + pf(a) + ')';
+ }
+ } else {
+ if (m[0] === 1 && m[1] === 0 && m[2] === 0 && m[3] === 1) {
+ return 'translate(' + pf(m[4]) + ' ' + pf(m[5]) + ')';
+ }
+ }
+ return 'matrix(' + pf(m[0]) + ' ' + pf(m[1]) + ' ' + pf(m[2]) + ' ' +
+ pf(m[3]) + ' ' + pf(m[4]) + ' ' + pf(m[5]) + ')';
+ }
+
+ function SVGGraphics(commonObjs, objs) {
+ this.current = new SVGExtraState();
+ this.transformMatrix = IDENTITY_MATRIX; // Graphics state matrix
+ this.transformStack = [];
+ this.extraStack = [];
+ this.commonObjs = commonObjs;
+ this.objs = objs;
+ this.pendingEOFill = false;
+
+ this.embedFonts = false;
+ this.embeddedFonts = Object.create(null);
+ this.cssStyle = null;
+ }
+
+ var NS = 'http://www.w3.org/2000/svg';
+ var XML_NS = 'http://www.w3.org/XML/1998/namespace';
+ var XLINK_NS = 'http://www.w3.org/1999/xlink';
+ var LINE_CAP_STYLES = ['butt', 'round', 'square'];
+ var LINE_JOIN_STYLES = ['miter', 'round', 'bevel'];
+ var clipCount = 0;
+ var maskCount = 0;
+
+ SVGGraphics.prototype = {
+ save: function SVGGraphics_save() {
+ this.transformStack.push(this.transformMatrix);
+ var old = this.current;
+ this.extraStack.push(old);
+ this.current = old.clone();
+ },
+
+ restore: function SVGGraphics_restore() {
+ this.transformMatrix = this.transformStack.pop();
+ this.current = this.extraStack.pop();
+
+ this.tgrp = document.createElementNS(NS, 'svg:g');
+ this.tgrp.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ this.pgrp.appendChild(this.tgrp);
+ },
+
+ group: function SVGGraphics_group(items) {
+ this.save();
+ this.executeOpTree(items);
+ this.restore();
+ },
+
+ loadDependencies: function SVGGraphics_loadDependencies(operatorList) {
+ var fnArray = operatorList.fnArray;
+ var fnArrayLen = fnArray.length;
+ var argsArray = operatorList.argsArray;
+
+ var self = this;
+ for (var i = 0; i < fnArrayLen; i++) {
+ if (OPS.dependency === fnArray[i]) {
+ var deps = argsArray[i];
+ for (var n = 0, nn = deps.length; n < nn; n++) {
+ var obj = deps[n];
+ var common = obj.substring(0, 2) === 'g_';
+ var promise;
+ if (common) {
+ promise = new Promise(function(resolve) {
+ self.commonObjs.get(obj, resolve);
+ });
+ } else {
+ promise = new Promise(function(resolve) {
+ self.objs.get(obj, resolve);
+ });
+ }
+ this.current.dependencies.push(promise);
+ }
+ }
+ }
+ return Promise.all(this.current.dependencies);
+ },
+
+ transform: function SVGGraphics_transform(a, b, c, d, e, f) {
+ var transformMatrix = [a, b, c, d, e, f];
+ this.transformMatrix = PDFJS.Util.transform(this.transformMatrix,
+ transformMatrix);
+
+ this.tgrp = document.createElementNS(NS, 'svg:g');
+ this.tgrp.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ },
+
+ getSVG: function SVGGraphics_getSVG(operatorList, viewport) {
+ this.svg = createScratchSVG(viewport.width, viewport.height);
+ this.viewport = viewport;
+
+ return this.loadDependencies(operatorList).then(function () {
+ this.transformMatrix = IDENTITY_MATRIX;
+ this.pgrp = document.createElementNS(NS, 'svg:g'); // Parent group
+ this.pgrp.setAttributeNS(null, 'transform', pm(viewport.transform));
+ this.tgrp = document.createElementNS(NS, 'svg:g'); // Transform group
+ this.tgrp.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ this.defs = document.createElementNS(NS, 'svg:defs');
+ this.pgrp.appendChild(this.defs);
+ this.pgrp.appendChild(this.tgrp);
+ this.svg.appendChild(this.pgrp);
+ var opTree = this.convertOpList(operatorList);
+ this.executeOpTree(opTree);
+ return this.svg;
+ }.bind(this));
+ },
+
+ convertOpList: function SVGGraphics_convertOpList(operatorList) {
+ var argsArray = operatorList.argsArray;
+ var fnArray = operatorList.fnArray;
+ var fnArrayLen = fnArray.length;
+ var REVOPS = [];
+ var opList = [];
+
+ for (var op in OPS) {
+ REVOPS[OPS[op]] = op;
+ }
+
+ for (var x = 0; x < fnArrayLen; x++) {
+ var fnId = fnArray[x];
+ opList.push({'fnId' : fnId, 'fn': REVOPS[fnId], 'args': argsArray[x]});
+ }
+ return opListToTree(opList);
+ },
+
+ executeOpTree: function SVGGraphics_executeOpTree(opTree) {
+ var opTreeLen = opTree.length;
+ for(var x = 0; x < opTreeLen; x++) {
+ var fn = opTree[x].fn;
+ var fnId = opTree[x].fnId;
+ var args = opTree[x].args;
+
+ switch (fnId | 0) {
+ case OPS.beginText:
+ this.beginText();
+ break;
+ case OPS.setLeading:
+ this.setLeading(args);
+ break;
+ case OPS.setLeadingMoveText:
+ this.setLeadingMoveText(args[0], args[1]);
+ break;
+ case OPS.setFont:
+ this.setFont(args);
+ break;
+ case OPS.showText:
+ this.showText(args[0]);
+ break;
+ case OPS.showSpacedText:
+ this.showText(args[0]);
+ break;
+ case OPS.endText:
+ this.endText();
+ break;
+ case OPS.moveText:
+ this.moveText(args[0], args[1]);
+ break;
+ case OPS.setCharSpacing:
+ this.setCharSpacing(args[0]);
+ break;
+ case OPS.setWordSpacing:
+ this.setWordSpacing(args[0]);
+ break;
+ case OPS.setHScale:
+ this.setHScale(args[0]);
+ break;
+ case OPS.setTextMatrix:
+ this.setTextMatrix(args[0], args[1], args[2],
+ args[3], args[4], args[5]);
+ break;
+ case OPS.setLineWidth:
+ this.setLineWidth(args[0]);
+ break;
+ case OPS.setLineJoin:
+ this.setLineJoin(args[0]);
+ break;
+ case OPS.setLineCap:
+ this.setLineCap(args[0]);
+ break;
+ case OPS.setMiterLimit:
+ this.setMiterLimit(args[0]);
+ break;
+ case OPS.setFillRGBColor:
+ this.setFillRGBColor(args[0], args[1], args[2]);
+ break;
+ case OPS.setStrokeRGBColor:
+ this.setStrokeRGBColor(args[0], args[1], args[2]);
+ break;
+ case OPS.setDash:
+ this.setDash(args[0], args[1]);
+ break;
+ case OPS.setGState:
+ this.setGState(args[0]);
+ break;
+ case OPS.fill:
+ this.fill();
+ break;
+ case OPS.eoFill:
+ this.eoFill();
+ break;
+ case OPS.stroke:
+ this.stroke();
+ break;
+ case OPS.fillStroke:
+ this.fillStroke();
+ break;
+ case OPS.eoFillStroke:
+ this.eoFillStroke();
+ break;
+ case OPS.clip:
+ this.clip('nonzero');
+ break;
+ case OPS.eoClip:
+ this.clip('evenodd');
+ break;
+ case OPS.paintSolidColorImageMask:
+ this.paintSolidColorImageMask();
+ break;
+ case OPS.paintJpegXObject:
+ this.paintJpegXObject(args[0], args[1], args[2]);
+ break;
+ case OPS.paintImageXObject:
+ this.paintImageXObject(args[0]);
+ break;
+ case OPS.paintInlineImageXObject:
+ this.paintInlineImageXObject(args[0]);
+ break;
+ case OPS.paintImageMaskXObject:
+ this.paintImageMaskXObject(args[0]);
+ break;
+ case OPS.paintFormXObjectBegin:
+ this.paintFormXObjectBegin(args[0], args[1]);
+ break;
+ case OPS.paintFormXObjectEnd:
+ this.paintFormXObjectEnd();
+ break;
+ case OPS.closePath:
+ this.closePath();
+ break;
+ case OPS.closeStroke:
+ this.closeStroke();
+ break;
+ case OPS.closeFillStroke:
+ this.closeFillStroke();
+ break;
+ case OPS.nextLine:
+ this.nextLine();
+ break;
+ case OPS.transform:
+ this.transform(args[0], args[1], args[2], args[3],
+ args[4], args[5]);
+ break;
+ case OPS.constructPath:
+ this.constructPath(args[0], args[1]);
+ break;
+ case OPS.endPath:
+ this.endPath();
+ break;
+ case 92:
+ this.group(opTree[x].items);
+ break;
+ default:
+ warn('Unimplemented method '+ fn);
+ break;
+ }
+ }
+ },
+
+ setWordSpacing: function SVGGraphics_setWordSpacing(wordSpacing) {
+ this.current.wordSpacing = wordSpacing;
+ },
+
+ setCharSpacing: function SVGGraphics_setCharSpacing(charSpacing) {
+ this.current.charSpacing = charSpacing;
+ },
+
+ nextLine: function SVGGraphics_nextLine() {
+ this.moveText(0, this.current.leading);
+ },
+
+ setTextMatrix: function SVGGraphics_setTextMatrix(a, b, c, d, e, f) {
+ var current = this.current;
+ this.current.textMatrix = this.current.lineMatrix = [a, b, c, d, e, f];
+
+ this.current.x = this.current.lineX = 0;
+ this.current.y = this.current.lineY = 0;
+
+ current.xcoords = [];
+ current.tspan = document.createElementNS(NS, 'svg:tspan');
+ current.tspan.setAttributeNS(null, 'font-family', current.fontFamily);
+ current.tspan.setAttributeNS(null, 'font-size',
+ pf(current.fontSize) + 'px');
+ current.tspan.setAttributeNS(null, 'y', pf(-current.y));
+
+ current.txtElement = document.createElementNS(NS, 'svg:text');
+ current.txtElement.appendChild(current.tspan);
+ },
+
+ beginText: function SVGGraphics_beginText() {
+ this.current.x = this.current.lineX = 0;
+ this.current.y = this.current.lineY = 0;
+ this.current.textMatrix = IDENTITY_MATRIX;
+ this.current.lineMatrix = IDENTITY_MATRIX;
+ this.current.tspan = document.createElementNS(NS, 'svg:tspan');
+ this.current.txtElement = document.createElementNS(NS, 'svg:text');
+ this.current.txtgrp = document.createElementNS(NS, 'svg:g');
+ this.current.xcoords = [];
+ },
+
+ moveText: function SVGGraphics_moveText(x, y) {
+ var current = this.current;
+ this.current.x = this.current.lineX += x;
+ this.current.y = this.current.lineY += y;
+
+ current.xcoords = [];
+ current.tspan = document.createElementNS(NS, 'svg:tspan');
+ current.tspan.setAttributeNS(null, 'font-family', current.fontFamily);
+ current.tspan.setAttributeNS(null, 'font-size',
+ pf(current.fontSize) + 'px');
+ current.tspan.setAttributeNS(null, 'y', pf(-current.y));
+ },
+
+ showText: function SVGGraphics_showText(glyphs) {
+ var current = this.current;
+ var font = current.font;
+ var fontSize = current.fontSize;
+
+ if (fontSize === 0) {
+ return;
+ }
+
+ var charSpacing = current.charSpacing;
+ var wordSpacing = current.wordSpacing;
+ var fontDirection = current.fontDirection;
+ var textHScale = current.textHScale * fontDirection;
+ var glyphsLength = glyphs.length;
+ var vertical = font.vertical;
+ var widthAdvanceScale = fontSize * current.fontMatrix[0];
+
+ var x = 0, i;
+ for (i = 0; i < glyphsLength; ++i) {
+ var glyph = glyphs[i];
+ if (glyph === null) {
+ // word break
+ x += fontDirection * wordSpacing;
+ continue;
+ } else if (isNum(glyph)) {
+ x += -glyph * fontSize * 0.001;
+ continue;
+ }
+ current.xcoords.push(current.x + x * textHScale);
+
+ var width = glyph.width;
+ var character = glyph.fontChar;
+ var charWidth = width * widthAdvanceScale + charSpacing * fontDirection;
+ x += charWidth;
+
+ current.tspan.textContent += character;
+ }
+ if (vertical) {
+ current.y -= x * textHScale;
+ } else {
+ current.x += x * textHScale;
+ }
+
+ current.tspan.setAttributeNS(null, 'x',
+ current.xcoords.map(pf).join(' '));
+ current.tspan.setAttributeNS(null, 'y', pf(-current.y));
+ current.tspan.setAttributeNS(null, 'font-family', current.fontFamily);
+ current.tspan.setAttributeNS(null, 'font-size',
+ pf(current.fontSize) + 'px');
+ if (current.fontStyle !== SVG_DEFAULTS.fontStyle) {
+ current.tspan.setAttributeNS(null, 'font-style', current.fontStyle);
+ }
+ if (current.fontWeight !== SVG_DEFAULTS.fontWeight) {
+ current.tspan.setAttributeNS(null, 'font-weight', current.fontWeight);
+ }
+ if (current.fillColor !== SVG_DEFAULTS.fillColor) {
+ current.tspan.setAttributeNS(null, 'fill', current.fillColor);
+ }
+
+ current.txtElement.setAttributeNS(null, 'transform',
+ pm(current.textMatrix) +
+ ' scale(1, -1)' );
+ current.txtElement.setAttributeNS(XML_NS, 'xml:space', 'preserve');
+ current.txtElement.appendChild(current.tspan);
+ current.txtgrp.appendChild(current.txtElement);
+
+ this.tgrp.appendChild(current.txtElement);
+
+ },
+
+ setLeadingMoveText: function SVGGraphics_setLeadingMoveText(x, y) {
+ this.setLeading(-y);
+ this.moveText(x, y);
+ },
+
+ addFontStyle: function SVGGraphics_addFontStyle(fontObj) {
+ if (!this.cssStyle) {
+ this.cssStyle = document.createElementNS(NS, 'svg:style');
+ this.cssStyle.setAttributeNS(null, 'type', 'text/css');
+ this.defs.appendChild(this.cssStyle);
+ }
+
+ var url = PDFJS.createObjectURL(fontObj.data, fontObj.mimetype);
+ this.cssStyle.textContent +=
+ '@font-face { font-family: "' + fontObj.loadedName + '";' +
+ ' src: url(' + url + '); }\n';
+ },
+
+ setFont: function SVGGraphics_setFont(details) {
+ var current = this.current;
+ var fontObj = this.commonObjs.get(details[0]);
+ var size = details[1];
+ this.current.font = fontObj;
+
+ if (this.embedFonts && fontObj.data &&
+ !this.embeddedFonts[fontObj.loadedName]) {
+ this.addFontStyle(fontObj);
+ this.embeddedFonts[fontObj.loadedName] = fontObj;
+ }
+
+ current.fontMatrix = (fontObj.fontMatrix ?
+ fontObj.fontMatrix : FONT_IDENTITY_MATRIX);
+
+ var bold = fontObj.black ? (fontObj.bold ? 'bolder' : 'bold') :
+ (fontObj.bold ? 'bold' : 'normal');
+ var italic = fontObj.italic ? 'italic' : 'normal';
+
+ if (size < 0) {
+ size = -size;
+ current.fontDirection = -1;
+ } else {
+ current.fontDirection = 1;
+ }
+ current.fontSize = size;
+ current.fontFamily = fontObj.loadedName;
+ current.fontWeight = bold;
+ current.fontStyle = italic;
+
+ current.tspan = document.createElementNS(NS, 'svg:tspan');
+ current.tspan.setAttributeNS(null, 'y', pf(-current.y));
+ current.xcoords = [];
+ },
+
+ endText: function SVGGraphics_endText() {
+ if (this.current.pendingClip) {
+ this.cgrp.appendChild(this.tgrp);
+ this.pgrp.appendChild(this.cgrp);
+ } else {
+ this.pgrp.appendChild(this.tgrp);
+ }
+ this.tgrp = document.createElementNS(NS, 'svg:g');
+ this.tgrp.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ },
+
+ // Path properties
+ setLineWidth: function SVGGraphics_setLineWidth(width) {
+ this.current.lineWidth = width;
+ },
+ setLineCap: function SVGGraphics_setLineCap(style) {
+ this.current.lineCap = LINE_CAP_STYLES[style];
+ },
+ setLineJoin: function SVGGraphics_setLineJoin(style) {
+ this.current.lineJoin = LINE_JOIN_STYLES[style];
+ },
+ setMiterLimit: function SVGGraphics_setMiterLimit(limit) {
+ this.current.miterLimit = limit;
+ },
+ setStrokeRGBColor: function SVGGraphics_setStrokeRGBColor(r, g, b) {
+ var color = Util.makeCssRgb(r, g, b);
+ this.current.strokeColor = color;
+ },
+ setFillRGBColor: function SVGGraphics_setFillRGBColor(r, g, b) {
+ var color = Util.makeCssRgb(r, g, b);
+ this.current.fillColor = color;
+ this.current.tspan = document.createElementNS(NS, 'svg:tspan');
+ this.current.xcoords = [];
+ },
+ setDash: function SVGGraphics_setDash(dashArray, dashPhase) {
+ this.current.dashArray = dashArray;
+ this.current.dashPhase = dashPhase;
+ },
+
+ constructPath: function SVGGraphics_constructPath(ops, args) {
+ var current = this.current;
+ var x = current.x, y = current.y;
+ current.path = document.createElementNS(NS, 'svg:path');
+ var d = [];
+ var opLength = ops.length;
+
+ for (var i = 0, j = 0; i < opLength; i++) {
+ switch (ops[i] | 0) {
+ case OPS.rectangle:
+ x = args[j++];
+ y = args[j++];
+ var width = args[j++];
+ var height = args[j++];
+ var xw = x + width;
+ var yh = y + height;
+ d.push('M', pf(x), pf(y), 'L', pf(xw) , pf(y), 'L', pf(xw), pf(yh),
+ 'L', pf(x), pf(yh), 'Z');
+ break;
+ case OPS.moveTo:
+ x = args[j++];
+ y = args[j++];
+ d.push('M', pf(x), pf(y));
+ break;
+ case OPS.lineTo:
+ x = args[j++];
+ y = args[j++];
+ d.push('L', pf(x) , pf(y));
+ break;
+ case OPS.curveTo:
+ x = args[j + 4];
+ y = args[j + 5];
+ d.push('C', pf(args[j]), pf(args[j + 1]), pf(args[j + 2]),
+ pf(args[j + 3]), pf(x), pf(y));
+ j += 6;
+ break;
+ case OPS.curveTo2:
+ x = args[j + 2];
+ y = args[j + 3];
+ d.push('C', pf(x), pf(y), pf(args[j]), pf(args[j + 1]),
+ pf(args[j + 2]), pf(args[j + 3]));
+ j += 4;
+ break;
+ case OPS.curveTo3:
+ x = args[j + 2];
+ y = args[j + 3];
+ d.push('C', pf(args[j]), pf(args[j + 1]), pf(x), pf(y),
+ pf(x), pf(y));
+ j += 4;
+ break;
+ case OPS.closePath:
+ d.push('Z');
+ break;
+ }
+ }
+ current.path.setAttributeNS(null, 'd', d.join(' '));
+ current.path.setAttributeNS(null, 'stroke-miterlimit',
+ pf(current.miterLimit));
+ current.path.setAttributeNS(null, 'stroke-linecap', current.lineCap);
+ current.path.setAttributeNS(null, 'stroke-linejoin', current.lineJoin);
+ current.path.setAttributeNS(null, 'stroke-width',
+ pf(current.lineWidth) + 'px');
+ current.path.setAttributeNS(null, 'stroke-dasharray',
+ current.dashArray.map(pf).join(' '));
+ current.path.setAttributeNS(null, 'stroke-dashoffset',
+ pf(current.dashPhase) + 'px');
+ current.path.setAttributeNS(null, 'fill', 'none');
+
+ this.tgrp.appendChild(current.path);
+ if (current.pendingClip) {
+ this.cgrp.appendChild(this.tgrp);
+ this.pgrp.appendChild(this.cgrp);
+ } else {
+ this.pgrp.appendChild(this.tgrp);
+ }
+ // Saving a reference in current.element so that it can be addressed
+ // in 'fill' and 'stroke'
+ current.element = current.path;
+ current.setCurrentPoint(x, y);
+ },
+
+ endPath: function SVGGraphics_endPath() {
+ var current = this.current;
+ if (current.pendingClip) {
+ this.cgrp.appendChild(this.tgrp);
+ this.pgrp.appendChild(this.cgrp);
+ } else {
+ this.pgrp.appendChild(this.tgrp);
+ }
+ this.tgrp = document.createElementNS(NS, 'svg:g');
+ this.tgrp.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ },
+
+ clip: function SVGGraphics_clip(type) {
+ var current = this.current;
+ // Add current path to clipping path
+ current.clipId = 'clippath' + clipCount;
+ clipCount++;
+ this.clippath = document.createElementNS(NS, 'svg:clipPath');
+ this.clippath.setAttributeNS(null, 'id', current.clipId);
+ var clipElement = current.element.cloneNode();
+ if (type === 'evenodd') {
+ clipElement.setAttributeNS(null, 'clip-rule', 'evenodd');
+ } else {
+ clipElement.setAttributeNS(null, 'clip-rule', 'nonzero');
+ }
+ this.clippath.setAttributeNS(null, 'transform', pm(this.transformMatrix));
+ this.clippath.appendChild(clipElement);
+ this.defs.appendChild(this.clippath);
+
+ // Create a new group with that attribute
+ current.pendingClip = true;
+ this.cgrp = document.createElementNS(NS, 'svg:g');
+ this.cgrp.setAttributeNS(null, 'clip-path',
+ 'url(#' + current.clipId + ')');
+ this.pgrp.appendChild(this.cgrp);
+ },
+
+ closePath: function SVGGraphics_closePath() {
+ var current = this.current;
+ var d = current.path.getAttributeNS(null, 'd');
+ d += 'Z';
+ current.path.setAttributeNS(null, 'd', d);
+ },
+
+ setLeading: function SVGGraphics_setLeading(leading) {
+ this.current.leading = -leading;
+ },
+
+ setTextRise: function SVGGraphics_setTextRise(textRise) {
+ this.current.textRise = textRise;
+ },
+
+ setHScale: function SVGGraphics_setHScale(scale) {
+ this.current.textHScale = scale / 100;
+ },
+
+ setGState: function SVGGraphics_setGState(states) {
+ for (var i = 0, ii = states.length; i < ii; i++) {
+ var state = states[i];
+ var key = state[0];
+ var value = state[1];
+
+ switch (key) {
+ case 'LW':
+ this.setLineWidth(value);
+ break;
+ case 'LC':
+ this.setLineCap(value);
+ break;
+ case 'LJ':
+ this.setLineJoin(value);
+ break;
+ case 'ML':
+ this.setMiterLimit(value);
+ break;
+ case 'D':
+ this.setDash(value[0], value[1]);
+ break;
+ case 'RI':
+ break;
+ case 'FL':
+ break;
+ case 'Font':
+ this.setFont(value);
+ break;
+ case 'CA':
+ break;
+ case 'ca':
+ break;
+ case 'BM':
+ break;
+ case 'SMask':
+ break;
+ }
+ }
+ },
+
+ fill: function SVGGraphics_fill() {
+ var current = this.current;
+ current.element.setAttributeNS(null, 'fill', current.fillColor);
+ },
+
+ stroke: function SVGGraphics_stroke() {
+ var current = this.current;
+ current.element.setAttributeNS(null, 'stroke', current.strokeColor);
+ current.element.setAttributeNS(null, 'fill', 'none');
+ },
+
+ eoFill: function SVGGraphics_eoFill() {
+ var current = this.current;
+ current.element.setAttributeNS(null, 'fill', current.fillColor);
+ current.element.setAttributeNS(null, 'fill-rule', 'evenodd');
+ },
+
+ fillStroke: function SVGGraphics_fillStroke() {
+ // Order is important since stroke wants fill to be none.
+ // First stroke, then if fill needed, it will be overwritten.
+ this.stroke();
+ this.fill();
+ },
+
+ eoFillStroke: function SVGGraphics_eoFillStroke() {
+ this.current.element.setAttributeNS(null, 'fill-rule', 'evenodd');
+ this.fillStroke();
+ },
+
+ closeStroke: function SVGGraphics_closeStroke() {
+ this.closePath();
+ this.stroke();
+ },
+
+ closeFillStroke: function SVGGraphics_closeFillStroke() {
+ this.closePath();
+ this.fillStroke();
+ },
+
+ paintSolidColorImageMask:
+ function SVGGraphics_paintSolidColorImageMask() {
+ var current = this.current;
+ var rect = document.createElementNS(NS, 'svg:rect');
+ rect.setAttributeNS(null, 'x', '0');
+ rect.setAttributeNS(null, 'y', '0');
+ rect.setAttributeNS(null, 'width', '1px');
+ rect.setAttributeNS(null, 'height', '1px');
+ rect.setAttributeNS(null, 'fill', current.fillColor);
+ this.tgrp.appendChild(rect);
+ },
+
+ paintJpegXObject: function SVGGraphics_paintJpegXObject(objId, w, h) {
+ var current = this.current;
+ var imgObj = this.objs.get(objId);
+ var imgEl = document.createElementNS(NS, 'svg:image');
+ imgEl.setAttributeNS(XLINK_NS, 'xlink:href', imgObj.src);
+ imgEl.setAttributeNS(null, 'width', imgObj.width + 'px');
+ imgEl.setAttributeNS(null, 'height', imgObj.height + 'px');
+ imgEl.setAttributeNS(null, 'x', '0');
+ imgEl.setAttributeNS(null, 'y', pf(-h));
+ imgEl.setAttributeNS(null, 'transform',
+ 'scale(' + pf(1 / w) + ' ' + pf(-1 / h) + ')');
+
+ this.tgrp.appendChild(imgEl);
+ if (current.pendingClip) {
+ this.cgrp.appendChild(this.tgrp);
+ this.pgrp.appendChild(this.cgrp);
+ } else {
+ this.pgrp.appendChild(this.tgrp);
+ }
+ },
+
+ paintImageXObject: function SVGGraphics_paintImageXObject(objId) {
+ var imgData = this.objs.get(objId);
+ if (!imgData) {
+ warn('Dependent image isn\'t ready yet');
+ return;
+ }
+ this.paintInlineImageXObject(imgData);
+ },
+
+ paintInlineImageXObject:
+ function SVGGraphics_paintInlineImageXObject(imgData, mask) {
+ var current = this.current;
+ var width = imgData.width;
+ var height = imgData.height;
+
+ var imgSrc = convertImgDataToPng(imgData);
+ var cliprect = document.createElementNS(NS, 'svg:rect');
+ cliprect.setAttributeNS(null, 'x', '0');
+ cliprect.setAttributeNS(null, 'y', '0');
+ cliprect.setAttributeNS(null, 'width', pf(width));
+ cliprect.setAttributeNS(null, 'height', pf(height));
+ current.element = cliprect;
+ this.clip('nonzero');
+ var imgEl = document.createElementNS(NS, 'svg:image');
+ imgEl.setAttributeNS(XLINK_NS, 'xlink:href', imgSrc);
+ imgEl.setAttributeNS(null, 'x', '0');
+ imgEl.setAttributeNS(null, 'y', pf(-height));
+ imgEl.setAttributeNS(null, 'width', pf(width) + 'px');
+ imgEl.setAttributeNS(null, 'height', pf(height) + 'px');
+ imgEl.setAttributeNS(null, 'transform',
+ 'scale(' + pf(1 / width) + ' ' +
+ pf(-1 / height) + ')');
+ if (mask) {
+ mask.appendChild(imgEl);
+ } else {
+ this.tgrp.appendChild(imgEl);
+ }
+ if (current.pendingClip) {
+ this.cgrp.appendChild(this.tgrp);
+ this.pgrp.appendChild(this.cgrp);
+ } else {
+ this.pgrp.appendChild(this.tgrp);
+ }
+ },
+
+ paintImageMaskXObject:
+ function SVGGraphics_paintImageMaskXObject(imgData) {
+ var current = this.current;
+ var width = imgData.width;
+ var height = imgData.height;
+ var fillColor = current.fillColor;
+
+ current.maskId = 'mask' + maskCount++;
+ var mask = document.createElementNS(NS, 'svg:mask');
+ mask.setAttributeNS(null, 'id', current.maskId);
+
+ var rect = document.createElementNS(NS, 'svg:rect');
+ rect.setAttributeNS(null, 'x', '0');
+ rect.setAttributeNS(null, 'y', '0');
+ rect.setAttributeNS(null, 'width', pf(width));
+ rect.setAttributeNS(null, 'height', pf(height));
+ rect.setAttributeNS(null, 'fill', fillColor);
+ rect.setAttributeNS(null, 'mask', 'url(#' + current.maskId +')');
+ this.defs.appendChild(mask);
+ this.tgrp.appendChild(rect);
+
+ this.paintInlineImageXObject(imgData, mask);
+ },
+
+ paintFormXObjectBegin:
+ function SVGGraphics_paintFormXObjectBegin(matrix, bbox) {
+ this.save();
+
+ if (isArray(matrix) && matrix.length === 6) {
+ this.transform(matrix[0], matrix[1], matrix[2],
+ matrix[3], matrix[4], matrix[5]);
+ }
+
+ if (isArray(bbox) && bbox.length === 4) {
+ var width = bbox[2] - bbox[0];
+ var height = bbox[3] - bbox[1];
+
+ var cliprect = document.createElementNS(NS, 'svg:rect');
+ cliprect.setAttributeNS(null, 'x', bbox[0]);
+ cliprect.setAttributeNS(null, 'y', bbox[1]);
+ cliprect.setAttributeNS(null, 'width', pf(width));
+ cliprect.setAttributeNS(null, 'height', pf(height));
+ this.current.element = cliprect;
+ this.clip('nonzero');
+ this.endPath();
+ }
+ },
+
+ paintFormXObjectEnd:
+ function SVGGraphics_paintFormXObjectEnd() {
+ this.restore();
+ }
+ };
+ return SVGGraphics;
+})();
+
+PDFJS.SVGGraphics = SVGGraphics;
+
+exports.SVGGraphics = SVGGraphics;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayWebGL = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayGlobal) {
+
+var shadow = sharedUtil.shadow;
+var PDFJS = displayGlobal.PDFJS;
+
+var WebGLUtils = (function WebGLUtilsClosure() {
+ function loadShader(gl, code, shaderType) {
+ var shader = gl.createShader(shaderType);
+ gl.shaderSource(shader, code);
+ gl.compileShader(shader);
+ var compiled = gl.getShaderParameter(shader, gl.COMPILE_STATUS);
+ if (!compiled) {
+ var errorMsg = gl.getShaderInfoLog(shader);
+ throw new Error('Error during shader compilation: ' + errorMsg);
+ }
+ return shader;
+ }
+ function createVertexShader(gl, code) {
+ return loadShader(gl, code, gl.VERTEX_SHADER);
+ }
+ function createFragmentShader(gl, code) {
+ return loadShader(gl, code, gl.FRAGMENT_SHADER);
+ }
+ function createProgram(gl, shaders) {
+ var program = gl.createProgram();
+ for (var i = 0, ii = shaders.length; i < ii; ++i) {
+ gl.attachShader(program, shaders[i]);
+ }
+ gl.linkProgram(program);
+ var linked = gl.getProgramParameter(program, gl.LINK_STATUS);
+ if (!linked) {
+ var errorMsg = gl.getProgramInfoLog(program);
+ throw new Error('Error during program linking: ' + errorMsg);
+ }
+ return program;
+ }
+ function createTexture(gl, image, textureId) {
+ gl.activeTexture(textureId);
+ var texture = gl.createTexture();
+ gl.bindTexture(gl.TEXTURE_2D, texture);
+
+ // Set the parameters so we can render any size image.
+ gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
+ gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
+ gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.NEAREST);
+ gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, gl.NEAREST);
+
+ // Upload the image into the texture.
+ gl.texImage2D(gl.TEXTURE_2D, 0, gl.RGBA, gl.RGBA, gl.UNSIGNED_BYTE, image);
+ return texture;
+ }
+
+ var currentGL, currentCanvas;
+ function generateGL() {
+ if (currentGL) {
+ return;
+ }
+ currentCanvas = document.createElement('canvas');
+ currentGL = currentCanvas.getContext('webgl',
+ { premultipliedalpha: false });
+ }
+
+ var smaskVertexShaderCode = '\
+ attribute vec2 a_position; \
+ attribute vec2 a_texCoord; \
+ \
+ uniform vec2 u_resolution; \
+ \
+ varying vec2 v_texCoord; \
+ \
+ void main() { \
+ vec2 clipSpace = (a_position / u_resolution) * 2.0 - 1.0; \
+ gl_Position = vec4(clipSpace * vec2(1, -1), 0, 1); \
+ \
+ v_texCoord = a_texCoord; \
+ } ';
+
+ var smaskFragmentShaderCode = '\
+ precision mediump float; \
+ \
+ uniform vec4 u_backdrop; \
+ uniform int u_subtype; \
+ uniform sampler2D u_image; \
+ uniform sampler2D u_mask; \
+ \
+ varying vec2 v_texCoord; \
+ \
+ void main() { \
+ vec4 imageColor = texture2D(u_image, v_texCoord); \
+ vec4 maskColor = texture2D(u_mask, v_texCoord); \
+ if (u_backdrop.a > 0.0) { \
+ maskColor.rgb = maskColor.rgb * maskColor.a + \
+ u_backdrop.rgb * (1.0 - maskColor.a); \
+ } \
+ float lum; \
+ if (u_subtype == 0) { \
+ lum = maskColor.a; \
+ } else { \
+ lum = maskColor.r * 0.3 + maskColor.g * 0.59 + \
+ maskColor.b * 0.11; \
+ } \
+ imageColor.a *= lum; \
+ imageColor.rgb *= imageColor.a; \
+ gl_FragColor = imageColor; \
+ } ';
+
+ var smaskCache = null;
+
+ function initSmaskGL() {
+ var canvas, gl;
+
+ generateGL();
+ canvas = currentCanvas;
+ currentCanvas = null;
+ gl = currentGL;
+ currentGL = null;
+
+ // setup a GLSL program
+ var vertexShader = createVertexShader(gl, smaskVertexShaderCode);
+ var fragmentShader = createFragmentShader(gl, smaskFragmentShaderCode);
+ var program = createProgram(gl, [vertexShader, fragmentShader]);
+ gl.useProgram(program);
+
+ var cache = {};
+ cache.gl = gl;
+ cache.canvas = canvas;
+ cache.resolutionLocation = gl.getUniformLocation(program, 'u_resolution');
+ cache.positionLocation = gl.getAttribLocation(program, 'a_position');
+ cache.backdropLocation = gl.getUniformLocation(program, 'u_backdrop');
+ cache.subtypeLocation = gl.getUniformLocation(program, 'u_subtype');
+
+ var texCoordLocation = gl.getAttribLocation(program, 'a_texCoord');
+ var texLayerLocation = gl.getUniformLocation(program, 'u_image');
+ var texMaskLocation = gl.getUniformLocation(program, 'u_mask');
+
+ // provide texture coordinates for the rectangle.
+ var texCoordBuffer = gl.createBuffer();
+ gl.bindBuffer(gl.ARRAY_BUFFER, texCoordBuffer);
+ gl.bufferData(gl.ARRAY_BUFFER, new Float32Array([
+ 0.0, 0.0,
+ 1.0, 0.0,
+ 0.0, 1.0,
+ 0.0, 1.0,
+ 1.0, 0.0,
+ 1.0, 1.0]), gl.STATIC_DRAW);
+ gl.enableVertexAttribArray(texCoordLocation);
+ gl.vertexAttribPointer(texCoordLocation, 2, gl.FLOAT, false, 0, 0);
+
+ gl.uniform1i(texLayerLocation, 0);
+ gl.uniform1i(texMaskLocation, 1);
+
+ smaskCache = cache;
+ }
+
+ function composeSMask(layer, mask, properties) {
+ var width = layer.width, height = layer.height;
+
+ if (!smaskCache) {
+ initSmaskGL();
+ }
+ var cache = smaskCache,canvas = cache.canvas, gl = cache.gl;
+ canvas.width = width;
+ canvas.height = height;
+ gl.viewport(0, 0, gl.drawingBufferWidth, gl.drawingBufferHeight);
+ gl.uniform2f(cache.resolutionLocation, width, height);
+
+ if (properties.backdrop) {
+ gl.uniform4f(cache.resolutionLocation, properties.backdrop[0],
+ properties.backdrop[1], properties.backdrop[2], 1);
+ } else {
+ gl.uniform4f(cache.resolutionLocation, 0, 0, 0, 0);
+ }
+ gl.uniform1i(cache.subtypeLocation,
+ properties.subtype === 'Luminosity' ? 1 : 0);
+
+ // Create a textures
+ var texture = createTexture(gl, layer, gl.TEXTURE0);
+ var maskTexture = createTexture(gl, mask, gl.TEXTURE1);
+
+
+ // Create a buffer and put a single clipspace rectangle in
+ // it (2 triangles)
+ var buffer = gl.createBuffer();
+ gl.bindBuffer(gl.ARRAY_BUFFER, buffer);
+ gl.bufferData(gl.ARRAY_BUFFER, new Float32Array([
+ 0, 0,
+ width, 0,
+ 0, height,
+ 0, height,
+ width, 0,
+ width, height]), gl.STATIC_DRAW);
+ gl.enableVertexAttribArray(cache.positionLocation);
+ gl.vertexAttribPointer(cache.positionLocation, 2, gl.FLOAT, false, 0, 0);
+
+ // draw
+ gl.clearColor(0, 0, 0, 0);
+ gl.enable(gl.BLEND);
+ gl.blendFunc(gl.ONE, gl.ONE_MINUS_SRC_ALPHA);
+ gl.clear(gl.COLOR_BUFFER_BIT);
+
+ gl.drawArrays(gl.TRIANGLES, 0, 6);
+
+ gl.flush();
+
+ gl.deleteTexture(texture);
+ gl.deleteTexture(maskTexture);
+ gl.deleteBuffer(buffer);
+
+ return canvas;
+ }
+
+ var figuresVertexShaderCode = '\
+ attribute vec2 a_position; \
+ attribute vec3 a_color; \
+ \
+ uniform vec2 u_resolution; \
+ uniform vec2 u_scale; \
+ uniform vec2 u_offset; \
+ \
+ varying vec4 v_color; \
+ \
+ void main() { \
+ vec2 position = (a_position + u_offset) * u_scale; \
+ vec2 clipSpace = (position / u_resolution) * 2.0 - 1.0; \
+ gl_Position = vec4(clipSpace * vec2(1, -1), 0, 1); \
+ \
+ v_color = vec4(a_color / 255.0, 1.0); \
+ } ';
+
+ var figuresFragmentShaderCode = '\
+ precision mediump float; \
+ \
+ varying vec4 v_color; \
+ \
+ void main() { \
+ gl_FragColor = v_color; \
+ } ';
+
+ var figuresCache = null;
+
+ function initFiguresGL() {
+ var canvas, gl;
+
+ generateGL();
+ canvas = currentCanvas;
+ currentCanvas = null;
+ gl = currentGL;
+ currentGL = null;
+
+ // setup a GLSL program
+ var vertexShader = createVertexShader(gl, figuresVertexShaderCode);
+ var fragmentShader = createFragmentShader(gl, figuresFragmentShaderCode);
+ var program = createProgram(gl, [vertexShader, fragmentShader]);
+ gl.useProgram(program);
+
+ var cache = {};
+ cache.gl = gl;
+ cache.canvas = canvas;
+ cache.resolutionLocation = gl.getUniformLocation(program, 'u_resolution');
+ cache.scaleLocation = gl.getUniformLocation(program, 'u_scale');
+ cache.offsetLocation = gl.getUniformLocation(program, 'u_offset');
+ cache.positionLocation = gl.getAttribLocation(program, 'a_position');
+ cache.colorLocation = gl.getAttribLocation(program, 'a_color');
+
+ figuresCache = cache;
+ }
+
+ function drawFigures(width, height, backgroundColor, figures, context) {
+ if (!figuresCache) {
+ initFiguresGL();
+ }
+ var cache = figuresCache, canvas = cache.canvas, gl = cache.gl;
+
+ canvas.width = width;
+ canvas.height = height;
+ gl.viewport(0, 0, gl.drawingBufferWidth, gl.drawingBufferHeight);
+ gl.uniform2f(cache.resolutionLocation, width, height);
+
+ // count triangle points
+ var count = 0;
+ var i, ii, rows;
+ for (i = 0, ii = figures.length; i < ii; i++) {
+ switch (figures[i].type) {
+ case 'lattice':
+ rows = (figures[i].coords.length / figures[i].verticesPerRow) | 0;
+ count += (rows - 1) * (figures[i].verticesPerRow - 1) * 6;
+ break;
+ case 'triangles':
+ count += figures[i].coords.length;
+ break;
+ }
+ }
+ // transfer data
+ var coords = new Float32Array(count * 2);
+ var colors = new Uint8Array(count * 3);
+ var coordsMap = context.coords, colorsMap = context.colors;
+ var pIndex = 0, cIndex = 0;
+ for (i = 0, ii = figures.length; i < ii; i++) {
+ var figure = figures[i], ps = figure.coords, cs = figure.colors;
+ switch (figure.type) {
+ case 'lattice':
+ var cols = figure.verticesPerRow;
+ rows = (ps.length / cols) | 0;
+ for (var row = 1; row < rows; row++) {
+ var offset = row * cols + 1;
+ for (var col = 1; col < cols; col++, offset++) {
+ coords[pIndex] = coordsMap[ps[offset - cols - 1]];
+ coords[pIndex + 1] = coordsMap[ps[offset - cols - 1] + 1];
+ coords[pIndex + 2] = coordsMap[ps[offset - cols]];
+ coords[pIndex + 3] = coordsMap[ps[offset - cols] + 1];
+ coords[pIndex + 4] = coordsMap[ps[offset - 1]];
+ coords[pIndex + 5] = coordsMap[ps[offset - 1] + 1];
+ colors[cIndex] = colorsMap[cs[offset - cols - 1]];
+ colors[cIndex + 1] = colorsMap[cs[offset - cols - 1] + 1];
+ colors[cIndex + 2] = colorsMap[cs[offset - cols - 1] + 2];
+ colors[cIndex + 3] = colorsMap[cs[offset - cols]];
+ colors[cIndex + 4] = colorsMap[cs[offset - cols] + 1];
+ colors[cIndex + 5] = colorsMap[cs[offset - cols] + 2];
+ colors[cIndex + 6] = colorsMap[cs[offset - 1]];
+ colors[cIndex + 7] = colorsMap[cs[offset - 1] + 1];
+ colors[cIndex + 8] = colorsMap[cs[offset - 1] + 2];
+
+ coords[pIndex + 6] = coords[pIndex + 2];
+ coords[pIndex + 7] = coords[pIndex + 3];
+ coords[pIndex + 8] = coords[pIndex + 4];
+ coords[pIndex + 9] = coords[pIndex + 5];
+ coords[pIndex + 10] = coordsMap[ps[offset]];
+ coords[pIndex + 11] = coordsMap[ps[offset] + 1];
+ colors[cIndex + 9] = colors[cIndex + 3];
+ colors[cIndex + 10] = colors[cIndex + 4];
+ colors[cIndex + 11] = colors[cIndex + 5];
+ colors[cIndex + 12] = colors[cIndex + 6];
+ colors[cIndex + 13] = colors[cIndex + 7];
+ colors[cIndex + 14] = colors[cIndex + 8];
+ colors[cIndex + 15] = colorsMap[cs[offset]];
+ colors[cIndex + 16] = colorsMap[cs[offset] + 1];
+ colors[cIndex + 17] = colorsMap[cs[offset] + 2];
+ pIndex += 12;
+ cIndex += 18;
+ }
+ }
+ break;
+ case 'triangles':
+ for (var j = 0, jj = ps.length; j < jj; j++) {
+ coords[pIndex] = coordsMap[ps[j]];
+ coords[pIndex + 1] = coordsMap[ps[j] + 1];
+ colors[cIndex] = colorsMap[cs[j]];
+ colors[cIndex + 1] = colorsMap[cs[j] + 1];
+ colors[cIndex + 2] = colorsMap[cs[j] + 2];
+ pIndex += 2;
+ cIndex += 3;
+ }
+ break;
+ }
+ }
+
+ // draw
+ if (backgroundColor) {
+ gl.clearColor(backgroundColor[0] / 255, backgroundColor[1] / 255,
+ backgroundColor[2] / 255, 1.0);
+ } else {
+ gl.clearColor(0, 0, 0, 0);
+ }
+ gl.clear(gl.COLOR_BUFFER_BIT);
+
+ var coordsBuffer = gl.createBuffer();
+ gl.bindBuffer(gl.ARRAY_BUFFER, coordsBuffer);
+ gl.bufferData(gl.ARRAY_BUFFER, coords, gl.STATIC_DRAW);
+ gl.enableVertexAttribArray(cache.positionLocation);
+ gl.vertexAttribPointer(cache.positionLocation, 2, gl.FLOAT, false, 0, 0);
+
+ var colorsBuffer = gl.createBuffer();
+ gl.bindBuffer(gl.ARRAY_BUFFER, colorsBuffer);
+ gl.bufferData(gl.ARRAY_BUFFER, colors, gl.STATIC_DRAW);
+ gl.enableVertexAttribArray(cache.colorLocation);
+ gl.vertexAttribPointer(cache.colorLocation, 3, gl.UNSIGNED_BYTE, false,
+ 0, 0);
+
+ gl.uniform2f(cache.scaleLocation, context.scaleX, context.scaleY);
+ gl.uniform2f(cache.offsetLocation, context.offsetX, context.offsetY);
+
+ gl.drawArrays(gl.TRIANGLES, 0, count);
+
+ gl.flush();
+
+ gl.deleteBuffer(coordsBuffer);
+ gl.deleteBuffer(colorsBuffer);
+
+ return canvas;
+ }
+
+ function cleanup() {
+ if (smaskCache && smaskCache.canvas) {
+ smaskCache.canvas.width = 0;
+ smaskCache.canvas.height = 0;
+ }
+ if (figuresCache && figuresCache.canvas) {
+ figuresCache.canvas.width = 0;
+ figuresCache.canvas.height = 0;
+ }
+ smaskCache = null;
+ figuresCache = null;
+ }
+
+ return {
+ get isEnabled() {
+ if (PDFJS.disableWebGL) {
+ return false;
+ }
+ var enabled = false;
+ try {
+ generateGL();
+ enabled = !!currentGL;
+ } catch (e) { }
+ return shadow(this, 'isEnabled', enabled);
+ },
+ composeSMask: composeSMask,
+ drawFigures: drawFigures,
+ clear: cleanup
+ };
+})();
+
+exports.WebGLUtils = WebGLUtils;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayAnnotationLayer = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayDOMUtils);
+ }
+}(this, function (exports, sharedUtil, displayDOMUtils) {
+
+var AnnotationBorderStyleType = sharedUtil.AnnotationBorderStyleType;
+var AnnotationType = sharedUtil.AnnotationType;
+var Util = sharedUtil.Util;
+var addLinkAttributes = displayDOMUtils.addLinkAttributes;
+var getFilenameFromUrl = displayDOMUtils.getFilenameFromUrl;
+var warn = sharedUtil.warn;
+var CustomStyle = displayDOMUtils.CustomStyle;
+
+/**
+ * @typedef {Object} AnnotationElementParameters
+ * @property {Object} data
+ * @property {HTMLDivElement} layer
+ * @property {PDFPage} page
+ * @property {PageViewport} viewport
+ * @property {IPDFLinkService} linkService
+ * @property {DownloadManager} downloadManager
+ */
+
+/**
+ * @class
+ * @alias AnnotationElementFactory
+ */
+function AnnotationElementFactory() {}
+AnnotationElementFactory.prototype =
+ /** @lends AnnotationElementFactory.prototype */ {
+ /**
+ * @param {AnnotationElementParameters} parameters
+ * @returns {AnnotationElement}
+ */
+ create: function AnnotationElementFactory_create(parameters) {
+ var subtype = parameters.data.annotationType;
+
+ switch (subtype) {
+ case AnnotationType.LINK:
+ return new LinkAnnotationElement(parameters);
+
+ case AnnotationType.TEXT:
+ return new TextAnnotationElement(parameters);
+
+ case AnnotationType.WIDGET:
+ return new WidgetAnnotationElement(parameters);
+
+ case AnnotationType.POPUP:
+ return new PopupAnnotationElement(parameters);
+
+ case AnnotationType.HIGHLIGHT:
+ return new HighlightAnnotationElement(parameters);
+
+ case AnnotationType.UNDERLINE:
+ return new UnderlineAnnotationElement(parameters);
+
+ case AnnotationType.SQUIGGLY:
+ return new SquigglyAnnotationElement(parameters);
+
+ case AnnotationType.STRIKEOUT:
+ return new StrikeOutAnnotationElement(parameters);
+
+ case AnnotationType.FILEATTACHMENT:
+ return new FileAttachmentAnnotationElement(parameters);
+
+ default:
+ return new AnnotationElement(parameters);
+ }
+ }
+};
+
+/**
+ * @class
+ * @alias AnnotationElement
+ */
+var AnnotationElement = (function AnnotationElementClosure() {
+ function AnnotationElement(parameters, isRenderable) {
+ this.isRenderable = isRenderable || false;
+ this.data = parameters.data;
+ this.layer = parameters.layer;
+ this.page = parameters.page;
+ this.viewport = parameters.viewport;
+ this.linkService = parameters.linkService;
+ this.downloadManager = parameters.downloadManager;
+
+ if (isRenderable) {
+ this.container = this._createContainer();
+ }
+ }
+
+ AnnotationElement.prototype = /** @lends AnnotationElement.prototype */ {
+ /**
+ * Create an empty container for the annotation's HTML element.
+ *
+ * @private
+ * @memberof AnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ _createContainer: function AnnotationElement_createContainer() {
+ var data = this.data, page = this.page, viewport = this.viewport;
+ var container = document.createElement('section');
+ var width = data.rect[2] - data.rect[0];
+ var height = data.rect[3] - data.rect[1];
+
+ container.setAttribute('data-annotation-id', data.id);
+
+ // Do *not* modify `data.rect`, since that will corrupt the annotation
+ // position on subsequent calls to `_createContainer` (see issue 6804).
+ var rect = Util.normalizeRect([
+ data.rect[0],
+ page.view[3] - data.rect[1] + page.view[1],
+ data.rect[2],
+ page.view[3] - data.rect[3] + page.view[1]
+ ]);
+
+ CustomStyle.setProp('transform', container,
+ 'matrix(' + viewport.transform.join(',') + ')');
+ CustomStyle.setProp('transformOrigin', container,
+ -rect[0] + 'px ' + -rect[1] + 'px');
+
+ if (data.borderStyle.width > 0) {
+ container.style.borderWidth = data.borderStyle.width + 'px';
+ if (data.borderStyle.style !== AnnotationBorderStyleType.UNDERLINE) {
+ // Underline styles only have a bottom border, so we do not need
+ // to adjust for all borders. This yields a similar result as
+ // Adobe Acrobat/Reader.
+ width = width - 2 * data.borderStyle.width;
+ height = height - 2 * data.borderStyle.width;
+ }
+
+ var horizontalRadius = data.borderStyle.horizontalCornerRadius;
+ var verticalRadius = data.borderStyle.verticalCornerRadius;
+ if (horizontalRadius > 0 || verticalRadius > 0) {
+ var radius = horizontalRadius + 'px / ' + verticalRadius + 'px';
+ CustomStyle.setProp('borderRadius', container, radius);
+ }
+
+ switch (data.borderStyle.style) {
+ case AnnotationBorderStyleType.SOLID:
+ container.style.borderStyle = 'solid';
+ break;
+
+ case AnnotationBorderStyleType.DASHED:
+ container.style.borderStyle = 'dashed';
+ break;
+
+ case AnnotationBorderStyleType.BEVELED:
+ warn('Unimplemented border style: beveled');
+ break;
+
+ case AnnotationBorderStyleType.INSET:
+ warn('Unimplemented border style: inset');
+ break;
+
+ case AnnotationBorderStyleType.UNDERLINE:
+ container.style.borderBottomStyle = 'solid';
+ break;
+
+ default:
+ break;
+ }
+
+ if (data.color) {
+ container.style.borderColor =
+ Util.makeCssRgb(data.color[0] | 0,
+ data.color[1] | 0,
+ data.color[2] | 0);
+ } else {
+ // Transparent (invisible) border, so do not draw it at all.
+ container.style.borderWidth = 0;
+ }
+ }
+
+ container.style.left = rect[0] + 'px';
+ container.style.top = rect[1] + 'px';
+
+ container.style.width = width + 'px';
+ container.style.height = height + 'px';
+
+ return container;
+ },
+
+ /**
+ * Create a popup for the annotation's HTML element. This is used for
+ * annotations that do not have a Popup entry in the dictionary, but
+ * are of a type that works with popups (such as Highlight annotations).
+ *
+ * @private
+ * @param {HTMLSectionElement} container
+ * @param {HTMLDivElement|HTMLImageElement|null} trigger
+ * @param {Object} data
+ * @memberof AnnotationElement
+ */
+ _createPopup:
+ function AnnotationElement_createPopup(container, trigger, data) {
+ // If no trigger element is specified, create it.
+ if (!trigger) {
+ trigger = document.createElement('div');
+ trigger.style.height = container.style.height;
+ trigger.style.width = container.style.width;
+ container.appendChild(trigger);
+ }
+
+ var popupElement = new PopupElement({
+ container: container,
+ trigger: trigger,
+ color: data.color,
+ title: data.title,
+ contents: data.contents,
+ hideWrapper: true
+ });
+ var popup = popupElement.render();
+
+ // Position the popup next to the annotation's container.
+ popup.style.left = container.style.width;
+
+ container.appendChild(popup);
+ },
+
+ /**
+ * Render the annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof AnnotationElement
+ */
+ render: function AnnotationElement_render() {
+ throw new Error('Abstract method AnnotationElement.render called');
+ }
+ };
+
+ return AnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias LinkAnnotationElement
+ */
+var LinkAnnotationElement = (function LinkAnnotationElementClosure() {
+ function LinkAnnotationElement(parameters) {
+ AnnotationElement.call(this, parameters, true);
+ }
+
+ Util.inherit(LinkAnnotationElement, AnnotationElement, {
+ /**
+ * Render the link annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof LinkAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function LinkAnnotationElement_render() {
+ this.container.className = 'linkAnnotation';
+
+ var link = document.createElement('a');
+ addLinkAttributes(link, { url: this.data.url });
+
+ if (!this.data.url) {
+ if (this.data.action) {
+ this._bindNamedAction(link, this.data.action);
+ } else {
+ this._bindLink(link, ('dest' in this.data) ? this.data.dest : null);
+ }
+ }
+
+ this.container.appendChild(link);
+ return this.container;
+ },
+
+ /**
+ * Bind internal links to the link element.
+ *
+ * @private
+ * @param {Object} link
+ * @param {Object} destination
+ * @memberof LinkAnnotationElement
+ */
+ _bindLink: function LinkAnnotationElement_bindLink(link, destination) {
+ var self = this;
+
+ link.href = this.linkService.getDestinationHash(destination);
+ link.onclick = function() {
+ if (destination) {
+ self.linkService.navigateTo(destination);
+ }
+ return false;
+ };
+ if (destination) {
+ link.className = 'internalLink';
+ }
+ },
+
+ /**
+ * Bind named actions to the link element.
+ *
+ * @private
+ * @param {Object} link
+ * @param {Object} action
+ * @memberof LinkAnnotationElement
+ */
+ _bindNamedAction:
+ function LinkAnnotationElement_bindNamedAction(link, action) {
+ var self = this;
+
+ link.href = this.linkService.getAnchorUrl('');
+ link.onclick = function() {
+ self.linkService.executeNamedAction(action);
+ return false;
+ };
+ link.className = 'internalLink';
+ }
+ });
+
+ return LinkAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias TextAnnotationElement
+ */
+var TextAnnotationElement = (function TextAnnotationElementClosure() {
+ function TextAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.hasPopup ||
+ parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(TextAnnotationElement, AnnotationElement, {
+ /**
+ * Render the text annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof TextAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function TextAnnotationElement_render() {
+ this.container.className = 'textAnnotation';
+
+ var image = document.createElement('img');
+ image.style.height = this.container.style.height;
+ image.style.width = this.container.style.width;
+ image.src = PDFJS.imageResourcesPath + 'annotation-' +
+ this.data.name.toLowerCase() + '.svg';
+ image.alt = '[{{type}} Annotation]';
+ image.dataset.l10nId = 'text_annotation_type';
+ image.dataset.l10nArgs = JSON.stringify({type: this.data.name});
+
+ if (!this.data.hasPopup) {
+ this._createPopup(this.container, image, this.data);
+ }
+
+ this.container.appendChild(image);
+ return this.container;
+ }
+ });
+
+ return TextAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias WidgetAnnotationElement
+ */
+var WidgetAnnotationElement = (function WidgetAnnotationElementClosure() {
+ function WidgetAnnotationElement(parameters) {
+ var isRenderable = !parameters.data.hasAppearance &&
+ !!parameters.data.fieldValue;
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(WidgetAnnotationElement, AnnotationElement, {
+ /**
+ * Render the widget annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof WidgetAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function WidgetAnnotationElement_render() {
+ var content = document.createElement('div');
+ content.textContent = this.data.fieldValue;
+ var textAlignment = this.data.textAlignment;
+ content.style.textAlign = ['left', 'center', 'right'][textAlignment];
+ content.style.verticalAlign = 'middle';
+ content.style.display = 'table-cell';
+
+ var font = (this.data.fontRefName ?
+ this.page.commonObjs.getData(this.data.fontRefName) : null);
+ this._setTextStyle(content, font);
+
+ this.container.appendChild(content);
+ return this.container;
+ },
+
+ /**
+ * Apply text styles to the text in the element.
+ *
+ * @private
+ * @param {HTMLDivElement} element
+ * @param {Object} font
+ * @memberof WidgetAnnotationElement
+ */
+ _setTextStyle:
+ function WidgetAnnotationElement_setTextStyle(element, font) {
+ // TODO: This duplicates some of the logic in CanvasGraphics.setFont().
+ var style = element.style;
+ style.fontSize = this.data.fontSize + 'px';
+ style.direction = (this.data.fontDirection < 0 ? 'rtl': 'ltr');
+
+ if (!font) {
+ return;
+ }
+
+ style.fontWeight = (font.black ?
+ (font.bold ? '900' : 'bold') :
+ (font.bold ? 'bold' : 'normal'));
+ style.fontStyle = (font.italic ? 'italic' : 'normal');
+
+ // Use a reasonable default font if the font doesn't specify a fallback.
+ var fontFamily = font.loadedName ? '"' + font.loadedName + '", ' : '';
+ var fallbackName = font.fallbackName || 'Helvetica, sans-serif';
+ style.fontFamily = fontFamily + fallbackName;
+ }
+ });
+
+ return WidgetAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias PopupAnnotationElement
+ */
+var PopupAnnotationElement = (function PopupAnnotationElementClosure() {
+ function PopupAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(PopupAnnotationElement, AnnotationElement, {
+ /**
+ * Render the popup annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof PopupAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function PopupAnnotationElement_render() {
+ this.container.className = 'popupAnnotation';
+
+ var selector = '[data-annotation-id="' + this.data.parentId + '"]';
+ var parentElement = this.layer.querySelector(selector);
+ if (!parentElement) {
+ return this.container;
+ }
+
+ var popup = new PopupElement({
+ container: this.container,
+ trigger: parentElement,
+ color: this.data.color,
+ title: this.data.title,
+ contents: this.data.contents
+ });
+
+ // Position the popup next to the parent annotation's container.
+ // PDF viewers ignore a popup annotation's rectangle.
+ var parentLeft = parseFloat(parentElement.style.left);
+ var parentWidth = parseFloat(parentElement.style.width);
+ CustomStyle.setProp('transformOrigin', this.container,
+ -(parentLeft + parentWidth) + 'px -' +
+ parentElement.style.top);
+ this.container.style.left = (parentLeft + parentWidth) + 'px';
+
+ this.container.appendChild(popup.render());
+ return this.container;
+ }
+ });
+
+ return PopupAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias PopupElement
+ */
+var PopupElement = (function PopupElementClosure() {
+ var BACKGROUND_ENLIGHT = 0.7;
+
+ function PopupElement(parameters) {
+ this.container = parameters.container;
+ this.trigger = parameters.trigger;
+ this.color = parameters.color;
+ this.title = parameters.title;
+ this.contents = parameters.contents;
+ this.hideWrapper = parameters.hideWrapper || false;
+
+ this.pinned = false;
+ }
+
+ PopupElement.prototype = /** @lends PopupElement.prototype */ {
+ /**
+ * Render the popup's HTML element.
+ *
+ * @public
+ * @memberof PopupElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function PopupElement_render() {
+ var wrapper = document.createElement('div');
+ wrapper.className = 'popupWrapper';
+
+ // For Popup annotations we hide the entire section because it contains
+ // only the popup. However, for Text annotations without a separate Popup
+ // annotation, we cannot hide the entire container as the image would
+ // disappear too. In that special case, hiding the wrapper suffices.
+ this.hideElement = (this.hideWrapper ? wrapper : this.container);
+ this.hideElement.setAttribute('hidden', true);
+
+ var popup = document.createElement('div');
+ popup.className = 'popup';
+
+ var color = this.color;
+ if (color) {
+ // Enlighten the color.
+ var r = BACKGROUND_ENLIGHT * (255 - color[0]) + color[0];
+ var g = BACKGROUND_ENLIGHT * (255 - color[1]) + color[1];
+ var b = BACKGROUND_ENLIGHT * (255 - color[2]) + color[2];
+ popup.style.backgroundColor = Util.makeCssRgb(r | 0, g | 0, b | 0);
+ }
+
+ var contents = this._formatContents(this.contents);
+ var title = document.createElement('h1');
+ title.textContent = this.title;
+
+ // Attach the event listeners to the trigger element.
+ this.trigger.addEventListener('click', this._toggle.bind(this));
+ this.trigger.addEventListener('mouseover', this._show.bind(this, false));
+ this.trigger.addEventListener('mouseout', this._hide.bind(this, false));
+ popup.addEventListener('click', this._hide.bind(this, true));
+
+ popup.appendChild(title);
+ popup.appendChild(contents);
+ wrapper.appendChild(popup);
+ return wrapper;
+ },
+
+ /**
+ * Format the contents of the popup by adding newlines where necessary.
+ *
+ * @private
+ * @param {string} contents
+ * @memberof PopupElement
+ * @returns {HTMLParagraphElement}
+ */
+ _formatContents: function PopupElement_formatContents(contents) {
+ var p = document.createElement('p');
+ var lines = contents.split(/(?:\r\n?|\n)/);
+ for (var i = 0, ii = lines.length; i < ii; ++i) {
+ var line = lines[i];
+ p.appendChild(document.createTextNode(line));
+ if (i < (ii - 1)) {
+ p.appendChild(document.createElement('br'));
+ }
+ }
+ return p;
+ },
+
+ /**
+ * Toggle the visibility of the popup.
+ *
+ * @private
+ * @memberof PopupElement
+ */
+ _toggle: function PopupElement_toggle() {
+ if (this.pinned) {
+ this._hide(true);
+ } else {
+ this._show(true);
+ }
+ },
+
+ /**
+ * Show the popup.
+ *
+ * @private
+ * @param {boolean} pin
+ * @memberof PopupElement
+ */
+ _show: function PopupElement_show(pin) {
+ if (pin) {
+ this.pinned = true;
+ }
+ if (this.hideElement.hasAttribute('hidden')) {
+ this.hideElement.removeAttribute('hidden');
+ this.container.style.zIndex += 1;
+ }
+ },
+
+ /**
+ * Hide the popup.
+ *
+ * @private
+ * @param {boolean} unpin
+ * @memberof PopupElement
+ */
+ _hide: function PopupElement_hide(unpin) {
+ if (unpin) {
+ this.pinned = false;
+ }
+ if (!this.hideElement.hasAttribute('hidden') && !this.pinned) {
+ this.hideElement.setAttribute('hidden', true);
+ this.container.style.zIndex -= 1;
+ }
+ }
+ };
+
+ return PopupElement;
+})();
+
+/**
+ * @class
+ * @alias HighlightAnnotationElement
+ */
+var HighlightAnnotationElement = (
+ function HighlightAnnotationElementClosure() {
+ function HighlightAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.hasPopup ||
+ parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(HighlightAnnotationElement, AnnotationElement, {
+ /**
+ * Render the highlight annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof HighlightAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function HighlightAnnotationElement_render() {
+ this.container.className = 'highlightAnnotation';
+
+ if (!this.data.hasPopup) {
+ this._createPopup(this.container, null, this.data);
+ }
+
+ return this.container;
+ }
+ });
+
+ return HighlightAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias UnderlineAnnotationElement
+ */
+var UnderlineAnnotationElement = (
+ function UnderlineAnnotationElementClosure() {
+ function UnderlineAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.hasPopup ||
+ parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(UnderlineAnnotationElement, AnnotationElement, {
+ /**
+ * Render the underline annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof UnderlineAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function UnderlineAnnotationElement_render() {
+ this.container.className = 'underlineAnnotation';
+
+ if (!this.data.hasPopup) {
+ this._createPopup(this.container, null, this.data);
+ }
+
+ return this.container;
+ }
+ });
+
+ return UnderlineAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias SquigglyAnnotationElement
+ */
+var SquigglyAnnotationElement = (function SquigglyAnnotationElementClosure() {
+ function SquigglyAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.hasPopup ||
+ parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(SquigglyAnnotationElement, AnnotationElement, {
+ /**
+ * Render the squiggly annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof SquigglyAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function SquigglyAnnotationElement_render() {
+ this.container.className = 'squigglyAnnotation';
+
+ if (!this.data.hasPopup) {
+ this._createPopup(this.container, null, this.data);
+ }
+
+ return this.container;
+ }
+ });
+
+ return SquigglyAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias StrikeOutAnnotationElement
+ */
+var StrikeOutAnnotationElement = (
+ function StrikeOutAnnotationElementClosure() {
+ function StrikeOutAnnotationElement(parameters) {
+ var isRenderable = !!(parameters.data.hasPopup ||
+ parameters.data.title || parameters.data.contents);
+ AnnotationElement.call(this, parameters, isRenderable);
+ }
+
+ Util.inherit(StrikeOutAnnotationElement, AnnotationElement, {
+ /**
+ * Render the strikeout annotation's HTML element in the empty container.
+ *
+ * @public
+ * @memberof StrikeOutAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function StrikeOutAnnotationElement_render() {
+ this.container.className = 'strikeoutAnnotation';
+
+ if (!this.data.hasPopup) {
+ this._createPopup(this.container, null, this.data);
+ }
+
+ return this.container;
+ }
+ });
+
+ return StrikeOutAnnotationElement;
+})();
+
+/**
+ * @class
+ * @alias FileAttachmentAnnotationElement
+ */
+var FileAttachmentAnnotationElement = (
+ function FileAttachmentAnnotationElementClosure() {
+ function FileAttachmentAnnotationElement(parameters) {
+ AnnotationElement.call(this, parameters, true);
+
+ this.filename = getFilenameFromUrl(parameters.data.file.filename);
+ this.content = parameters.data.file.content;
+ }
+
+ Util.inherit(FileAttachmentAnnotationElement, AnnotationElement, {
+ /**
+ * Render the file attachment annotation's HTML element in the empty
+ * container.
+ *
+ * @public
+ * @memberof FileAttachmentAnnotationElement
+ * @returns {HTMLSectionElement}
+ */
+ render: function FileAttachmentAnnotationElement_render() {
+ this.container.className = 'fileAttachmentAnnotation';
+
+ var trigger = document.createElement('div');
+ trigger.style.height = this.container.style.height;
+ trigger.style.width = this.container.style.width;
+ trigger.addEventListener('dblclick', this._download.bind(this));
+
+ if (!this.data.hasPopup && (this.data.title || this.data.contents)) {
+ this._createPopup(this.container, trigger, this.data);
+ }
+
+ this.container.appendChild(trigger);
+ return this.container;
+ },
+
+ /**
+ * Download the file attachment associated with this annotation.
+ *
+ * @private
+ * @memberof FileAttachmentAnnotationElement
+ */
+ _download: function FileAttachmentAnnotationElement_download() {
+ if (!this.downloadManager) {
+ warn('Download cannot be started due to unavailable download manager');
+ return;
+ }
+ this.downloadManager.downloadData(this.content, this.filename, '');
+ }
+ });
+
+ return FileAttachmentAnnotationElement;
+})();
+
+/**
+ * @typedef {Object} AnnotationLayerParameters
+ * @property {PageViewport} viewport
+ * @property {HTMLDivElement} div
+ * @property {Array} annotations
+ * @property {PDFPage} page
+ * @property {IPDFLinkService} linkService
+ */
+
+/**
+ * @class
+ * @alias AnnotationLayer
+ */
+var AnnotationLayer = (function AnnotationLayerClosure() {
+ return {
+ /**
+ * Render a new annotation layer with all annotation elements.
+ *
+ * @public
+ * @param {AnnotationLayerParameters} parameters
+ * @memberof AnnotationLayer
+ */
+ render: function AnnotationLayer_render(parameters) {
+ var annotationElementFactory = new AnnotationElementFactory();
+
+ for (var i = 0, ii = parameters.annotations.length; i < ii; i++) {
+ var data = parameters.annotations[i];
+ if (!data) {
+ continue;
+ }
+
+ var properties = {
+ data: data,
+ layer: parameters.div,
+ page: parameters.page,
+ viewport: parameters.viewport,
+ linkService: parameters.linkService,
+ downloadManager: parameters.downloadManager
+ };
+ var element = annotationElementFactory.create(properties);
+ if (element.isRenderable) {
+ parameters.div.appendChild(element.render());
+ }
+ }
+ },
+
+ /**
+ * Update the annotation elements on existing annotation layer.
+ *
+ * @public
+ * @param {AnnotationLayerParameters} parameters
+ * @memberof AnnotationLayer
+ */
+ update: function AnnotationLayer_update(parameters) {
+ for (var i = 0, ii = parameters.annotations.length; i < ii; i++) {
+ var data = parameters.annotations[i];
+ var element = parameters.div.querySelector(
+ '[data-annotation-id="' + data.id + '"]');
+ if (element) {
+ CustomStyle.setProp('transform', element,
+ 'matrix(' + parameters.viewport.transform.join(',') + ')');
+ }
+ }
+ parameters.div.removeAttribute('hidden');
+ }
+ };
+})();
+
+PDFJS.AnnotationLayer = AnnotationLayer;
+
+exports.AnnotationLayer = AnnotationLayer;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayPatternHelper = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayWebGL);
+ }
+}(this, function (exports, sharedUtil, displayWebGL) {
+
+var Util = sharedUtil.Util;
+var info = sharedUtil.info;
+var isArray = sharedUtil.isArray;
+var error = sharedUtil.error;
+var WebGLUtils = displayWebGL.WebGLUtils;
+
+var ShadingIRs = {};
+
+ShadingIRs.RadialAxial = {
+ fromIR: function RadialAxial_fromIR(raw) {
+ var type = raw[1];
+ var colorStops = raw[2];
+ var p0 = raw[3];
+ var p1 = raw[4];
+ var r0 = raw[5];
+ var r1 = raw[6];
+ return {
+ type: 'Pattern',
+ getPattern: function RadialAxial_getPattern(ctx) {
+ var grad;
+ if (type === 'axial') {
+ grad = ctx.createLinearGradient(p0[0], p0[1], p1[0], p1[1]);
+ } else if (type === 'radial') {
+ grad = ctx.createRadialGradient(p0[0], p0[1], r0, p1[0], p1[1], r1);
+ }
+
+ for (var i = 0, ii = colorStops.length; i < ii; ++i) {
+ var c = colorStops[i];
+ grad.addColorStop(c[0], c[1]);
+ }
+ return grad;
+ }
+ };
+ }
+};
+
+var createMeshCanvas = (function createMeshCanvasClosure() {
+ function drawTriangle(data, context, p1, p2, p3, c1, c2, c3) {
+ // Very basic Gouraud-shaded triangle rasterization algorithm.
+ var coords = context.coords, colors = context.colors;
+ var bytes = data.data, rowSize = data.width * 4;
+ var tmp;
+ if (coords[p1 + 1] > coords[p2 + 1]) {
+ tmp = p1; p1 = p2; p2 = tmp; tmp = c1; c1 = c2; c2 = tmp;
+ }
+ if (coords[p2 + 1] > coords[p3 + 1]) {
+ tmp = p2; p2 = p3; p3 = tmp; tmp = c2; c2 = c3; c3 = tmp;
+ }
+ if (coords[p1 + 1] > coords[p2 + 1]) {
+ tmp = p1; p1 = p2; p2 = tmp; tmp = c1; c1 = c2; c2 = tmp;
+ }
+ var x1 = (coords[p1] + context.offsetX) * context.scaleX;
+ var y1 = (coords[p1 + 1] + context.offsetY) * context.scaleY;
+ var x2 = (coords[p2] + context.offsetX) * context.scaleX;
+ var y2 = (coords[p2 + 1] + context.offsetY) * context.scaleY;
+ var x3 = (coords[p3] + context.offsetX) * context.scaleX;
+ var y3 = (coords[p3 + 1] + context.offsetY) * context.scaleY;
+ if (y1 >= y3) {
+ return;
+ }
+ var c1r = colors[c1], c1g = colors[c1 + 1], c1b = colors[c1 + 2];
+ var c2r = colors[c2], c2g = colors[c2 + 1], c2b = colors[c2 + 2];
+ var c3r = colors[c3], c3g = colors[c3 + 1], c3b = colors[c3 + 2];
+
+ var minY = Math.round(y1), maxY = Math.round(y3);
+ var xa, car, cag, cab;
+ var xb, cbr, cbg, cbb;
+ var k;
+ for (var y = minY; y <= maxY; y++) {
+ if (y < y2) {
+ k = y < y1 ? 0 : y1 === y2 ? 1 : (y1 - y) / (y1 - y2);
+ xa = x1 - (x1 - x2) * k;
+ car = c1r - (c1r - c2r) * k;
+ cag = c1g - (c1g - c2g) * k;
+ cab = c1b - (c1b - c2b) * k;
+ } else {
+ k = y > y3 ? 1 : y2 === y3 ? 0 : (y2 - y) / (y2 - y3);
+ xa = x2 - (x2 - x3) * k;
+ car = c2r - (c2r - c3r) * k;
+ cag = c2g - (c2g - c3g) * k;
+ cab = c2b - (c2b - c3b) * k;
+ }
+ k = y < y1 ? 0 : y > y3 ? 1 : (y1 - y) / (y1 - y3);
+ xb = x1 - (x1 - x3) * k;
+ cbr = c1r - (c1r - c3r) * k;
+ cbg = c1g - (c1g - c3g) * k;
+ cbb = c1b - (c1b - c3b) * k;
+ var x1_ = Math.round(Math.min(xa, xb));
+ var x2_ = Math.round(Math.max(xa, xb));
+ var j = rowSize * y + x1_ * 4;
+ for (var x = x1_; x <= x2_; x++) {
+ k = (xa - x) / (xa - xb);
+ k = k < 0 ? 0 : k > 1 ? 1 : k;
+ bytes[j++] = (car - (car - cbr) * k) | 0;
+ bytes[j++] = (cag - (cag - cbg) * k) | 0;
+ bytes[j++] = (cab - (cab - cbb) * k) | 0;
+ bytes[j++] = 255;
+ }
+ }
+ }
+
+ function drawFigure(data, figure, context) {
+ var ps = figure.coords;
+ var cs = figure.colors;
+ var i, ii;
+ switch (figure.type) {
+ case 'lattice':
+ var verticesPerRow = figure.verticesPerRow;
+ var rows = Math.floor(ps.length / verticesPerRow) - 1;
+ var cols = verticesPerRow - 1;
+ for (i = 0; i < rows; i++) {
+ var q = i * verticesPerRow;
+ for (var j = 0; j < cols; j++, q++) {
+ drawTriangle(data, context,
+ ps[q], ps[q + 1], ps[q + verticesPerRow],
+ cs[q], cs[q + 1], cs[q + verticesPerRow]);
+ drawTriangle(data, context,
+ ps[q + verticesPerRow + 1], ps[q + 1], ps[q + verticesPerRow],
+ cs[q + verticesPerRow + 1], cs[q + 1], cs[q + verticesPerRow]);
+ }
+ }
+ break;
+ case 'triangles':
+ for (i = 0, ii = ps.length; i < ii; i += 3) {
+ drawTriangle(data, context,
+ ps[i], ps[i + 1], ps[i + 2],
+ cs[i], cs[i + 1], cs[i + 2]);
+ }
+ break;
+ default:
+ error('illigal figure');
+ break;
+ }
+ }
+
+ function createMeshCanvas(bounds, combinesScale, coords, colors, figures,
+ backgroundColor, cachedCanvases) {
+ // we will increase scale on some weird factor to let antialiasing take
+ // care of "rough" edges
+ var EXPECTED_SCALE = 1.1;
+ // MAX_PATTERN_SIZE is used to avoid OOM situation.
+ var MAX_PATTERN_SIZE = 3000; // 10in @ 300dpi shall be enough
+
+ var offsetX = Math.floor(bounds[0]);
+ var offsetY = Math.floor(bounds[1]);
+ var boundsWidth = Math.ceil(bounds[2]) - offsetX;
+ var boundsHeight = Math.ceil(bounds[3]) - offsetY;
+
+ var width = Math.min(Math.ceil(Math.abs(boundsWidth * combinesScale[0] *
+ EXPECTED_SCALE)), MAX_PATTERN_SIZE);
+ var height = Math.min(Math.ceil(Math.abs(boundsHeight * combinesScale[1] *
+ EXPECTED_SCALE)), MAX_PATTERN_SIZE);
+ var scaleX = boundsWidth / width;
+ var scaleY = boundsHeight / height;
+
+ var context = {
+ coords: coords,
+ colors: colors,
+ offsetX: -offsetX,
+ offsetY: -offsetY,
+ scaleX: 1 / scaleX,
+ scaleY: 1 / scaleY
+ };
+
+ var canvas, tmpCanvas, i, ii;
+ if (WebGLUtils.isEnabled) {
+ canvas = WebGLUtils.drawFigures(width, height, backgroundColor,
+ figures, context);
+
+ // https://bugzilla.mozilla.org/show_bug.cgi?id=972126
+ tmpCanvas = cachedCanvases.getCanvas('mesh', width, height, false);
+ tmpCanvas.context.drawImage(canvas, 0, 0);
+ canvas = tmpCanvas.canvas;
+ } else {
+ tmpCanvas = cachedCanvases.getCanvas('mesh', width, height, false);
+ var tmpCtx = tmpCanvas.context;
+
+ var data = tmpCtx.createImageData(width, height);
+ if (backgroundColor) {
+ var bytes = data.data;
+ for (i = 0, ii = bytes.length; i < ii; i += 4) {
+ bytes[i] = backgroundColor[0];
+ bytes[i + 1] = backgroundColor[1];
+ bytes[i + 2] = backgroundColor[2];
+ bytes[i + 3] = 255;
+ }
+ }
+ for (i = 0; i < figures.length; i++) {
+ drawFigure(data, figures[i], context);
+ }
+ tmpCtx.putImageData(data, 0, 0);
+ canvas = tmpCanvas.canvas;
+ }
+
+ return {canvas: canvas, offsetX: offsetX, offsetY: offsetY,
+ scaleX: scaleX, scaleY: scaleY};
+ }
+ return createMeshCanvas;
+})();
+
+ShadingIRs.Mesh = {
+ fromIR: function Mesh_fromIR(raw) {
+ //var type = raw[1];
+ var coords = raw[2];
+ var colors = raw[3];
+ var figures = raw[4];
+ var bounds = raw[5];
+ var matrix = raw[6];
+ //var bbox = raw[7];
+ var background = raw[8];
+ return {
+ type: 'Pattern',
+ getPattern: function Mesh_getPattern(ctx, owner, shadingFill) {
+ var scale;
+ if (shadingFill) {
+ scale = Util.singularValueDecompose2dScale(ctx.mozCurrentTransform);
+ } else {
+ // Obtain scale from matrix and current transformation matrix.
+ scale = Util.singularValueDecompose2dScale(owner.baseTransform);
+ if (matrix) {
+ var matrixScale = Util.singularValueDecompose2dScale(matrix);
+ scale = [scale[0] * matrixScale[0],
+ scale[1] * matrixScale[1]];
+ }
+ }
+
+
+ // Rasterizing on the main thread since sending/queue large canvases
+ // might cause OOM.
+ var temporaryPatternCanvas = createMeshCanvas(bounds, scale, coords,
+ colors, figures, shadingFill ? null : background,
+ owner.cachedCanvases);
+
+ if (!shadingFill) {
+ ctx.setTransform.apply(ctx, owner.baseTransform);
+ if (matrix) {
+ ctx.transform.apply(ctx, matrix);
+ }
+ }
+
+ ctx.translate(temporaryPatternCanvas.offsetX,
+ temporaryPatternCanvas.offsetY);
+ ctx.scale(temporaryPatternCanvas.scaleX,
+ temporaryPatternCanvas.scaleY);
+
+ return ctx.createPattern(temporaryPatternCanvas.canvas, 'no-repeat');
+ }
+ };
+ }
+};
+
+ShadingIRs.Dummy = {
+ fromIR: function Dummy_fromIR() {
+ return {
+ type: 'Pattern',
+ getPattern: function Dummy_fromIR_getPattern() {
+ return 'hotpink';
+ }
+ };
+ }
+};
+
+function getShadingPatternFromIR(raw) {
+ var shadingIR = ShadingIRs[raw[0]];
+ if (!shadingIR) {
+ error('Unknown IR type: ' + raw[0]);
+ }
+ return shadingIR.fromIR(raw);
+}
+
+var TilingPattern = (function TilingPatternClosure() {
+ var PaintType = {
+ COLORED: 1,
+ UNCOLORED: 2
+ };
+
+ var MAX_PATTERN_SIZE = 3000; // 10in @ 300dpi shall be enough
+
+ function TilingPattern(IR, color, ctx, canvasGraphicsFactory, baseTransform) {
+ this.operatorList = IR[2];
+ this.matrix = IR[3] || [1, 0, 0, 1, 0, 0];
+ this.bbox = IR[4];
+ this.xstep = IR[5];
+ this.ystep = IR[6];
+ this.paintType = IR[7];
+ this.tilingType = IR[8];
+ this.color = color;
+ this.canvasGraphicsFactory = canvasGraphicsFactory;
+ this.baseTransform = baseTransform;
+ this.type = 'Pattern';
+ this.ctx = ctx;
+ }
+
+ TilingPattern.prototype = {
+ createPatternCanvas: function TilinPattern_createPatternCanvas(owner) {
+ var operatorList = this.operatorList;
+ var bbox = this.bbox;
+ var xstep = this.xstep;
+ var ystep = this.ystep;
+ var paintType = this.paintType;
+ var tilingType = this.tilingType;
+ var color = this.color;
+ var canvasGraphicsFactory = this.canvasGraphicsFactory;
+
+ info('TilingType: ' + tilingType);
+
+ var x0 = bbox[0], y0 = bbox[1], x1 = bbox[2], y1 = bbox[3];
+
+ var topLeft = [x0, y0];
+ // we want the canvas to be as large as the step size
+ var botRight = [x0 + xstep, y0 + ystep];
+
+ var width = botRight[0] - topLeft[0];
+ var height = botRight[1] - topLeft[1];
+
+ // Obtain scale from matrix and current transformation matrix.
+ var matrixScale = Util.singularValueDecompose2dScale(this.matrix);
+ var curMatrixScale = Util.singularValueDecompose2dScale(
+ this.baseTransform);
+ var combinedScale = [matrixScale[0] * curMatrixScale[0],
+ matrixScale[1] * curMatrixScale[1]];
+
+ // MAX_PATTERN_SIZE is used to avoid OOM situation.
+ // Use width and height values that are as close as possible to the end
+ // result when the pattern is used. Too low value makes the pattern look
+ // blurry. Too large value makes it look too crispy.
+ width = Math.min(Math.ceil(Math.abs(width * combinedScale[0])),
+ MAX_PATTERN_SIZE);
+
+ height = Math.min(Math.ceil(Math.abs(height * combinedScale[1])),
+ MAX_PATTERN_SIZE);
+
+ var tmpCanvas = owner.cachedCanvases.getCanvas('pattern',
+ width, height, true);
+ var tmpCtx = tmpCanvas.context;
+ var graphics = canvasGraphicsFactory.createCanvasGraphics(tmpCtx);
+ graphics.groupLevel = owner.groupLevel;
+
+ this.setFillAndStrokeStyleToContext(tmpCtx, paintType, color);
+
+ this.setScale(width, height, xstep, ystep);
+ this.transformToScale(graphics);
+
+ // transform coordinates to pattern space
+ var tmpTranslate = [1, 0, 0, 1, -topLeft[0], -topLeft[1]];
+ graphics.transform.apply(graphics, tmpTranslate);
+
+ this.clipBbox(graphics, bbox, x0, y0, x1, y1);
+
+ graphics.executeOperatorList(operatorList);
+ return tmpCanvas.canvas;
+ },
+
+ setScale: function TilingPattern_setScale(width, height, xstep, ystep) {
+ this.scale = [width / xstep, height / ystep];
+ },
+
+ transformToScale: function TilingPattern_transformToScale(graphics) {
+ var scale = this.scale;
+ var tmpScale = [scale[0], 0, 0, scale[1], 0, 0];
+ graphics.transform.apply(graphics, tmpScale);
+ },
+
+ scaleToContext: function TilingPattern_scaleToContext() {
+ var scale = this.scale;
+ this.ctx.scale(1 / scale[0], 1 / scale[1]);
+ },
+
+ clipBbox: function clipBbox(graphics, bbox, x0, y0, x1, y1) {
+ if (bbox && isArray(bbox) && bbox.length === 4) {
+ var bboxWidth = x1 - x0;
+ var bboxHeight = y1 - y0;
+ graphics.ctx.rect(x0, y0, bboxWidth, bboxHeight);
+ graphics.clip();
+ graphics.endPath();
+ }
+ },
+
+ setFillAndStrokeStyleToContext:
+ function setFillAndStrokeStyleToContext(context, paintType, color) {
+ switch (paintType) {
+ case PaintType.COLORED:
+ var ctx = this.ctx;
+ context.fillStyle = ctx.fillStyle;
+ context.strokeStyle = ctx.strokeStyle;
+ break;
+ case PaintType.UNCOLORED:
+ var cssColor = Util.makeCssRgb(color[0], color[1], color[2]);
+ context.fillStyle = cssColor;
+ context.strokeStyle = cssColor;
+ break;
+ default:
+ error('Unsupported paint type: ' + paintType);
+ }
+ },
+
+ getPattern: function TilingPattern_getPattern(ctx, owner) {
+ var temporaryPatternCanvas = this.createPatternCanvas(owner);
+
+ ctx = this.ctx;
+ ctx.setTransform.apply(ctx, this.baseTransform);
+ ctx.transform.apply(ctx, this.matrix);
+ this.scaleToContext();
+
+ return ctx.createPattern(temporaryPatternCanvas, 'repeat');
+ }
+ };
+
+ return TilingPattern;
+})();
+
+exports.getShadingPatternFromIR = getShadingPatternFromIR;
+exports.TilingPattern = TilingPattern;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayTextLayer = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayDOMUtils, root.pdfjsDisplayGlobal);
+ }
+}(this, function (exports, sharedUtil, displayDOMUtils, displayGlobal) {
+
+var Util = sharedUtil.Util;
+var createPromiseCapability = sharedUtil.createPromiseCapability;
+var CustomStyle = displayDOMUtils.CustomStyle;
+var PDFJS = displayGlobal.PDFJS;
+
+/**
+ * Text layer render parameters.
+ *
+ * @typedef {Object} TextLayerRenderParameters
+ * @property {TextContent} textContent - Text content to render (the object is
+ * returned by the page's getTextContent() method).
+ * @property {HTMLElement} container - HTML element that will contain text runs.
+ * @property {PDFJS.PageViewport} viewport - The target viewport to properly
+ * layout the text runs.
+ * @property {Array} textDivs - (optional) HTML elements that are correspond
+ * the text items of the textContent input. This is output and shall be
+ * initially be set to empty array.
+ * @property {number} timeout - (optional) Delay in milliseconds before
+ * rendering of the text runs occurs.
+ */
+var renderTextLayer = (function renderTextLayerClosure() {
+ var MAX_TEXT_DIVS_TO_RENDER = 100000;
+
+ var NonWhitespaceRegexp = /\S/;
+
+ function isAllWhitespace(str) {
+ return !NonWhitespaceRegexp.test(str);
+ }
+
+ function appendText(textDivs, viewport, geom, styles) {
+ var style = styles[geom.fontName];
+ var textDiv = document.createElement('div');
+ textDivs.push(textDiv);
+ if (isAllWhitespace(geom.str)) {
+ textDiv.dataset.isWhitespace = true;
+ return;
+ }
+ var tx = Util.transform(viewport.transform, geom.transform);
+ var angle = Math.atan2(tx[1], tx[0]);
+ if (style.vertical) {
+ angle += Math.PI / 2;
+ }
+ var fontHeight = Math.sqrt((tx[2] * tx[2]) + (tx[3] * tx[3]));
+ var fontAscent = fontHeight;
+ if (style.ascent) {
+ fontAscent = style.ascent * fontAscent;
+ } else if (style.descent) {
+ fontAscent = (1 + style.descent) * fontAscent;
+ }
+
+ var left;
+ var top;
+ if (angle === 0) {
+ left = tx[4];
+ top = tx[5] - fontAscent;
+ } else {
+ left = tx[4] + (fontAscent * Math.sin(angle));
+ top = tx[5] - (fontAscent * Math.cos(angle));
+ }
+ textDiv.style.left = left + 'px';
+ textDiv.style.top = top + 'px';
+ textDiv.style.fontSize = fontHeight + 'px';
+ textDiv.style.fontFamily = style.fontFamily;
+
+ textDiv.textContent = geom.str;
+ // |fontName| is only used by the Font Inspector. This test will succeed
+ // when e.g. the Font Inspector is off but the Stepper is on, but it's
+ // not worth the effort to do a more accurate test.
+ if (PDFJS.pdfBug) {
+ textDiv.dataset.fontName = geom.fontName;
+ }
+ // Storing into dataset will convert number into string.
+ if (angle !== 0) {
+ textDiv.dataset.angle = angle * (180 / Math.PI);
+ }
+ // We don't bother scaling single-char text divs, because it has very
+ // little effect on text highlighting. This makes scrolling on docs with
+ // lots of such divs a lot faster.
+ if (geom.str.length > 1) {
+ if (style.vertical) {
+ textDiv.dataset.canvasWidth = geom.height * viewport.scale;
+ } else {
+ textDiv.dataset.canvasWidth = geom.width * viewport.scale;
+ }
+ }
+ }
+
+ function render(task) {
+ if (task._canceled) {
+ return;
+ }
+ var textLayerFrag = task._container;
+ var textDivs = task._textDivs;
+ var capability = task._capability;
+ var textDivsLength = textDivs.length;
+
+ // No point in rendering many divs as it would make the browser
+ // unusable even after the divs are rendered.
+ if (textDivsLength > MAX_TEXT_DIVS_TO_RENDER) {
+ capability.resolve();
+ return;
+ }
+
+ var canvas = document.createElement('canvas');
+ canvas.mozOpaque = true;
+ var ctx = canvas.getContext('2d', {alpha: false});
+
+ var lastFontSize;
+ var lastFontFamily;
+ for (var i = 0; i < textDivsLength; i++) {
+ var textDiv = textDivs[i];
+ if (textDiv.dataset.isWhitespace !== undefined) {
+ continue;
+ }
+
+ var fontSize = textDiv.style.fontSize;
+ var fontFamily = textDiv.style.fontFamily;
+
+ // Only build font string and set to context if different from last.
+ if (fontSize !== lastFontSize || fontFamily !== lastFontFamily) {
+ ctx.font = fontSize + ' ' + fontFamily;
+ lastFontSize = fontSize;
+ lastFontFamily = fontFamily;
+ }
+
+ var width = ctx.measureText(textDiv.textContent).width;
+ if (width > 0) {
+ textLayerFrag.appendChild(textDiv);
+ var transform;
+ if (textDiv.dataset.canvasWidth !== undefined) {
+ // Dataset values come of type string.
+ var textScale = textDiv.dataset.canvasWidth / width;
+ transform = 'scaleX(' + textScale + ')';
+ } else {
+ transform = '';
+ }
+ var rotation = textDiv.dataset.angle;
+ if (rotation) {
+ transform = 'rotate(' + rotation + 'deg) ' + transform;
+ }
+ if (transform) {
+ CustomStyle.setProp('transform' , textDiv, transform);
+ }
+ }
+ }
+ capability.resolve();
+ }
+
+ /**
+ * Text layer rendering task.
+ *
+ * @param {TextContent} textContent
+ * @param {HTMLElement} container
+ * @param {PDFJS.PageViewport} viewport
+ * @param {Array} textDivs
+ * @private
+ */
+ function TextLayerRenderTask(textContent, container, viewport, textDivs) {
+ this._textContent = textContent;
+ this._container = container;
+ this._viewport = viewport;
+ textDivs = textDivs || [];
+ this._textDivs = textDivs;
+ this._canceled = false;
+ this._capability = createPromiseCapability();
+ this._renderTimer = null;
+ }
+ TextLayerRenderTask.prototype = {
+ get promise() {
+ return this._capability.promise;
+ },
+
+ cancel: function TextLayer_cancel() {
+ this._canceled = true;
+ if (this._renderTimer !== null) {
+ clearTimeout(this._renderTimer);
+ this._renderTimer = null;
+ }
+ this._capability.reject('canceled');
+ },
+
+ _render: function TextLayer_render(timeout) {
+ var textItems = this._textContent.items;
+ var styles = this._textContent.styles;
+ var textDivs = this._textDivs;
+ var viewport = this._viewport;
+ for (var i = 0, len = textItems.length; i < len; i++) {
+ appendText(textDivs, viewport, textItems[i], styles);
+ }
+
+ if (!timeout) { // Render right away
+ render(this);
+ } else { // Schedule
+ var self = this;
+ this._renderTimer = setTimeout(function() {
+ render(self);
+ self._renderTimer = null;
+ }, timeout);
+ }
+ }
+ };
+
+
+ /**
+ * Starts rendering of the text layer.
+ *
+ * @param {TextLayerRenderParameters} renderParameters
+ * @returns {TextLayerRenderTask}
+ */
+ function renderTextLayer(renderParameters) {
+ var task = new TextLayerRenderTask(renderParameters.textContent,
+ renderParameters.container,
+ renderParameters.viewport,
+ renderParameters.textDivs);
+ task._render(renderParameters.timeout);
+ return task;
+ }
+
+ return renderTextLayer;
+})();
+
+PDFJS.renderTextLayer = renderTextLayer;
+
+exports.renderTextLayer = renderTextLayer;
+}));
+
+
+(function (root, factory) {
+ {
+ factory((root.pdfjsDisplayCanvas = {}), root.pdfjsSharedUtil,
+ root.pdfjsDisplayDOMUtils, root.pdfjsDisplayPatternHelper,
+ root.pdfjsDisplayWebGL);
+ }
+}(this, function (exports, sharedUtil, displayDOMUtils, displayPatternHelper,
+ displayWebGL) {
+
+var FONT_IDENTITY_MATRIX = sharedUtil.FONT_IDENTITY_MATRIX;
+var IDENTITY_MATRIX = sharedUtil.IDENTITY_MATRIX;
+var ImageKind = sharedUtil.ImageKind;
+var OPS = sharedUtil.OPS;
+var TextRenderingMode = sharedUtil.TextRenderingMode;
+var Uint32ArrayView = sharedUtil.Uint32ArrayView;
+var Util = sharedUtil.Util;
+var assert = sharedUtil.assert;
+var info = sharedUtil.info;
+var isNum = sharedUtil.isNum;
+var isArray = sharedUtil.isArray;
+var error = sharedUtil.error;
+var shadow = sharedUtil.shadow;
+var warn = sharedUtil.warn;
+var TilingPattern = displayPatternHelper.TilingPattern;
+var getShadingPatternFromIR = displayPatternHelper.getShadingPatternFromIR;
+var WebGLUtils = displayWebGL.WebGLUtils;
+
+//