pull/1119/head
gabrielburnworth 2019-02-28 15:31:42 -08:00
parent 73c35ed4f7
commit 6a9770a989
23 changed files with 7117 additions and 1921 deletions

View File

@ -1,10 +1,18 @@
jest.mock("axios", () => {
return {
get: jest.fn((_url: string) => {
return Promise.resolve();
})
};
});
jest.mock("axios", () => ({
get: jest.fn(() => Promise.resolve({
data: {
"translated": {
"A": "B"
},
"untranslated": {
"C": "C"
},
"other_translations": {
"D": "E"
}
}
}))
}));
import { generateUrl, getUserLang, generateI18nConfig } from "../i18n";
import axios from "axios";
@ -15,22 +23,20 @@ const PORT = "2323";
describe("generateUrl", () => {
it("Generates a URL from a language code", () => {
const result = generateUrl(LANG_CODE, HOST, PORT);
expect(result).toBe("//local.dev:2323/app-resources/languages/en.js");
expect(result).toBe("//local.dev:2323/app-resources/languages/en.json");
});
});
describe("getUserLang", () => {
it("gets the user's language", (done) => {
getUserLang(LANG_CODE, HOST, PORT)
.then((result) => {
.then(result => {
expect(axios.get).toHaveBeenCalled();
expect(axios.get).toHaveBeenCalledWith(generateUrl(LANG_CODE, HOST, PORT));
expect(result).toEqual("en");
done();
})
.catch((x) => {
fail(x.message);
});
.catch(x => fail(x.message));
});
});
@ -38,5 +44,8 @@ describe("generateI18nConfig", () => {
it("generates a config with defaults", async () => {
const result = await generateI18nConfig("en");
expect(result.lng).toBe("en");
result.resources
? expect(result.resources.en.translation).toEqual({ A: "B", C: "C", D: "E" })
: expect(result.resources).toBeTruthy();
});
});

View File

@ -1,11 +1,15 @@
import axios from "axios";
import { InitOptions } from "i18next";
import { merge } from "lodash";
const translationFilePath = (lang: string): string =>
`/app-resources/languages/${lang}.json`;
/** @public */
export function generateUrl(langCode: string, host: string, port: string) {
const lang = langCode.slice(0, 2);
const baseUrl = `//${host.split(":")[0]}:${port}`;
const url = `${baseUrl}/app-resources/languages/${lang}.js`;
const url = `${baseUrl}${translationFilePath(lang)}`;
return url;
}
@ -16,15 +20,22 @@ export function getUserLang(
.catch(() => "en");
}
type TranslationFile = { [cat: string]: { [key: string]: string } };
type Translations = { [key: string]: string };
const parseTranslationData = (data: TranslationFile): Translations =>
merge(data["translated"], data["untranslated"], data["other_translations"]);
export function generateI18nConfig(lang: string): Promise<InitOptions> {
return axios
.get<string>(`/app-resources/languages/${lang}.js`)
.then(_x => {
.get<TranslationFile>(translationFilePath(lang))
.then(response => {
const translation = parseTranslationData(response.data);
return {
nsSeparator: "",
keySeparator: "",
lng: lang,
resources: { [lang]: { translation: {} } }
resources: { [lang]: { translation } }
};
});
}

View File

@ -16,7 +16,8 @@
"tslint": "./node_modules/tslint/bin/tslint --project .",
"sass-lint": "./node_modules/sass-lint/bin/sass-lint.js -c .sass-lint.yml -v -q",
"sass-check": "./node_modules/sass/sass.js --no-source-map frontend/css/_index.scss sass.log",
"linters": "npm run typecheck && npm run tslint && npm run sass-lint && npm run sass-check"
"translation-check": " ./node_modules/jshint/bin/jshint --config public/app-resources/languages/.config public/app-resources/languages/*.js*",
"linters": "npm run typecheck && npm run tslint && npm run sass-lint && npm run sass-check && npm run translation-check"
},
"keywords": [
"farmbot"
@ -78,6 +79,7 @@
},
"devDependencies": {
"jest-skipped-reporter": "0.0.4",
"jshint": "2.10.1",
"madge": "3.4.3",
"sass": "1.16.1"
},

View File

@ -0,0 +1 @@
{ "esversion": 5 }

View File

@ -20,20 +20,20 @@ var HelperNamespace = (function () {
}
});
return filelist;
};
}
/**
* @desc search in the file in parameter to detect the tags
*/
function searchInFile(path, regex) {
var fs = fs || require('fs')
var fs = fs || require('fs');
// load the file
var fileContent = fs.readFileSync(path, 'utf8');
var strArray = [];
// match all the groups
var match = regex.exec(fileContent);
while (match != null) {
strArray.push(match[1].replace(/\s+/g, ' '))
strArray.push(match[1].replace(/\s+/g, ' '));
match = regex.exec(fileContent);
}
return strArray;
@ -51,7 +51,7 @@ var HelperNamespace = (function () {
var C_REGEX = /[`]([\w\s{}().,:'\-=\\?"+!]*)[`].*/g;
/** Some additional phrases the regex can't find. */
const EXTRA_TAGS = [
var EXTRA_TAGS = [
"Fun", "Warn", "Controls", "Device", "Farm Designer", "on",
"Map Points", "Spread", "Row Spacing", "Height", "Taxon",
"Growing Degree Days", "Svg Icon", "Invalid date", "yes"
@ -61,14 +61,14 @@ var HelperNamespace = (function () {
* Get all the tags in the files with extension .ts of the current project
*/
function getAllTags() {
const srcPath = __dirname + '/../../../frontend';
var srcPath = __dirname + '/../../../frontend';
var listFilteredFiles = walkSync(srcPath, [], '.ts');
var allTags = listFilteredFiles.map(function (x) {
return searchInFile(x, T_REGEX)
return searchInFile(x, T_REGEX);
});
var constantsTags = searchInFile(srcPath + '/constants.ts', C_REGEX);
const DIAG_MESSAGE_FILE = '/devices/connectivity/diagnostic_messages.ts';
var DIAG_MESSAGE_FILE = '/devices/connectivity/diagnostic_messages.ts';
var diagnosticTags = searchInFile(srcPath + DIAG_MESSAGE_FILE, C_REGEX);
// flatten list of list in a simple list
@ -96,42 +96,82 @@ var HelperNamespace = (function () {
/** For debugging. Replace all translations with a debug string. */
function replaceWithDebugString(key, debugString, debugStringOption) {
const debugChar = debugString[0];
var debugChar = debugString[0];
switch (debugStringOption) {
case 'r': return debugString; // replace with: string as provided
case 's': return debugChar; // single character
case 'n': return key.replace(/\S/g, debugChar); // maintain whitespace
case 'l': return debugChar.repeat(key.length) // replace whitespace
case 'l': return debugChar.repeat(key.length); // replace whitespace
default: return key;
}
}
/**
* Label a section of tags with a comment before the first tag in the section.
*/
function labelTags(string, tags, label) {
var firstUnusedKey = Object.keys(tags)[0];
var replacement = '\n // ' + label + '\n "' + firstUnusedKey + '"';
var labeledString = string.replace('"' + firstUnusedKey + '"', replacement);
return labeledString;
var metrics = [];
/** Generate translation summary data for all languages. */
function generateMetrics() {
var languageCodes = walkSync(__dirname, [], '.json')
.filter(function (s) { return !s.includes('en.js'); })
.filter(function (s) { return !(s.includes('metrics') || s.includes('.md')); })
.map(function (s) { return s.slice(-'en.json'.length, -'.json'.length); });
var fs = fs || require('fs');
var markdown = '';
languageCodes.map(function (lang) {
return createOrUpdateTranslationFile(lang, true);
});
// console.log(metrics);
// var jsonMetrics = JSON.stringify(metrics, undefined, 2);
// fs.writeFileSync(__dirname + '/metrics.json', jsonMetrics);
markdown += '# Translation summary\n\n';
markdown += '_This summary was automatically generated by running the';
markdown += ' language helper._\n\n';
markdown += 'Auto-sort and generate translation file contents using:\n\n';
markdown += '```bash\nnode public/app-resources/languages/_helper.js en\n```\n\n';
markdown += 'Where `en` is your language code.\n\n';
markdown += 'Translation file format can be checked using:\n\n';
markdown += '```bash\nnpm run translation-check\n```\n\n';
markdown += 'See the [README](https://github.com/FarmBot/Farmbot-Web-App';
markdown += '#translating-the-web-app-into-your-language) for contribution';
markdown += ' instructions.\n\n';
markdown += 'Total number of phrases identified by the language helper';
markdown += ' for translation: __' + metrics[0].current + '__\n\n';
markdown += '|Language|Percent translated';
markdown += '|Translated|Untranslated|Other Translations|\n';
markdown += '|:---:|---:|---:|---:|---:|\n';
metrics.map(function (langMetrics) {
markdown += '|' + langMetrics.language;
markdown += '|' + langMetrics.percent + '%';
markdown += '|' + langMetrics.translated;
markdown += '|' + langMetrics.untranslated;
markdown += '|' + langMetrics.orphans;
markdown += '|\n';
});
fs.writeFileSync(__dirname + '/translation_metrics.md', markdown);
}
/** Print some translation file status metrics. */
function generateSummary(args) {
// {foundTags, unmatchedTags, allTags, countTranslated, countExisting, langCode}
const current = Object.keys(args.foundTags).length;
const orphans = Object.keys(args.unmatchedTags).length;
const total = Object.keys(args.allTags).length;
const percent = Math.round(args.countTranslated / current * 100);
const existingUntranslated = args.countExisting - args.countTranslated;
console.log(current + ' strings found.');
console.log(' ' + args.countExisting + ' existing items match.');
console.log(' ' + args.countTranslated + ' existing translations match.');
console.log(' ' + existingUntranslated + ' existing untranslated items.');
console.log(' ' + (current - args.countExisting) + ' new items added.');
console.log(percent + '% of found strings translated.');
console.log(orphans + ' unused, outdated, or extra items.');
console.log('Updated file (' + args.langCode + '.js) with ' + total + ' items.');
// {foundTags, unmatchedTags, untranslated, translated, countExisting, langCode}
var current = Object.keys(args.foundTags).length;
var orphans = Object.keys(args.unmatchedTags).length;
var untranslated = Object.keys(args.untranslated).length;
var translated = Object.keys(args.translated).length;
var total = untranslated + translated + orphans;
var percent = Math.round(translated / current * 100);
var existingUntranslated = args.countExisting - translated;
if (!args.metricsOnly) {
console.log(current + ' strings found.');
console.log(' ' + args.countExisting + ' existing items match.');
console.log(' ' + translated + ' existing translations match.');
console.log(' ' + existingUntranslated + ' existing untranslated items.');
console.log(' ' + (current - args.countExisting) + ' new items added.');
console.log(percent + '% of found strings translated.');
console.log(orphans + ' unused, outdated, or extra items.');
console.log('Updated file (' + args.langCode + '.js) with ' + total + ' items.');
}
return {
percent: percent, orphans: orphans, total: total, untranslated: untranslated,
current: current, translated: translated, language: args.langCode
};
}
/**
@ -142,12 +182,12 @@ var HelperNamespace = (function () {
* 3. Tags already in the file before but not found at the moment in src (ASC)
* @param {string} lang The short name of the language.
*/
function createOrUpdateTranslationFile(lang) {
function createOrUpdateTranslationFile(lang, metricsOnly) {
lang = lang || 'en';
// check current file entry
const langFilePath = __dirname + '/' + lang + '.js';
var fs = fs || require('fs')
var langFilePath = __dirname + '/' + lang + '.json';
var fs = fs || require('fs');
try {
var columnsResult = HelperNamespace.getAllTags();
@ -164,91 +204,112 @@ var HelperNamespace = (function () {
var stats = fs.statSync(langFilePath);
// load the file
var fileContent = fs.readFileSync(langFilePath, 'utf8');
fileContent = fs.readFileSync(langFilePath, 'utf8');
if (lang == 'en') {
console.log('Current file (' + lang + '.js) content: ');
console.log('Current file (' + lang + '.json) content: ');
console.log(fileContent);
console.log('Try entering a language code.');
console.log('For example: node _helper.js en');
if (!metricsOnly) { generateMetrics(); }
return;
}
}
catch (e) {
console.log('we will create the file: ' + langFilePath);
if (!metricsOnly) {
console.log('we will create the file: ' + langFilePath);
}
// If there is no current file, we will create it
};
}
try {
if (fileContent != undefined) {
var jsonContent = fileContent
.replace('module.exports = ', '')
// regex to delete all comments // and :* in the JSON file
.replace(/(\/\*(\n|\r|.)*\*\/)|(\/\/.*(\n|\r))/g, '');
var jsonParsed = JSON.parse(fileContent);
var combinedContent = jsonParsed.translated;
if ('untranslated' in jsonParsed) {
for (var untranslated_key in jsonParsed.untranslated) {
combinedContent[untranslated_key] = jsonParsed.untranslated[untranslated_key];
}
}
if ('other_translations' in jsonParsed) {
for (var other_key in jsonParsed.other_translations) {
combinedContent[other_key] = jsonParsed.other_translations[other_key];
}
}
var count = Object.keys(combinedContent).length;
if (!metricsOnly) {
console.log('Loaded file ' + lang + '.json with ' + count + ' items.');
}
var jsonParsed = JSON.parse(jsonContent);
const count = Object.keys(jsonParsed).length;
console.log('Loaded file ' + lang + '.js with ' + count + ' items.');
Object.keys(jsonParsed).sort().forEach(function (key) {
ordered[key] = jsonParsed[key];
Object.keys(combinedContent).sort().forEach(function (key) {
ordered[key] = combinedContent[key];
});
}
} catch (e) {
console.log('file: ' + langFilePath + ' contains an error: ' + e);
if (!metricsOnly) {
console.log('file: ' + langFilePath + ' contains an error: ' + e);
}
// If there is an error with the current file content, abort
return;
}
// For debugging
const debug = process.argv[3];
const debugOption = process.argv[4];
var debug = process.argv[3];
var debugOption = process.argv[4];
// merge new tags with existing translation
var result = {};
var unexistingTag = {};
var untranslated = {};
var translated = {};
var other_translations = {};
var existing = 0;
var translated = 0;
// all current tags in English
Object.keys(jsonCurrentTagData).sort(localeSort).map(function (key) {
result[key] = jsonCurrentTagData[key];
untranslated[key] = jsonCurrentTagData[key];
if (debug) {
result[key] = replaceWithDebugString(key, debug, debugOption);
untranslated[key] = replaceWithDebugString(key, debug, debugOption);
}
})
});
for (var key in ordered) {
// replace current tag with an existing translation
if (result.hasOwnProperty(key)) {
delete result[key];
result[key] = ordered[key];
if (debug) {
result[key] = replaceWithDebugString(key, debug, debugOption);
}
if (untranslated.hasOwnProperty(key)) {
existing++;
if (key !== result[key]) { translated++; }
if (key !== ordered[key]) {
delete untranslated[key];
translated[key] = ordered[key];
if (debug) {
translated[key] = replaceWithDebugString(key, debug, debugOption);
}
}
}
// if the tag doesn't exist but a translation exists,
// put the key/value at the end of the json
else {
unexistingTag[key] = ordered[key];
other_translations[key] = ordered[key];
}
}
for (var key in unexistingTag) result[key] = unexistingTag[key];
generateSummary({
langCode: lang, allTags: result,
foundTags: jsonCurrentTagData, unmatchedTags: unexistingTag,
countTranslated: translated, countExisting: existing
var summaryData = generateSummary({
langCode: lang, untranslated: untranslated,
foundTags: jsonCurrentTagData, unmatchedTags: other_translations,
translated: translated, countExisting: existing,
metricsOnly: metricsOnly
});
if (metricsOnly) { metrics.push(summaryData); }
var stringJson = JSON.stringify(result, null, 2);
var label = 'Unmatched (English phrase outdated or manually added)';
var labeledStringJson = labelTags(stringJson, unexistingTag, label);
var newFileContent = 'module.exports = ' + labeledStringJson;
var jsonContent = {
translated: translated,
untranslated: untranslated,
other_translations: other_translations,
};
var stringJson = JSON.stringify(jsonContent, null, 2);
stringJson += '\n';
fs.writeFileSync(langFilePath, newFileContent);
if (!metricsOnly) { fs.writeFileSync(langFilePath, stringJson); }
} catch (e) {
console.log('file: ' + langFilePath + '. error append: ' + e);
if (!metricsOnly) {
console.log('file: ' + langFilePath + '. error append: ' + e);
}
}
if (!metricsOnly) { generateMetrics(); }
}
// public functions
@ -261,4 +322,4 @@ var HelperNamespace = (function () {
// Need to run this cmd in this folder: node _helper.js
var language = process.argv[2];
HelperNamespace.createOrUpdateTranslationFile(language)
HelperNamespace.createOrUpdateTranslationFile(language, false);

View File

@ -1,594 +0,0 @@
module.exports = {
" regimen": " regimen",
" sequence": " Sequenz",
" unknown (offline)": " Unbekannt (offline)",
"(Alpha) Enable use of rotary encoders during calibration and homing.": "(Alpha) Aktiviert Encoder für Kalibrierung/Homing.",
"(Alpha) If encoders or end-stops are enabled, home axis (find zero).": "(Alpha) Finde Nullpunkt der Achse. Encoder oder Endschalter müssen aktiviert sein.",
"(Alpha) If encoders or end-stops are enabled, home axis and determine maximum.": "(Alpha) Fährt die Endpunkte an und bestimmt die Länge. Encoder oder Endschalter müssen aktiviert sein.",
"(Alpha) Number of steps missed (determined by encoder) before motor is considered to have stalled.": "(Alpha) Grenzwert bei Abweichung zwischen Motor- und Encoderwert bei dem eine Blockade erkannt wird. ",
"(Alpha) Reduction to missed step total for every good step.": "(Alpha) Reduziert die Anzahl unerkannter Schritte bei jedem erkannten Schritt.",
"(Alpha) Reverse the direction of encoder position reading.": "(Alpha) Invertiert die Richtung des Encoders.",
"(No selection)": "(Nichts ausgewählt)",
"(unknown)": "(Unbekannt)",
"Accelerate for (steps)": "Beschleunige für (Schritte)",
"Account Not Verified": "Account nicht verifiziert.",
"Account Settings": "Account Einstellungen",
"active": "Aktiv",
"Add Farm Event": "Farm Event hinzufügen",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Hier können Sensoren hinzugefügt und ausgewertet werden. Drücke EDIT um Sensoren hinzuzufügen oder zu ändern.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Wähle an welchen Wochentagen und zu welcher Uhrzeit die ausgewählte Sequenz aufgerufen werden soll und bestätige mit +. Als Beispiel: Eine Sequenz zur Aussaat wird nur am ersten Tag benötigt, während eine Bewässerungs Sequenz an jenem weiteren Tag benötigt wird.",
"Add to map": "Der Karte hinzufügen",
"Age": "Alter",
"All systems nominal.": "Alle Systeme nominal.",
"Always Power Motors": "Motoren immer aktiv",
"Amount of time to wait for a command to execute before stopping.": "Zeit in dem ein Befehl ausgeführt sein muss bevor ein Fehler ausgegeben wird.",
"An error occurred during configuration.": "Während der Konfiguration ist ein Fehler aufgetreten.",
"Analog": "Analog",
"App could not be fully loaded, we recommend you try refreshing the page.": "App konnte nicht vollständig geladen werden. Bitte aktualisiere die Seite (F5).",
"App Settings": "App Einstellungen",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino ist nicht verbunden. Überprüfe das USB-Kabel zwischen Raspberry Pi und dem Arduino/Farmduino. Starte anschließend den Bot neu. Sollte der Fehler dennoch auftreten, muss das Farmbot OS über den Configurator erneut konfiguriert werden.",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Das Löschen der first party farmware schränkt die Funktion des Farmbots ein und könnte Fehlfunktionen verursachen. Bist du dir sicher diese zu löschen?",
"Are you sure you want to delete this step?": "Willst du diesen Schritt wirklich löschen?",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Verknüpfe eine Sequenz mit einem Raspberry PI GPIO. Diese Sequenz wird bei einem High Signal auf dem entsprechenden Pin aufgerufen.",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatisch auf Werkseinstellung zurücksetzen",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatisch auf Werkseinstellungen zurücksetzen, wenn das Wlan Netzwerk nicht gefunden wurde. Hilfreich bei Änderungen am Netzwerk.",
"Axis Length (steps)": "Achsenlänge (Schritte)",
"back": "zurück",
"Back": "Zurück",
"BACK": "ZURÜCK",
"Bad username or password": "Benutzername oder Passwort falsch.",
"Begin": "Beginnen",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "Binden",
"BLUR": "Unschärfe",
"Bottom Left": "Unten links",
"Bottom Right": "Unten rechts",
"Browser": "Browser",
"Busy": "Beschäftigt",
"Calibrate": "Kalibrieren",
"CALIBRATE {{axis}}": "KALIBRIEREN {{axis}}",
"Calibrate FarmBot's camera for use in the weed detection software.": "Kalibriert Farmbot's Kamera für die Unkraut-Erkennung.",
"CALIBRATION": "KALIBRIERUNG",
"Calibration Object Separation": "Abstand Kalibrierobjekte (mm) ",
"Calibration Object Separation along axis": "Ausrichtung Kalibrierobjekte parallel zu Achse",
"CAMERA": "KAMERA",
"Camera Calibration": "Kamera Kalibrierung",
"Camera Offset X": "Kamera Offset X",
"Camera Offset Y": "Kamera Offset Y",
"Camera rotation": "Kamera Winkel",
"Can't connect to bot": "Keine Verbindung zum Bot.",
"Can't connect to release server": "Keine Verbindung zum release Server.",
"Cancel": "Abbrechen",
"Change Ownership": "Wechsle Benutzer",
"Change Password": "Passwort Ändern",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Hier können Einstellungen zur Hardware vorgenommen werden. Achtung: Extreme Werte können die Hardware beschädigen oder gar zerstören. Teste alle Änderungen bevor du den Farmbot unbeaufsichtigt lässt. Kalibriere den Bot neu und teste Sequenzen um sicher zu sein, dass alles wie erwartet funktioniert.",
"Change slot direction": "Slot Ausrichtung",
"Change the account FarmBot is connected to.": "Verbinde den Farmbot mit einem anderen Account.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Passt die Größe der Karte im Farm-Designer an die Achsenlängen an. Im Hardware widget müssen die Achsenlängen angegeben und die Einstellung STOP BEI MAX aktiviert sein.",
"Check Again": "Check",
"Choose a crop": "Wähle eine Pflanze",
"CLEAR WEEDS": "LÖSCHE UNKRAUT",
"CLICK anywhere within the grid": "KLICKE an eine Stelle innerhalb des Beets",
"Click the edit button to add or edit a feed URL.": "Klicke den EDIT Knopf um die URL hinzuzufügen oder zu ändern.",
"Collapse All": "Alle Menüs Schließen",
"color": "Farbe",
"Color Range": "Farbspektrum",
"Commands": "Kommandos",
"Complete": "Erledigt",
"computer": "Computer",
"Confirm New Password": "Bestätige neues Passwort",
"Confirm Sequence step deletion": "Bestätigung Sequenz-Schritt Löschen",
"Connected.": "Verbunden.",
"Connection Attempt Period": "Zeit für Verbindungsversuche",
"Connectivity": "Konnektivität",
"Controls": "Steuerung",
"Copy": "Kopieren",
"Could not delete image.": "Bild konnte nicht gelöscht werden.",
"Could not delete plant.": "Pflanze konnte nicht gelöscht werden.",
"Could not download FarmBot OS update information.": "OS Update informationen konnten nicht geladen werden.",
"Create Account": "Konto erstellen",
"Create logs for sequence:": "Erzeuge logs für Sequenzen:",
"Create point": "Erstelle Punkt",
"Created At:": "Erstellt am:",
"Customize your web app experience.": "Diverse Einstellungen um die WebApp individuell nach deinen Wünschen zu gestalten.",
"Danger Zone": "Gefahrenzone",
"Data Label": "Daten Label",
"Date": "Datum",
"Day {{day}}": "Tag {{day}}",
"Days": "Tage",
"days old": "Tage alt",
"Debug": "Debug",
"delete": "löschen",
"Delete": "Löschen",
"Delete Account": "Konto löschen",
"Delete all created points": "Lösche alle erstellten Punkte",
"Delete all of the points created through this panel.": "Lösche alle Punkte die durch dieses Panel erstellt wurden.",
"Delete multiple": "Lösche mehrere",
"Delete Photo": "Lösche Foto",
"Delete selected": "Lösche Auswahl",
"Delete this plant": "Lösche diese Pflanze",
"Deleted farm event.": "Farm-Event gelöscht.",
"Deselect all": "Alle Abwählen",
"Designer": "Designer",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Erkennt Unkraut mit der Kamera und fügt es auf der Farm-Designer Karte ein.",
"Device": "Gerät",
"Diagnose connectivity issues with FarmBot and the browser.": "Übersicht zur Fehlerdiagnose bei Verbindungsproblemen zu Farmbot und Browser.",
"Diagnosis": "Diagnose",
"Digital": "Digital",
"Discard Unsaved Changes": "Ungespeicherte Änderungen verwerfen",
"DISCONNECTED": "GETRENNT",
"Display Encoder Data": "Anzeige der Encoder Daten",
"Display plant animations": "Zeige Pflanzen Animationen",
"Documentation": "Dokumentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Verbietet Bewegungen, die den Wert der Achsenlänge überschreitet.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Beim Schließen des Browser-Tab keinen Bestätigungsdialog zum Speichern der Daten aufrufen. Achtung: Kann zu Datenverlust führen.",
"Done": "Fertig",
"Double default map dimensions": "Verdopple standard Kartendimensionen",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Verdopple die Standard Dimensionen der Farm-Designer Karte zu einer Karte mit der 4-fachen Fläche.",
"Drag and drop": "Drag & drop",
"Drag and drop into map": "Auf Karte ziehen und fallen lassen",
"DRAG COMMAND HERE": "ZIEHE BEFEHL HIER HER",
"Dynamic map size": "Dynamische Kartengröße",
"E-Stop on Movement Error": "E-Stop bei Bewegungsstörung",
"Edit": "Bearbeiten",
"Edit Farm Event": "Farm-Event bearbeiten",
"Edit on": "Edit on",
"ELSE...": "SONST...",
"Email": "Email",
"Email has been sent.": "Email wurde versendet.",
"Email sent.": "Email gesendet.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Nothalt wenn nach der angegebenen Anzahl an Versuchen die Bewegung nicht erfolgt ist.",
"Enable 2nd X Motor": "Aktiviere 2. X-Achsen Motor",
"Enable Encoders": "Aktiviere Encoder",
"Enable Endstops": "Aktiviere Endschalter",
"Enable plant animations in the Farm Designer.": "Aktiviere Pflanzen Animationen im Farm-Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Aktiviert den zweiten Motor der x-Achse welcher am RAMPS auf E0 angeschlossen ist.",
"Enable use of electronic end-stops during calibration and homing.": "Aktiviert die Benutzung von elektronischen Endschalter während Kalibration und Homing.",
"Encoder Missed Step Decay": "Encoder Schritt decay",
"Encoder Scaling": "Encoder Skalierung",
"ENCODER TYPE": "ENCODER TYP",
"Encoders and Endstops": "Encoders und Endschalter",
"Enter a URL": "Gib eine URL ein",
"Enter Email": "Email",
"Enter Password": "Passwort",
"Error": "Fehler",
"Error saving device settings.": "Fehler beim Speichern der Geräte-Einstellungen.",
"Error taking photo": "Fehler beim Foto aufnehmen",
"Every": "Jede",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Rufe eine Sequenz auf wenn die Bedingung zutrifft. Trifft die Bedingung nicht zu, kann eine andere Sequenz aufgerufen oder auch nicht reagiert werden.",
"Execute Sequence": "Sequenz ausführen",
"EXECUTE SEQUENCE": "SEQUENZ AUSFÜHREN",
"Executes another sequence.": "Führt eine andere Sequenz aus.",
"Expand All": "Alle Menüs Öffnen",
"Factory Reset": "Reset auf Werkseinstellung",
"FACTORY RESET": "RESET AUF WERKSEINSTELLUNG",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's abilily to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Das Zurücksetzen auf Werkseinstellung wird alle Daten auf dem Gerät zerstören bis auf die Möglichkeit sich mit dem Wlan und der WebApp zu Verbinden. Nach dem Zurücksetzen wird das Gerät in den Configurator-Modus übergehen. Das Zurücksetzen auf Werkseinstellung hat keinen Einfluss auf die Daten und Einstellungen der WebApp. Nach dem erneuten Verbinden mit der WebApp können die Daten auf dem Gerät wiederhergestellt werden.",
"Farm Designer": "Farm Designer",
"Farm Events": "Farm-Events",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot und der Browser sind beide mit dem Internet Verbunden (oder waren es kürzlich). Versuche den Farmbot neu zu starten und den Browser neu zu laden. Bleibt das Problem dennoch bestehen, könnte etwas den FarmBot davon abhalten auf den Message Broker zuzugreifen (wird benutzt um in Echtzeit mit dem Browser zu kommunizieren). Sollte es sich bei deinem Netzwerk um ein Firmen- oder Schulnetzwerk handeln, könnte eine Firewall den Port 5672 blockieren.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot und der Browser haben beide Verbindung zum Internet. Wir haben jedoch seit einer Weile keine Aktivität in der WebApp mehr festgestellt. Das könnte bedeuten, dass der FarmBot seit einer Weile nicht mehr Synchronisiert wurde, was aber kein Problem sein sollte. Solltest du Probleme mit der Bedienbarkeit feststellen, könnte das ein Zeichen sein, dass an der lokalen Internetverbindung des FarmBot eine HTTP Blockade vorliegt.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot's Position ist ",
"FarmBot is not connected.": "FarmBot ist nicht verbunden.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot hat eine fehlerhafte Nachricht übermittelt. Vermutlich muss das FarmBot OS aktualisiert werden. Bitte FarmBot OS aktualisieren und erneut einloggen.",
"FarmBot Web App": "FarmBot WebApp",
"FarmBot?": "FarmBot?",
"Feed Name": "Feed Name",
"filter": "Filter",
"Filter logs": "Filter logs",
"Filters active": "Aktive Filter",
"Find ": "Finden ",
"Find Home": "Finde Home",
"Find Home on Boot": "Finde Home beim Booten",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Passwort vergessen?",
"from": "von",
"Full Name": "Name",
"GO": "LOS",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware Konflikt",
"Harvested": "Geerntet",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Der Browser darf Log-Nachrichten auf dem \"Speak\" -Kanal vorlesen, die von FarmBot gesprochen werden.",
"Here is the list of all of your sequences. Click one to edit.": "Hier sind alle Sequenzen aufgelistet. Klicke auf eine Sequenz um sie zu bearbeiten.",
"Hide Webcam widget": "Verstecke Webcam widget",
"HOME {{axis}}": "HOME {{axis}}",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Geschwindigkeit beim Suchen der Homeposition in Schritte pro Sekunde.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing und Kalibrierung",
"Homing Speed (steps/s)": "Homing Geschwindigkeit (Schritte/s)",
"Hotkeys": "Hotkeys",
"HUE": "FARBTON",
"I Agree to the Terms of Service": "Ich stimme den Nutzungsbedingungen zu",
"I agree to the terms of use": "Ich stimme den Nutzungsbedingungen zu",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.":
"Bei dieser Einstellung sucht sich der Bot seine Home-Positionen nach dem Booten. Achtung: Beim Einschalten wird eine Referenzfahrt an allen ausgewählten Achsen durchgeführt. Encoder oder Endschalter müssen aktiviert sein. Vor aktivierung dieser Einstellung sollte überprüft werden, dass die Referenzfahrt richtig funktioniert.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "Mit dieser Einstellung kann das Webcam widget verborgen werden.",
"If Statement": "Wenn-Schleife",
"IF STATEMENT": "WENN-SCHLEIFE",
"If you are sure you want to delete your account, type in your password below to continue.": "Um den Löschvorgang des Accounts zu bestätigen, geben Sie hier das Kennwort ein.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "Hier kann der Video-stream einer Webcam angezeigt werden. Klicke Bearbeiten um eine Webcam URL hinzuzufügen.",
"IF...": "WENN...",
"image": "Bild",
"Image Deleted.": "Bild gelöscht.",
"Image loading (try refreshing)": "Bild wird geladen (versuche zu aktualisieren)",
"Import coordinates from": "Importiere Koordinaten von",
"Info": "Info",
"Install": "Installieren",
"Internationalize Web App": "Internationalisiere Web App",
"Internet": "Internet",
"Invert 2nd X Motor": "Invertiere 2. X-Achsen Motor",
"Invert direction of motor during calibration.": "Invertiere Drehrichtung der Motoren während der Kalibrierung.",
"Invert Encoders": "Invertiere Encoders",
"Invert Endstops": "Invertiere Endschalter",
"Invert Hue Range Selection": "Invertiere Farbtonbereich",
"Invert Jog Buttons": "Invertiere Jog-Tasten",
"Invert Motors": "Invertiere Motors",
"is": "ist",
"is equal to": "ist gleich",
"is greater than": "ist größer als",
"is less than": "ist kleiner als",
"is not": "ist nicht",
"is not equal to": "ist nicht gleich",
"is unknown": "ist unbekannt",
"ITERATION": "WIEDERHOLUNG",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Schalte Motoren nicht ab. Verhindert ungewollte Bewegungen durch Gravitation in bestimmten Situationen.",
"LAST SEEN": "ZULETZT GESEHEN",
"Lighting": "Beleuchtung",
"Loading": "Wird geladen",
"Loading...": "Wird geladen ...",
"Location": "Ort",
"Log all commands sent to firmware (clears after refresh).": "Protokolliere alle Befehle, die an die Firmware gesendet werden (werden nach Aktualisierung wieder gelöscht).",
"Log all debug received from firmware (clears after refresh).": "Protokolliere alle Fehler, die von der Firmware gesendet werden (werden nach Aktualisierung gelöscht).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Protokolliere alle Reaktionen die von der Firmware gesendet werden (werden nach Aktualisierung gelöscht). Achtung: Extrem ausführlich.",
"Login": "Einloggen",
"Login failed.": "Login fehlgeschlagen.",
"Logout": "Ausloggen",
"Logs": "Logs",
"low": "low",
"Manage Farmware (plugins).": "Verwalte hier die Farmware (plugins).",
"Manual input": "Manuelle Eingabe",
"max": "Max",
"Max Missed Steps": "Max Abweichung Schritte",
"Max Retries": "Max Versuche",
"Max Speed (steps/s)": "Max Geschwindigkeit (Schritte/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximale Bewegungsgeschwindigkeit nach der Beschleunigung in Schritten/s",
"Menu": "Menü",
"Message": "Meldung",
"Message Broker": "Message Broker",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimale Bewegungsgeschwindigkeit in Schritten/s. Außerdem für Homing und Kalibration verwendet.",
"Minimum Speed (steps/s)": "Minimale Geschwindigkeit (Schritte/s)",
"mm": "mm",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Koordinaten (mm)",
"Motors": "Motoren",
"Move": "Bewegung",
"Move Absolute": "Abslout Bewegen",
"MOVE ABSOLUTE": "ABSOLUT BEWEGEN",
"MOVE AMOUNT (mm)": "BETRAG BEWEGEN (mm)",
"move mode": "Bewegungs Modus",
"Move Relative": "Relativ Bewegen",
"MOVE RELATIVE": "RELATIV BEWEGEN",
"Move to location": "Zur Position bewegen",
"Move to this coordinate": "Zu diesen Koordinaten bewegen",
"Must be a positive number. Rounding up to 0.": "Zahl muss positiv sein. Runde auf 0 auf.",
"Name": "Name",
"NAME": "NAME",
"Negative Coordinates Only": "Nur negative Koordinaten",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"New Password": "Neues Passwort",
"New Peripheral": "Neue Peripherie",
"New regimen ": "Neues regimen",
"New Sensor": "Neuer Sensor",
"new sequence {{ num }}": "Neue Sequenz {{ num }}",
"Newer than": "Neuer als",
"Next": "Nächstes",
"no": "Nein",
"No beta releases available": "Kein beta release verfügbar.",
"No day(s) selected.": "Kein(e) Tag(e) ausgewählt.",
"No Executables": "Nichts ausführbares",
"No logs to display. Visit Logs page to view filters.": "Keine Logs vorhanden. Überprüfe die Filter auf der Logs Seite.",
"No logs yet.": "Noch keine Logs.",
"No messages seen yet.": "Noch keine Meldungen erkannt.",
"No recent messages.": "Keine Meldungen in letzter Zeit.",
"No Regimen selected. Click one in the Regimens panel to edit, or click \"+\" in the Regimens panel to create a new one.": "Kein Regimen ausgewählt. Klicke auf eines im Regimens widget zum bearbeiten, oder clicke \"+\" um ein neues zu erstellen.",
"No results.": "Keine Ergebnisse.",
"No Sequence selected. Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Keine Sequenz ausgewählt. Klicke auf eine Sequenz um sie zu bearbeiten, oder klicke \"+\" um eine neue Sequenz zu erstellen.",
"No webcams yet. Click the edit button to add a feed URL.": "Noch keine Webcam hinzugefügt. Klicke auf die Bearbeiten Taste um eine Webcam-URL hinzuzufügen.",
"None": "Keine",
"normal": "normal",
"Not Set": "Nicht gesetzt",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Hinweis: Die ausgewählte Zeitzone des FarmBots ist unterschiedlich zur lokalen Browser Zeitzone.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Hinweis: Die Zeiten werden entsprechend der lokalen Zeit von FarmBot angezeigt, die sich derzeit von der Zeit des Browsers unterscheidet. Die Zeitzone ist über die Geräte-Seite einstellbar.",
"Number of steps used for acceleration and deceleration.": "Anzahl der Schritte für Beschleunigung und Bremsvorgang.",
"Number of times to retry a movement before stopping.": "Anzahl der Wiederhversuche einer Bewegung vor dem Anhalten.",
"off": "Aus",
"OFF": "AUS",
"Ok": "Ok",
"Old Password": "Altes Passwort",
"Older than": "Älter als",
"ON": "EIN",
"Operator": "Operator",
"Origin": "Origin",
"Origin Location in Image": "Richtung zum Nullpunkt im Bild",
"Outside of planting area. Plants must be placed within the grid.": "Außerhalb der erreichbaren Fläche. Pflanzen müssen innerhalb des Beets gesetzt werden.",
"Package Name": "Paket Name",
"page": "Seite",
"Page Not Found.": "Seite nicht gefunden.",
"Password": "Passwort",
"Password change failed.": "Passwortänderung fehlgeschlagen.",
"Peripheral ": "Peripherie ",
"Peripherals": "Peripherie",
"Photos": "Fotos",
"Photos are viewable from the": "Fotos werden angezeigt im ",
"Photos?": "Fotos?",
"Pin": "Pin",
"Pin Bindings": "Pin Verknüpfungen",
"Pin Guard": "Pin Wächter",
"Pin Guard {{ num }}": "Wächter {{ num }}",
"Pin Mode": "Pin Modus",
"Pin Number": "Pin Nummer",
"Pin numbers are required and must be positive and unique.": "Pin nummern sind benötigt und müssen positiv sowie einzigartig sein.",
"Pin numbers must be less than 1000.": "Pin nummer muss geringer als 1000 sein.",
"Pin numbers must be unique.": "Pin Nummer muss einzigartig sein.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel Koordinatenskala",
"Planned": "Geplant",
"plant icon": "Pflanzen Symbol",
"Plant Info": "Pflanzen Info",
"Plant Type": "Pflanzen Typ",
"Planted": "Gepflanzt",
"Plants": "Pflanzen",
"Plants?": "Pflanzen?",
"Please check your email for the verification link.": "Bitte überprüfe deine E-Mail für den Bestätigungslink.",
"Please check your email to confirm email address changes": "Bitte überprüfe deine E-Mail, um die Änderungen der E-Mail-Adresse zu bestätigen",
"Points?": "Points?",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positionen",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power und Reset",
"Presets:": "Voreinstellungen:",
"Prev": "vorheriges",
"Privacy Policy": "Datenschutz-Bestimmungen",
"Processing now. Results usually available in one minute.": "Wird verarbeitet. Ergebnisse sind normalerweise in einer Minute verfügbar.",
"Processing Parameters": "Verarbeitungsparameter",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Kamera",
"Raw Encoder data": "Rohe Encoder daten",
"Raw encoder position": "Rohe Encoder Position",
"Read Pin": "Lese Pin",
"READ PIN": "LESE PIN",
"read sensor": "lese sensor",
"Read speak logs in browser": "Lese Sprachlogs im Browser",
"Received": "Erhalten",
"Received change of ownership.": "Erhielt Eigentümerwechsel.",
"Recursive condition.": "Rekursive Bedingung.",
"Regimen Editor": "Regimen Editor",
"Regimen Name": "Regimen Name",
"Regimens": "Regimens",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": " Mit Hilfe von Regimens kann sich FarmBot von der Aussaat bis zur Ernte um die Pflanze kümmern. Ein Regimen besteht aus mehreren Sequenzen die abhängig vom Alter der Pflanze ausgeführt werden. Regimens werden Pflanzen im Farm-Designer zugewiesen (kommt bald) und kann für viele Pflanzen gleichzeitig verwendet werden. Einer Pflanze können mehrere Regimens zugewiesen werden.",
"Reinstall": "Neuinstallation",
"Release Notes": "Versionshinweise",
"Remove": "Entfernen",
"Repeats?": "Wiederholung?",
"Request sent": "Anfrage gesendet",
"Resend Verification Email": "Bestätigungs E-Mail erneut senden.",
"Reset": "Zurücksetzen",
"RESET": "ZURÜCKSETZEN",
"Reset hardware parameter defaults": "Hardwareparameter auf Standardwerte zurücksetzen",
"Reset Password": "Passwort zurücksetzen",
"Reset your password": "Setze dein Passwort zurück",
"RESTART": "NEUSTART",
"RESTART FARMBOT": "FARMBOT NEUSTARTEN",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Durch das Wiederherstellen der Hardware-Parameter-Standardeinstellungen werden die aktuellen Einstellungen gelöscht und auf die Standardwerte zurückgesetzt.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Bewegung auf negative Koordinaten beschränken. Überschrieben durch Deaktivieren von STOP AT HOME.",
"Run": "Ausführen",
"Run Farmware": "Farmware ausführen",
"SATURATION": "SÄTTIGUNG",
"Save": "Speichern",
"SAVE": "SPEICHERN",
"Save sequence and sync device before running.": "Speichere die Sequenz und synchronisiere das Gerät vor den ausführen.",
"saved": "gespeichert",
"Saved": "Gespeichert",
"Saving": "Speichere",
"Scaled Encoder (mm)": "Skalierter Encoder Wert (mm)",
"Scaled Encoder (steps)": "Skalierter Encoder Wert (steps)",
"Scaled encoder position": "Skalierte Encoder Position",
"Scan image": "Bild scannen",
"Scheduler": "Planer",
"Search OpenFarm...": "Durchsuche OpenFarm ...",
"Search Regimens...": "Durchsuche Regimens ...",
"Search Sequences...": "Durchsuche Sequenzen ...",
"Search your plants...": "Durchsuche Pflanzen ...",
"Seed Bin": "Samen Bunker",
"Seed Tray": "Samen Buffet",
"Seeder": "Seeder",
"Select a regimen first or create one.": "Wähle zuerst ein Regimen aus oder erstelle eines.",
"Select a sequence first": "Wähle zuerst eine Sequenz aus",
"Select a sequence from the dropdown first.": "Wähle zuerst eine Sequenz aus der Dropdown Leiste.",
"Select all": "Selektiere alle",
"Select none": "Selektiere keines",
"Select plants": "Selektiere Pflanzen",
"Send a log message for each sequence step.": "Sendet eine Log Meldung für jeden Sequenzschritt.",
"Send a log message upon the end of sequence execution.": "Sendet eine Log Meldung am Ende der Sequenzausführung.",
"Send a log message upon the start of sequence execution.": "Sendet eine Log Meldung beim Start der Sequenzausführung.",
"Send Message": "Sende Meldung",
"SEND MESSAGE": "SENDE MELDUNG",
"Sending camera configuration...": "Kamerakonfiguration wird gesendet ... ",
"Sending firmware configuration...": "Firmware Konfiguration wird gesendet ... ",
"Sensors": "Sensoren",
"Sent": "Gesendet",
"Sequence": "Sequenz",
"Sequence Editor": "Sequenz Editor",
"Sequence or Regimen": "Sequenz oder Regimen",
"Sequences": "Sequenzen",
"Server": "Server",
"Set device timezone here.": "Stelle hier die Zeitzone des Geräts ein. ",
"Set the current location as zero.": "Setze die aktuelle Ist-Position auf 0.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Stelle die Länge jeder Achse ein, um Softwarelimits zu ermöglichen. Hinweis: Wert wird bei der Kalibrierung ermittelt und automatisch eingefügt. Wird nur verwendet, wenn STOP AT MAX aktiviert ist.",
"SET ZERO POSITION": "NULLPUNKT SETZEN",
"Setup, customize, and control FarmBot from your": "Einrichten, Anpassen und Steuern deines FarmBots bequem von deinem ",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Zeigt ein Bestätigungsdialogfeld an, wenn ein Schritt in einer Sequenz gelöscht wird.",
"Show in list": "Zeige in Liste",
"SHUTDOWN": "HERUNTERFAHREN",
"SHUTDOWN FARMBOT": "FARMBOT HERUNTERFAHREN",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Macht ein Foto mit der Kamera. Wähle den Kameratyp auf der Geräteseite.",
"Soil Moisture": "Bodenfeuchtigkeit",
"Soil Sensor": "Feuchtigkeitssensor",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Ein anderes Problem verhindert, dass FarmBot funktioniert. Weitere Informationen sind in der Leiste oben oder im Log-Bereich.",
"Something went wrong while rendering this page.": "Beim Rendern dieser Seite ist ein Fehler aufgetreten.",
"Speak": "Sprechen",
"Speed (%)": "Geschwindigkeit (%)",
"Spread?": "Verbreitung?",
"Started": "Gestartet",
"Starts": "Startet",
"Status": "Status",
"Steps": "Schritte",
"Steps per MM": "Schritte pro MM",
"Stock sensors": "Original sensoren",
"Stock Tools": "Anfangswerkzeuge",
"Stop at Home": "Stop bei Home",
"Stop at Max": "Stop bei Max",
"Stop at the home location of the axis.": "Bewegung nur bis zur Home-Position.",
"submit": "senden",
"Success": "Erfolg",
"Successfully configured camera!": "Kamera erfolgreich konfiguriert!",
"Swap axis end-stops during calibration.": "Vertauscht die Endschalter der Achse während der Kalibrierung.",
"tablet": "tablet",
"Take a Photo": "Mache ein Foto",
"Take and view photos with your FarmBot's camera.": "Hier können Fotos mit der Kamera aufgenommen und angezeigt werden.",
"Take Photo": "Mache Foto",
"TAKE PHOTO": "MACHE FOTO",
"Terms of Service": " Servicebedingungen",
"Terms of Use": "Nutzungsbedingungen",
"Test": "Test",
"TEST": "TEST",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "FarmBot wurde noch nicht gesehen. Wahrscheinlich liegt eine Verbindungsstörung am Gerät vor.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "Der Schritt \"Home finden\" weist das Gerät an, die jeweilige Achse zu referenzieren, um Null für die ausgewählte (n) Achse (n) zu finden und einzustellen. ",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "Der Schritt Absolut-Bewegen weist FarmBot an, unabhängig von der aktuellen Position zu der angegebenen Koordinate zu wechseln. Wenn FarmBot z. B. gerade bei der Position X = 1000, Y = 1000 ist und einen Absolut-Bewegen Befehl mit X = 0 und Y = 3000 empfängt, bewegt sich FarmBot zu X = 0, Y = 3000. Wenn sich der FarmBot in mehrere Richtungen bewegen muss, bewegt es sich diagonal. Wenn du gerade Bewegungen entlang einer Achse auf einmal durchführen möchtest, verwende mehrere Absolut-Bewegen Schritte. Mit Offsets kannst du Punkte versetzt anfahren. Zum Beispiel um sich direkt über ein Werkzeug zu bewegen. Mit Offsets kann FarmBot die Berechnung für dich übernehmen. ",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "Der Schritt Relativ-Bewegen weist FarmBot an, die angegebene Entfernung von der aktuellen Position zu verschieben. Wenn FarmBot z. B. derzeit bei den Koordinaten X = 1000, Y = 1000 ist und einen Relativ-Bewegen Befehl mit X = 0 und Y = 3000 ist, wird sich FarmBot zu X = 1000, Y = 4000 bewegen. Wenn sich FarmBot in mehrere Richtungen bewegen soll, wird es sich diagonal bewegen. Wenn du gerade Bewegungen entlang einer Achse gleichzeitig benötigst, verwende mehrere Relativ-Bewegen Schritte. Vor einem Relativ-Bewegen Schritt sollte möglichst ein Absolut-Bewegen Schritt sein, um sicherzustellen, dass der Bot von einem bekannten Ort aus startet. ",
"The number of motor steps required to move the axis one millimeter.": "Die Anzahl der Motorschritte, um die Achse um einen Millimeter zu bewegen.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "Die Nummer des zu schützenden Pins. Dieser Pin wird nach der durch TIMEOUT festgelegten Dauer auf den angegebenen Status gesetzt.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Pin Lesen step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "Im Schritt Farmware ausführen wird ein Farmware-Paket ausgeführt. Besuche das Farmware-Widget um Farmware zu installieren und zu verwalten.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "Die Nutzungsbedingungen haben sich kürzlich geändert. Sie müssen die neuen Nutzungsbedingungen akzeptieren, um die Website weiterhin nutzen zu können.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "Der Warte-Schritt weist FarmBot an, den angegebenen Zeitraum zu warten.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "Der Schreibe-Pin-Schritt weist FarmBot an, den angegebenen Pin auf dem Arduino auf den angegebenen Modus und Wert zu setzen. Verwende den digitalen Pin-Modus für Ein (1) und Aus (0) und den Analog-Pin-Modus für PWM (Pulsweitenmodulation) (0-255). ",
"THEN...": "DANN ...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "Es gibt keinen Zugriff auf FarmBot oder den Message Broker. Dies wird normalerweise durch veraltete Browser (Internet Explorer) oder Firewalls verursacht, die WebSockets auf Port 3002 blockieren.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "Dies sind die grundlegendsten Befehle, die FarmBot ausführen kann. Kombiniere Sie durch das hineinziehen in Sequenzen, um Sequenzen zum Bewässern, Pflanzen von Samen, Messen von Bodeneigenschaften und mehr zu erstellen.",
"This account did not have a timezone set. Farmbot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "Für dieses Konto wurde keine Zeitzone festgelegt. Farmbot benötigt eine Zeitzone für den Betrieb. Wir haben die Zeitzoneneinstellungen basierend auf deinem Browser aktualisiert. Bitte überprüfe diese Einstellungen im Geräteeinstellungen-Bedienfeld. Gerätesynchronisation wird empfohlen.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "Dieser Befehl wird nicht korrekt ausgeführt, da für die gewählte Achse keine Encoder oder Endstops aktiviert sind. Aktivieren Sie Endstops oder Encoder auf der Geräteseite für:",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "Dieses Farm-Event scheint keine gültige Ausführzeit zu haben. Vielleicht haben Sie ungültige Daten eingegeben?",
"This is a list of all of your regimens. Click one to begin editing it.": "Dies ist eine Liste aller Ihrer Regimens. Klicken Sie auf eines, um mit der Bearbeitung zu beginnen.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "Dies ist eine Liste aller FarmBot Werkzeuge. Klicke auf die Schaltfläche Bearbeiten, um Werkzeuge hinzuzufügen, zu bearbeiten oder zu löschen.",
"This will restart FarmBot's Raspberry Pi and controller software.": "Diese Funktion startet FarmBot, Raspberry Pi und die Controller-Software neu.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "Diese Funktion fährt den Farmbot herunter. Um ihn wieder einzuschalten, trenne den FarmBot von der Spannungsversorgung und schließe ihn wieder an.",
"Ticker Notification": "Ticker Benachrichtigung",
"Time": "Zeit",
"Time in milliseconds": "Zeit in Millisekunden",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Zeit in Minuten, um eine Verbindung zum Wlan herzustellen bevor das Zurücksetzen auf Werkseinstellung beginnt.",
"TIME ZONE": "ZEITZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout nach (seconds)",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "um die Pflanze der Karte hinzuzufügen. Du kannst so viele Pflanzen setzen wie benötigt. Bestätige anschließend mit FERTIG.",
"To State": "Auf Zustand",
"Toast Pop Up": "Toast Pop Up",
"Tool": "Werkzeug",
"Tool ": "Werkzeug ",
"Tool Name": "Werkzeug Name",
"Tool Slots": "Werkzeug Slots",
"Tool Verification": "Werkzeug Verification",
"ToolBay ": "Werkzeug Bank ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "In Toolbays lagern deine FarmBot Tools. Jede Toolbay verfügt über Slots, in die du deine Tools einfügen kannst. Diese sollten auch deine echte FarmBot-Hardwarekonfiguration widerspiegeln.",
"Tools": "Werkzeuge",
"Top Left": "Oben Links",
"Top Right": "Oben Rechts",
"Turn off to set Web App to English.": "Ausschalten um die WebApp auf Englisch zu stellen.",
"Type": "Typ",
"Unable to load webcam feed.": "Webcam Feed kann nicht geladen werden.",
"Unable to save farm event.": "Farm-Event kann nicht gespeichert werden.",
"Unable to send email.": "E-Mail kann nicht gesendet werden.",
"Unexpected error occurred, we've been notified of the problem.": "Unerwarteter Fehler ist aufgetreten, wir wurden über das Problem informiert.",
"UNLOCK": "ENTSPERREN",
"Until": "Bis",
"UP TO DATE": "AKTUELL",
"Update": "Update",
"UPDATE": "UPDATE",
"Updating...": "Aktualisierung ...",
"USB Camera": "USB Kamera",
"Use current location": "Wähle aktuelle Position",
"Use Encoders for Positioning": "Nutze Encoder für Positionierung",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Verwende diese manuellen Steuertasten, um FarmBot in Echtzeit zu bewegen. Drücke die Pfeile für relative Bewegungen oder gebe neue Koordinaten ein und drücke LOS für eine absolute Bewegung. Tipp: Drücke die Home-Taste, wenn du fertig bist. FarmBot ist dann bereit, wieder an die Arbeit zu gehen. ",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Verwende diese Kippschalter, um FarmBot-Peripheriegeräte in Echtzeit zu steuern. Um neue Peripheriegeräte zu bearbeiten und zu erstellen, drücke die EDIT-Taste. Stelle sicher, dass die Peripheriegeräte ausgeschalten sind, wenn du fertig bist!",
"Vacuum": "Vakuum",
"Value": "Wert",
"VALUE": "WERT",
"Variable": "Variable",
"Verification email resent. Please check your email!": "Bestätigungs-E-Mail erneut gesendet Bitte überprüfe deine Emailadresse! ",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"View": "Anzeigen",
"View and change device settings.": "Zeige und ändere Geräteeinstellungen.",
"View and filter log messages.": "Zeige und filtere Log Meldungen.",
"Wait": "Warte",
"WAIT": "WARTE",
"Warning": "Warnung",
"Warning: Farmbot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warnung: Farmbot konnte deine Zeitzone nicht erfassen. Wir haben deine Zeitzone auf UTC eingestellt, was für die meisten Benutzer nicht ideal ist. Bitte wähle die passende Zeitzone aus dem Dropdown-Menü. Gerätesynchronisation wird empfohlen.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warnung: Dadurch werden alle auf der FarmBot-SD-Karte gespeicherten Daten gelöscht, sodass FarmBot neu konfiguriert werden muss, damit es sich erneut mit Ihrem WLAN-Netzwerk und einem Web-App-Konto verbinden kann. Beim Zurücksetzen des Geräts werden die in Ihrem Web-App-Konto gespeicherten Daten nicht gelöscht. Bist du sicher, dass du fortfahren möchtest? ",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warnung: Dadurch werden alle Hardwareeinstellungen auf die Standardwerte zurückgesetzt. Möchtest du wirklich fortfahren?",
"WARNING! Deleting your account will permanently delete all of your Sequences , Regimens, Events, and Farm Designer data.Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNUNG! Wenn du dein Konto löschst, werden alle Sequenzen, Regimes, Events und Farm Designer-Daten endgültig gelöscht. Wenn du dein Konto löschst, wird FarmBot nicht mehr funktionieren und kann nicht mehr aufgerufen werden, bis es mit einem anderen Web-App-Konto verknüpft ist. Der Farmbot muss neu gestartet werden, damit er wieder in den Konfigurationsmodus für die Kopplung mit einem anderen Benutzerkonto wechselt. Wenn dies geschieht, werden alle Daten auf dem FarmBot mit den Daten des neuen Kontos überschrieben. Wenn das Konto neu ist, dann FarmBot wird ein unbeschriebenes Blatt. ",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Achtung! Wenn du dich für Beta-Versionen von FarmBot OS entscheidest, kann dies die Stabilität des FarmBot-Systems beeinträchtigen. Bist du dir sicher?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warnung! Dies ist eine EXPERIMENTELLE Funktion. Diese Funktion ist möglicherweise defekt und kann die Nutzung der restlichen App stören oder anderweitig behindern. Diese Funktion kann jederzeit verschwinden oder unterbrochen werden.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warnung! Wenn diese Option aktiviert ist, werden alle nicht gespeicherten Änderungen beim Aktualisieren oder Schließen der Seite verworfen. Bist du dir sicher?",
"Water": "Wasser",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weed Detector": "Unkraut Detektor",
"Weeder": "Weeder",
"Week": "Woche",
"Welcome to the": "Willkommen in der",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "Wenn diese Option aktiviert ist, werden Geräteressourcen wie Sequenzen und Regimens automatisch an das Gerät gesendet. Dadurch entfällt das Drücken von \" SYNC \", nachdem Änderungen in der Web-App vorgenommen wurden. Änderungen an laufenden Sequenzen und Regimen bei aktivierter automatischer Synchronisierung werden zu sofortiger Veränderung führen. ",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "Wenn diese Option aktiviert ist, sucht FarmBot OS automatisch nach Updates, die automatisch heruntergeladen und installiert werden.",
"Widget load failed.": "Widget konnte nicht geladen werden.",
"Write Pin": "Schreibe Pin",
"WRITE PIN": "SCHREIBE PIN",
"X": "X",
"X (mm)": "X (mm)",
"X Axis": "X Achse",
"X AXIS": "X ACHSE",
"X position": "X Position",
"X-Offset": "X-Offset",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Achse",
"Y AXIS": "Y ACHSE",
"Y position": "Y Position",
"Y-Offset": "Y-Offset",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "Du bist entweder offline, verwendest einen Webbrowser, der WebSockets nicht unterstützt, oder befindest dich hinter einer Firewall, die den Port 3002 blockiert. Versuche nicht, Fehler in der FarmBot-Hardware zu suchen, bevor du das Problem behebst. Du kannst Hardwareprobleme nicht ohne eine zuverlässige Browser- und Internetverbindung beheben. ",
"You are running an old version of FarmBot OS.": "Die FarmBot OS Version ist veraltet.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "Du planst ein Regime, das heute schon startet. Sei dir bewusst, dass ein Regimen zu spät am Tag zu übersprungenen Aufgaben führen kann. Ziehe es in Betracht, dieses Ereignis auf morgen umzustellen, wenn dies ein Problem darstellt.",
"You have been logged out.": "Du wurdest ausgeloggt.",
"You haven't made any regimens or sequences yet. Please create a": "Du hast noch keine Regimen oder Sequenzen erstellt. Bitte erstelle ein",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "Du hast noch keine Fotos mit deinem FarmBot gemacht. Sobald du eines machst, wird es hier auftauchen.",
"You may click the button below to resend the email.": "Sie können auf die Schaltfläche klicken, um die E-Mail erneut zu senden.",
"You must set a timezone before using the FarmEvent feature.": "Du musst eine Zeitzone festlegen, bevor du die FarmEvent-Funktion verwenden kannst.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Der Browser ist korrekt verbunden, aber wir haben keine neuen Aufzeichnungen über die Verbindung von FarmBot mit dem Internet. Dies geschieht normalerweise aufgrund eines schlechten WLAN-Signals im Garten, eines schlechten Passwortes während der Konfiguration oder eines sehr langen Stromausfalls.",
"Your Name": "Dein Name",
"Your password is changed.": "Dein Passwort wurde geändert.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Achse",
"Z AXIS": "Z ACHSE",
"Z position": "Z Position",
"Z-Offset": "Z-Offset",
"zero {{axis}}": "{{axis}} Nullen"
}

View File

@ -0,0 +1,910 @@
{
"translated": {
" sequence": " Sequenz",
" unknown (offline)": " Unbekannt (offline)",
"(No selection)": "(Nichts ausgewählt)",
"(unknown)": "(Unbekannt)",
"Accelerate for (steps)": "Beschleunige für (Schritte)",
"Account Not Verified": "Account nicht verifiziert.",
"Account Settings": "Account Einstellungen",
"Add Farm Event": "Farm Event hinzufügen",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Hier können Sensoren hinzugefügt und ausgewertet werden. Drücke EDIT um Sensoren hinzuzufügen oder zu ändern.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Wähle an welchen Wochentagen und zu welcher Uhrzeit die ausgewählte Sequenz aufgerufen werden soll und bestätige mit +. Als Beispiel: Eine Sequenz zur Aussaat wird nur am ersten Tag benötigt, während eine Bewässerungs Sequenz an jenem weiteren Tag benötigt wird.",
"Add to map": "Der Karte hinzufügen",
"Age": "Alter",
"All systems nominal.": "Alle Systeme nominal.",
"Always Power Motors": "Motoren immer aktiv",
"Amount of time to wait for a command to execute before stopping.": "Zeit in dem ein Befehl ausgeführt sein muss bevor ein Fehler ausgegeben wird.",
"An error occurred during configuration.": "Während der Konfiguration ist ein Fehler aufgetreten.",
"App Settings": "App Einstellungen",
"App could not be fully loaded, we recommend you try refreshing the page.": "App konnte nicht vollständig geladen werden. Bitte aktualisiere die Seite (F5).",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino ist nicht verbunden. Überprüfe das USB-Kabel zwischen Raspberry Pi und dem Arduino/Farmduino. Starte anschließend den Bot neu. Sollte der Fehler dennoch auftreten, muss das Farmbot OS über den Configurator erneut konfiguriert werden.",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Das Löschen der first party farmware schränkt die Funktion des Farmbots ein und könnte Fehlfunktionen verursachen. Bist du dir sicher diese zu löschen?",
"Are you sure you want to delete this step?": "Willst du diesen Schritt wirklich löschen?",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Verknüpfe eine Sequenz mit einem Raspberry PI GPIO. Diese Sequenz wird bei einem High Signal auf dem entsprechenden Pin aufgerufen.",
"Automatic Factory Reset": "Automatisch auf Werkseinstellung zurücksetzen",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatisch auf Werkseinstellungen zurücksetzen, wenn das Wlan Netzwerk nicht gefunden wurde. Hilfreich bei Änderungen am Netzwerk.",
"BACK": "ZURÜCK",
"BIND": "Binden",
"BLUR": "Unschärfe",
"Back": "Zurück",
"Bad username or password": "Benutzername oder Passwort falsch.",
"Begin": "Beginnen",
"Bottom Left": "Unten links",
"Bottom Right": "Unten rechts",
"Busy": "Beschäftigt",
"CALIBRATE {{axis}}": "KALIBRIEREN {{axis}}",
"CALIBRATION": "KALIBRIERUNG",
"CAMERA": "KAMERA",
"CLEAR WEEDS": "LÖSCHE UNKRAUT",
"CLICK anywhere within the grid": "KLICKE an eine Stelle innerhalb des Beets",
"Calibrate": "Kalibrieren",
"Calibrate FarmBot's camera for use in the weed detection software.": "Kalibriert Farmbot's Kamera für die Unkraut-Erkennung.",
"Calibration Object Separation": "Abstand Kalibrierobjekte (mm) ",
"Calibration Object Separation along axis": "Ausrichtung Kalibrierobjekte parallel zu Achse",
"Camera Calibration": "Kamera Kalibrierung",
"Camera Offset X": "Kamera Offset X",
"Camera Offset Y": "Kamera Offset Y",
"Camera rotation": "Kamera Winkel",
"Can't connect to bot": "Keine Verbindung zum Bot.",
"Can't connect to release server": "Keine Verbindung zum release Server.",
"Cancel": "Abbrechen",
"Change Ownership": "Wechsle Benutzer",
"Change Password": "Passwort Ändern",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Hier können Einstellungen zur Hardware vorgenommen werden. Achtung: Extreme Werte können die Hardware beschädigen oder gar zerstören. Teste alle Änderungen bevor du den Farmbot unbeaufsichtigt lässt. Kalibriere den Bot neu und teste Sequenzen um sicher zu sein, dass alles wie erwartet funktioniert.",
"Change slot direction": "Slot Ausrichtung",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Passt die Größe der Karte im Farm-Designer an die Achsenlängen an. Im Hardware widget müssen die Achsenlängen angegeben und die Einstellung STOP BEI MAX aktiviert sein.",
"Change the account FarmBot is connected to.": "Verbinde den Farmbot mit einem anderen Account.",
"Check Again": "Check",
"Choose a crop": "Wähle eine Pflanze",
"Click the edit button to add or edit a feed URL.": "Klicke den EDIT Knopf um die URL hinzuzufügen oder zu ändern.",
"Collapse All": "Alle Menüs Schließen",
"Color Range": "Farbspektrum",
"Commands": "Kommandos",
"Complete": "Erledigt",
"Confirm New Password": "Bestätige neues Passwort",
"Confirm Sequence step deletion": "Bestätigung Sequenz-Schritt Löschen",
"Connected.": "Verbunden.",
"Connection Attempt Period": "Zeit für Verbindungsversuche",
"Connectivity": "Konnektivität",
"Controls": "Steuerung",
"Copy": "Kopieren",
"Could not delete image.": "Bild konnte nicht gelöscht werden.",
"Could not download FarmBot OS update information.": "OS Update informationen konnten nicht geladen werden.",
"Create Account": "Konto erstellen",
"Create logs for sequence:": "Erzeuge logs für Sequenzen:",
"Create point": "Erstelle Punkt",
"Created At:": "Erstellt am:",
"Customize your web app experience.": "Diverse Einstellungen um die WebApp individuell nach deinen Wünschen zu gestalten.",
"DISCONNECTED": "GETRENNT",
"DRAG COMMAND HERE": "ZIEHE BEFEHL HIER HER",
"Danger Zone": "Gefahrenzone",
"Data Label": "Daten Label",
"Date": "Datum",
"Day {{day}}": "Tag {{day}}",
"Days": "Tage",
"Delete": "Löschen",
"Delete Account": "Konto löschen",
"Delete Photo": "Lösche Foto",
"Delete all created points": "Lösche alle erstellten Punkte",
"Delete all of the points created through this panel.": "Lösche alle Punkte die durch dieses Panel erstellt wurden.",
"Delete multiple": "Lösche mehrere",
"Delete selected": "Lösche Auswahl",
"Delete this plant": "Lösche diese Pflanze",
"Deleted farm event.": "Farm-Event gelöscht.",
"Deselect all": "Alle Abwählen",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Erkennt Unkraut mit der Kamera und fügt es auf der Farm-Designer Karte ein.",
"Device": "Gerät",
"Diagnose connectivity issues with FarmBot and the browser.": "Übersicht zur Fehlerdiagnose bei Verbindungsproblemen zu Farmbot und Browser.",
"Diagnosis": "Diagnose",
"Discard Unsaved Changes": "Ungespeicherte Änderungen verwerfen",
"Display Encoder Data": "Anzeige der Encoder Daten",
"Display plant animations": "Zeige Pflanzen Animationen",
"Documentation": "Dokumentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Verbietet Bewegungen, die den Wert der Achsenlänge überschreitet.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Beim Schließen des Browser-Tab keinen Bestätigungsdialog zum Speichern der Daten aufrufen. Achtung: Kann zu Datenverlust führen.",
"Done": "Fertig",
"Double default map dimensions": "Verdopple standard Kartendimensionen",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Verdopple die Standard Dimensionen der Farm-Designer Karte zu einer Karte mit der 4-fachen Fläche.",
"Drag and drop": "Drag & drop",
"Drag and drop into map": "Auf Karte ziehen und fallen lassen",
"Dynamic map size": "Dynamische Kartengröße",
"E-Stop on Movement Error": "E-Stop bei Bewegungsstörung",
"ENCODER TYPE": "ENCODER TYP",
"EXECUTE SEQUENCE": "SEQUENZ AUSFÜHREN",
"Edit": "Bearbeiten",
"Edit Farm Event": "Farm-Event bearbeiten",
"Email has been sent.": "Email wurde versendet.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Nothalt wenn nach der angegebenen Anzahl an Versuchen die Bewegung nicht erfolgt ist.",
"Enable 2nd X Motor": "Aktiviere 2. X-Achsen Motor",
"Enable Encoders": "Aktiviere Encoder",
"Enable Endstops": "Aktiviere Endschalter",
"Enable plant animations in the Farm Designer.": "Aktiviere Pflanzen Animationen im Farm-Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Aktiviert den zweiten Motor der x-Achse welcher am RAMPS auf E0 angeschlossen ist.",
"Enable use of electronic end-stops during calibration and homing.": "Aktiviert die Benutzung von elektronischen Endschalter während Kalibration und Homing.",
"Encoder Missed Step Decay": "Encoder Schritt decay",
"Encoder Scaling": "Encoder Skalierung",
"Encoders and Endstops": "Encoders und Endschalter",
"Enter Email": "Email",
"Enter Password": "Passwort",
"Enter a URL": "Gib eine URL ein",
"Error": "Fehler",
"Error taking photo": "Fehler beim Foto aufnehmen",
"Every": "Jede",
"Execute Sequence": "Sequenz ausführen",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Rufe eine Sequenz auf wenn die Bedingung zutrifft. Trifft die Bedingung nicht zu, kann eine andere Sequenz aufgerufen oder auch nicht reagiert werden.",
"Executes another sequence.": "Führt eine andere Sequenz aus.",
"Expand All": "Alle Menüs Öffnen",
"FACTORY RESET": "RESET AUF WERKSEINSTELLUNG",
"Factory Reset": "Reset auf Werkseinstellung",
"FarmBot Web App": "FarmBot WebApp",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot und der Browser sind beide mit dem Internet Verbunden (oder waren es kürzlich). Versuche den Farmbot neu zu starten und den Browser neu zu laden. Bleibt das Problem dennoch bestehen, könnte etwas den FarmBot davon abhalten auf den Message Broker zuzugreifen (wird benutzt um in Echtzeit mit dem Browser zu kommunizieren). Sollte es sich bei deinem Netzwerk um ein Firmen- oder Schulnetzwerk handeln, könnte eine Firewall den Port 5672 blockieren.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot und der Browser haben beide Verbindung zum Internet. Wir haben jedoch seit einer Weile keine Aktivität in der WebApp mehr festgestellt. Das könnte bedeuten, dass der FarmBot seit einer Weile nicht mehr Synchronisiert wurde, was aber kein Problem sein sollte. Solltest du Probleme mit der Bedienbarkeit feststellen, könnte das ein Zeichen sein, dass an der lokalen Internetverbindung des FarmBot eine HTTP Blockade vorliegt.",
"FarmBot is at position ": "FarmBot's Position ist ",
"FarmBot is not connected.": "FarmBot ist nicht verbunden.",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot hat eine fehlerhafte Nachricht übermittelt. Vermutlich muss das FarmBot OS aktualisiert werden. Bitte FarmBot OS aktualisieren und erneut einloggen.",
"Filters active": "Aktive Filter",
"Find ": "Finden ",
"Find Home": "Finde Home",
"Find Home on Boot": "Finde Home beim Booten",
"Forgot password?": "Passwort vergessen?",
"Full Name": "Name",
"GO": "LOS",
"HUE": "FARBTON",
"Hardware setting conflict": "Hardware Konflikt",
"Harvested": "Geerntet",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Der Browser darf Log-Nachrichten auf dem \"Speak\" -Kanal vorlesen, die von FarmBot gesprochen werden.",
"Here is the list of all of your sequences. Click one to edit.": "Hier sind alle Sequenzen aufgelistet. Klicke auf eine Sequenz um sie zu bearbeiten.",
"Hide Webcam widget": "Verstecke Webcam widget",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Geschwindigkeit beim Suchen der Homeposition in Schritte pro Sekunde.",
"Homing Speed (steps/s)": "Homing Geschwindigkeit (Schritte/s)",
"Homing and Calibration": "Homing und Kalibrierung",
"I Agree to the Terms of Service": "Ich stimme den Nutzungsbedingungen zu",
"IF STATEMENT": "WENN-SCHLEIFE",
"IF...": "WENN...",
"ITERATION": "WIEDERHOLUNG",
"If Statement": "Wenn-Schleife",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "Bei dieser Einstellung sucht sich der Bot seine Home-Positionen nach dem Booten. Achtung: Beim Einschalten wird eine Referenzfahrt an allen ausgewählten Achsen durchgeführt. Encoder oder Endschalter müssen aktiviert sein. Vor aktivierung dieser Einstellung sollte überprüft werden, dass die Referenzfahrt richtig funktioniert.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "Mit dieser Einstellung kann das Webcam widget verborgen werden.",
"If you are sure you want to delete your account, type in your password below to continue.": "Um den Löschvorgang des Accounts zu bestätigen, geben Sie hier das Kennwort ein.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "Hier kann der Video-stream einer Webcam angezeigt werden. Klicke Bearbeiten um eine Webcam URL hinzuzufügen.",
"Image Deleted.": "Bild gelöscht.",
"Image loading (try refreshing)": "Bild wird geladen (versuche zu aktualisieren)",
"Install": "Installieren",
"Internationalize Web App": "Internationalisiere Web App",
"Invert 2nd X Motor": "Invertiere 2. X-Achsen Motor",
"Invert Encoders": "Invertiere Encoders",
"Invert Endstops": "Invertiere Endschalter",
"Invert Hue Range Selection": "Invertiere Farbtonbereich",
"Invert Jog Buttons": "Invertiere Jog-Tasten",
"Invert Motors": "Invertiere Motors",
"Invert direction of motor during calibration.": "Invertiere Drehrichtung der Motoren während der Kalibrierung.",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Schalte Motoren nicht ab. Verhindert ungewollte Bewegungen durch Gravitation in bestimmten Situationen.",
"LAST SEEN": "ZULETZT GESEHEN",
"Lighting": "Beleuchtung",
"Loading": "Wird geladen",
"Loading...": "Wird geladen ...",
"Location": "Ort",
"Log all commands sent to firmware (clears after refresh).": "Protokolliere alle Befehle, die an die Firmware gesendet werden (werden nach Aktualisierung wieder gelöscht).",
"Log all debug received from firmware (clears after refresh).": "Protokolliere alle Fehler, die von der Firmware gesendet werden (werden nach Aktualisierung gelöscht).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Protokolliere alle Reaktionen die von der Firmware gesendet werden (werden nach Aktualisierung gelöscht). Achtung: Extrem ausführlich.",
"Login": "Einloggen",
"Logout": "Ausloggen",
"MOVE ABSOLUTE": "ABSOLUT BEWEGEN",
"MOVE AMOUNT (mm)": "BETRAG BEWEGEN (mm)",
"MOVE RELATIVE": "RELATIV BEWEGEN",
"Manage Farmware (plugins).": "Verwalte hier die Farmware (plugins).",
"Manual input": "Manuelle Eingabe",
"Max Missed Steps": "Max Abweichung Schritte",
"Max Retries": "Max Versuche",
"Max Speed (steps/s)": "Max Geschwindigkeit (Schritte/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximale Bewegungsgeschwindigkeit nach der Beschleunigung in Schritten/s",
"Menu": "Menü",
"Message": "Meldung",
"Minimum Speed (steps/s)": "Minimale Geschwindigkeit (Schritte/s)",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimale Bewegungsgeschwindigkeit in Schritten/s. Außerdem für Homing und Kalibration verwendet.",
"Motor Coordinates (mm)": "Motor Koordinaten (mm)",
"Motors": "Motoren",
"Move": "Bewegung",
"Move Absolute": "Abslout Bewegen",
"Move Relative": "Relativ Bewegen",
"Move to location": "Zur Position bewegen",
"Move to this coordinate": "Zu diesen Koordinaten bewegen",
"Must be a positive number. Rounding up to 0.": "Zahl muss positiv sein. Runde auf 0 auf.",
"Negative Coordinates Only": "Nur negative Koordinaten",
"New Password": "Neues Passwort",
"New Peripheral": "Neue Peripherie",
"New Sensor": "Neuer Sensor",
"New regimen ": "Neues regimen",
"Newer than": "Neuer als",
"Next": "Nächstes",
"No Executables": "Nichts ausführbares",
"No day(s) selected.": "Kein(e) Tag(e) ausgewählt.",
"No logs to display. Visit Logs page to view filters.": "Keine Logs vorhanden. Überprüfe die Filter auf der Logs Seite.",
"No logs yet.": "Noch keine Logs.",
"No messages seen yet.": "Noch keine Meldungen erkannt.",
"No recent messages.": "Keine Meldungen in letzter Zeit.",
"No results.": "Keine Ergebnisse.",
"No webcams yet. Click the edit button to add a feed URL.": "Noch keine Webcam hinzugefügt. Klicke auf die Bearbeiten Taste um eine Webcam-URL hinzuzufügen.",
"None": "Keine",
"Not Set": "Nicht gesetzt",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Hinweis: Die ausgewählte Zeitzone des FarmBots ist unterschiedlich zur lokalen Browser Zeitzone.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Hinweis: Die Zeiten werden entsprechend der lokalen Zeit von FarmBot angezeigt, die sich derzeit von der Zeit des Browsers unterscheidet. Die Zeitzone ist über die Geräte-Seite einstellbar.",
"Number of steps used for acceleration and deceleration.": "Anzahl der Schritte für Beschleunigung und Bremsvorgang.",
"Number of times to retry a movement before stopping.": "Anzahl der Wiederhversuche einer Bewegung vor dem Anhalten.",
"OFF": "AUS",
"ON": "EIN",
"Old Password": "Altes Passwort",
"Older than": "Älter als",
"Origin Location in Image": "Richtung zum Nullpunkt im Bild",
"Outside of planting area. Plants must be placed within the grid.": "Außerhalb der erreichbaren Fläche. Pflanzen müssen innerhalb des Beets gesetzt werden.",
"Package Name": "Paket Name",
"Page Not Found.": "Seite nicht gefunden.",
"Password": "Passwort",
"Password change failed.": "Passwortänderung fehlgeschlagen.",
"Peripheral ": "Peripherie ",
"Peripherals": "Peripherie",
"Photos": "Fotos",
"Photos are viewable from the": "Fotos werden angezeigt im ",
"Photos?": "Fotos?",
"Pin Bindings": "Pin Verknüpfungen",
"Pin Guard": "Pin Wächter",
"Pin Guard {{ num }}": "Wächter {{ num }}",
"Pin Mode": "Pin Modus",
"Pin Number": "Pin Nummer",
"Pin numbers are required and must be positive and unique.": "Pin nummern sind benötigt und müssen positiv sowie einzigartig sein.",
"Pin numbers must be less than 1000.": "Pin nummer muss geringer als 1000 sein.",
"Pin numbers must be unique.": "Pin Nummer muss einzigartig sein.",
"Pixel coordinate scale": "Pixel Koordinatenskala",
"Planned": "Geplant",
"Plant Info": "Pflanzen Info",
"Plant Type": "Pflanzen Typ",
"Planted": "Gepflanzt",
"Plants": "Pflanzen",
"Plants?": "Pflanzen?",
"Please check your email for the verification link.": "Bitte überprüfe deine E-Mail für den Bestätigungslink.",
"Please check your email to confirm email address changes": "Bitte überprüfe deine E-Mail, um die Änderungen der E-Mail-Adresse zu bestätigen",
"Positions": "Positionen",
"Power and Reset": "Power und Reset",
"Presets:": "Voreinstellungen:",
"Prev": "vorheriges",
"Privacy Policy": "Datenschutz-Bestimmungen",
"Processing Parameters": "Verarbeitungsparameter",
"Processing now. Results usually available in one minute.": "Wird verarbeitet. Ergebnisse sind normalerweise in einer Minute verfügbar.",
"READ PIN": "LESE PIN",
"RESET": "ZURÜCKSETZEN",
"RESTART": "NEUSTART",
"RESTART FARMBOT": "FARMBOT NEUSTARTEN",
"Raspberry Pi Camera": "Raspberry Pi Kamera",
"Raw Encoder data": "Rohe Encoder daten",
"Raw encoder position": "Rohe Encoder Position",
"Read Pin": "Lese Pin",
"Read speak logs in browser": "Lese Sprachlogs im Browser",
"Received": "Erhalten",
"Received change of ownership.": "Erhielt Eigentümerwechsel.",
"Recursive condition.": "Rekursive Bedingung.",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": " Mit Hilfe von Regimens kann sich FarmBot von der Aussaat bis zur Ernte um die Pflanze kümmern. Ein Regimen besteht aus mehreren Sequenzen die abhängig vom Alter der Pflanze ausgeführt werden. Regimens werden Pflanzen im Farm-Designer zugewiesen (kommt bald) und kann für viele Pflanzen gleichzeitig verwendet werden. Einer Pflanze können mehrere Regimens zugewiesen werden.",
"Reinstall": "Neuinstallation",
"Release Notes": "Versionshinweise",
"Remove": "Entfernen",
"Repeats?": "Wiederholung?",
"Request sent": "Anfrage gesendet",
"Resend Verification Email": "Bestätigungs E-Mail erneut senden.",
"Reset": "Zurücksetzen",
"Reset Password": "Passwort zurücksetzen",
"Reset hardware parameter defaults": "Hardwareparameter auf Standardwerte zurücksetzen",
"Reset your password": "Setze dein Passwort zurück",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Durch das Wiederherstellen der Hardware-Parameter-Standardeinstellungen werden die aktuellen Einstellungen gelöscht und auf die Standardwerte zurückgesetzt.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Bewegung auf negative Koordinaten beschränken. Überschrieben durch Deaktivieren von STOP AT HOME.",
"Run": "Ausführen",
"Run Farmware": "Farmware ausführen",
"SATURATION": "SÄTTIGUNG",
"SEND MESSAGE": "SENDE MELDUNG",
"SET ZERO POSITION": "NULLPUNKT SETZEN",
"SHUTDOWN": "HERUNTERFAHREN",
"SHUTDOWN FARMBOT": "FARMBOT HERUNTERFAHREN",
"Save": "Speichern",
"Save sequence and sync device before running.": "Speichere die Sequenz und synchronisiere das Gerät vor den ausführen.",
"Saved": "Gespeichert",
"Saving": "Speichere",
"Scaled Encoder (mm)": "Skalierter Encoder Wert (mm)",
"Scaled Encoder (steps)": "Skalierter Encoder Wert (steps)",
"Scaled encoder position": "Skalierte Encoder Position",
"Scan image": "Bild scannen",
"Scheduler": "Planer",
"Search OpenFarm...": "Durchsuche OpenFarm ...",
"Search Regimens...": "Durchsuche Regimens ...",
"Search Sequences...": "Durchsuche Sequenzen ...",
"Search your plants...": "Durchsuche Pflanzen ...",
"Seed Bin": "Samen Bunker",
"Seed Tray": "Samen Buffet",
"Select a regimen first or create one.": "Wähle zuerst ein Regimen aus oder erstelle eines.",
"Select a sequence first": "Wähle zuerst eine Sequenz aus",
"Select a sequence from the dropdown first.": "Wähle zuerst eine Sequenz aus der Dropdown Leiste.",
"Select all": "Selektiere alle",
"Select none": "Selektiere keines",
"Select plants": "Selektiere Pflanzen",
"Send Message": "Sende Meldung",
"Send a log message for each sequence step.": "Sendet eine Log Meldung für jeden Sequenzschritt.",
"Send a log message upon the end of sequence execution.": "Sendet eine Log Meldung am Ende der Sequenzausführung.",
"Send a log message upon the start of sequence execution.": "Sendet eine Log Meldung beim Start der Sequenzausführung.",
"Sending camera configuration...": "Kamerakonfiguration wird gesendet ... ",
"Sending firmware configuration...": "Firmware Konfiguration wird gesendet ... ",
"Sensors": "Sensoren",
"Sent": "Gesendet",
"Sequence": "Sequenz",
"Sequence Editor": "Sequenz Editor",
"Sequence or Regimen": "Sequenz oder Regimen",
"Sequences": "Sequenzen",
"Set device timezone here.": "Stelle hier die Zeitzone des Geräts ein. ",
"Set the current location as zero.": "Setze die aktuelle Ist-Position auf 0.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Stelle die Länge jeder Achse ein, um Softwarelimits zu ermöglichen. Hinweis: Wert wird bei der Kalibrierung ermittelt und automatisch eingefügt. Wird nur verwendet, wenn STOP AT MAX aktiviert ist.",
"Setup, customize, and control FarmBot from your": "Einrichten, Anpassen und Steuern deines FarmBots bequem von deinem ",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Zeigt ein Bestätigungsdialogfeld an, wenn ein Schritt in einer Sequenz gelöscht wird.",
"Show in list": "Zeige in Liste",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Macht ein Foto mit der Kamera. Wähle den Kameratyp auf der Geräteseite.",
"Soil Moisture": "Bodenfeuchtigkeit",
"Soil Sensor": "Feuchtigkeitssensor",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Ein anderes Problem verhindert, dass FarmBot funktioniert. Weitere Informationen sind in der Leiste oben oder im Log-Bereich.",
"Something went wrong while rendering this page.": "Beim Rendern dieser Seite ist ein Fehler aufgetreten.",
"Speak": "Sprechen",
"Speed (%)": "Geschwindigkeit (%)",
"Spread?": "Verbreitung?",
"Started": "Gestartet",
"Starts": "Startet",
"Steps": "Schritte",
"Steps per MM": "Schritte pro MM",
"Stock Tools": "Anfangswerkzeuge",
"Stock sensors": "Original sensoren",
"Stop at Home": "Stop bei Home",
"Stop at Max": "Stop bei Max",
"Stop at the home location of the axis.": "Bewegung nur bis zur Home-Position.",
"Success": "Erfolg",
"Successfully configured camera!": "Kamera erfolgreich konfiguriert!",
"TAKE PHOTO": "MACHE FOTO",
"THEN...": "DANN ...",
"TIME ZONE": "ZEITZONE",
"Take Photo": "Mache Foto",
"Take a Photo": "Mache ein Foto",
"Take and view photos with your FarmBot's camera.": "Hier können Fotos mit der Kamera aufgenommen und angezeigt werden.",
"Terms of Use": "Nutzungsbedingungen",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "Der Schritt \"Home finden\" weist das Gerät an, die jeweilige Achse zu referenzieren, um Null für die ausgewählte (n) Achse (n) zu finden und einzustellen. ",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "Der Schritt Absolut-Bewegen weist FarmBot an, unabhängig von der aktuellen Position zu der angegebenen Koordinate zu wechseln. Wenn FarmBot z. B. gerade bei der Position X = 1000, Y = 1000 ist und einen Absolut-Bewegen Befehl mit X = 0 und Y = 3000 empfängt, bewegt sich FarmBot zu X = 0, Y = 3000. Wenn sich der FarmBot in mehrere Richtungen bewegen muss, bewegt es sich diagonal. Wenn du gerade Bewegungen entlang einer Achse auf einmal durchführen möchtest, verwende mehrere Absolut-Bewegen Schritte. Mit Offsets kannst du Punkte versetzt anfahren. Zum Beispiel um sich direkt über ein Werkzeug zu bewegen. Mit Offsets kann FarmBot die Berechnung für dich übernehmen. ",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "Der Schritt Relativ-Bewegen weist FarmBot an, die angegebene Entfernung von der aktuellen Position zu verschieben. Wenn FarmBot z. B. derzeit bei den Koordinaten X = 1000, Y = 1000 ist und einen Relativ-Bewegen Befehl mit X = 0 und Y = 3000 ist, wird sich FarmBot zu X = 1000, Y = 4000 bewegen. Wenn sich FarmBot in mehrere Richtungen bewegen soll, wird es sich diagonal bewegen. Wenn du gerade Bewegungen entlang einer Achse gleichzeitig benötigst, verwende mehrere Relativ-Bewegen Schritte. Vor einem Relativ-Bewegen Schritt sollte möglichst ein Absolut-Bewegen Schritt sein, um sicherzustellen, dass der Bot von einem bekannten Ort aus startet. ",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Pin Lesen step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "Im Schritt Farmware ausführen wird ein Farmware-Paket ausgeführt. Besuche das Farmware-Widget um Farmware zu installieren und zu verwalten.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "Der Warte-Schritt weist FarmBot an, den angegebenen Zeitraum zu warten.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "Der Schreibe-Pin-Schritt weist FarmBot an, den angegebenen Pin auf dem Arduino auf den angegebenen Modus und Wert zu setzen. Verwende den digitalen Pin-Modus für Ein (1) und Aus (0) und den Analog-Pin-Modus für PWM (Pulsweitenmodulation) (0-255). ",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "FarmBot wurde noch nicht gesehen. Wahrscheinlich liegt eine Verbindungsstörung am Gerät vor.",
"The number of motor steps required to move the axis one millimeter.": "Die Anzahl der Motorschritte, um die Achse um einen Millimeter zu bewegen.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "Die Nummer des zu schützenden Pins. Dieser Pin wird nach der durch TIMEOUT festgelegten Dauer auf den angegebenen Status gesetzt.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "Die Nutzungsbedingungen haben sich kürzlich geändert. Sie müssen die neuen Nutzungsbedingungen akzeptieren, um die Website weiterhin nutzen zu können.",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "Es gibt keinen Zugriff auf FarmBot oder den Message Broker. Dies wird normalerweise durch veraltete Browser (Internet Explorer) oder Firewalls verursacht, die WebSockets auf Port 3002 blockieren.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "Dies sind die grundlegendsten Befehle, die FarmBot ausführen kann. Kombiniere Sie durch das hineinziehen in Sequenzen, um Sequenzen zum Bewässern, Pflanzen von Samen, Messen von Bodeneigenschaften und mehr zu erstellen.",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "Dieses Farm-Event scheint keine gültige Ausführzeit zu haben. Vielleicht haben Sie ungültige Daten eingegeben?",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "Dieser Befehl wird nicht korrekt ausgeführt, da für die gewählte Achse keine Encoder oder Endstops aktiviert sind. Aktivieren Sie Endstops oder Encoder auf der Geräteseite für:",
"This is a list of all of your regimens. Click one to begin editing it.": "Dies ist eine Liste aller Ihrer Regimens. Klicken Sie auf eines, um mit der Bearbeitung zu beginnen.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "Dies ist eine Liste aller FarmBot Werkzeuge. Klicke auf die Schaltfläche Bearbeiten, um Werkzeuge hinzuzufügen, zu bearbeiten oder zu löschen.",
"This will restart FarmBot's Raspberry Pi and controller software.": "Diese Funktion startet FarmBot, Raspberry Pi und die Controller-Software neu.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "Diese Funktion fährt den Farmbot herunter. Um ihn wieder einzuschalten, trenne den FarmBot von der Spannungsversorgung und schließe ihn wieder an.",
"Ticker Notification": "Ticker Benachrichtigung",
"Time": "Zeit",
"Time in milliseconds": "Zeit in Millisekunden",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Zeit in Minuten, um eine Verbindung zum Wlan herzustellen bevor das Zurücksetzen auf Werkseinstellung beginnt.",
"Timeout after (seconds)": "Timeout nach (seconds)",
"To State": "Auf Zustand",
"Tool": "Werkzeug",
"Tool ": "Werkzeug ",
"Tool Name": "Werkzeug Name",
"Tool Slots": "Werkzeug Slots",
"Tool Verification": "Werkzeug Verification",
"ToolBay ": "Werkzeug Bank ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "In Toolbays lagern deine FarmBot Tools. Jede Toolbay verfügt über Slots, in die du deine Tools einfügen kannst. Diese sollten auch deine echte FarmBot-Hardwarekonfiguration widerspiegeln.",
"Tools": "Werkzeuge",
"Top Left": "Oben Links",
"Top Right": "Oben Rechts",
"Turn off to set Web App to English.": "Ausschalten um die WebApp auf Englisch zu stellen.",
"Type": "Typ",
"UNLOCK": "ENTSPERREN",
"UP TO DATE": "AKTUELL",
"USB Camera": "USB Kamera",
"Unable to load webcam feed.": "Webcam Feed kann nicht geladen werden.",
"Unable to save farm event.": "Farm-Event kann nicht gespeichert werden.",
"Unexpected error occurred, we've been notified of the problem.": "Unerwarteter Fehler ist aufgetreten, wir wurden über das Problem informiert.",
"Until": "Bis",
"Updating...": "Aktualisierung ...",
"Use Encoders for Positioning": "Nutze Encoder für Positionierung",
"Use current location": "Wähle aktuelle Position",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Verwende diese manuellen Steuertasten, um FarmBot in Echtzeit zu bewegen. Drücke die Pfeile für relative Bewegungen oder gebe neue Koordinaten ein und drücke LOS für eine absolute Bewegung. Tipp: Drücke die Home-Taste, wenn du fertig bist. FarmBot ist dann bereit, wieder an die Arbeit zu gehen. ",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Verwende diese Kippschalter, um FarmBot-Peripheriegeräte in Echtzeit zu steuern. Um neue Peripheriegeräte zu bearbeiten und zu erstellen, drücke die EDIT-Taste. Stelle sicher, dass die Peripheriegeräte ausgeschalten sind, wenn du fertig bist!",
"VALUE": "WERT",
"Vacuum": "Vakuum",
"Value": "Wert",
"Verification email resent. Please check your email!": "Bestätigungs-E-Mail erneut gesendet Bitte überprüfe deine Emailadresse! ",
"View and change device settings.": "Zeige und ändere Geräteeinstellungen.",
"View and filter log messages.": "Zeige und filtere Log Meldungen.",
"WAIT": "WARTE",
"WRITE PIN": "SCHREIBE PIN",
"Wait": "Warte",
"Warning": "Warnung",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Achtung! Wenn du dich für Beta-Versionen von FarmBot OS entscheidest, kann dies die Stabilität des FarmBot-Systems beeinträchtigen. Bist du dir sicher?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warnung! Dies ist eine EXPERIMENTELLE Funktion. Diese Funktion ist möglicherweise defekt und kann die Nutzung der restlichen App stören oder anderweitig behindern. Diese Funktion kann jederzeit verschwinden oder unterbrochen werden.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warnung! Wenn diese Option aktiviert ist, werden alle nicht gespeicherten Änderungen beim Aktualisieren oder Schließen der Seite verworfen. Bist du dir sicher?",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warnung: Dadurch werden alle auf der FarmBot-SD-Karte gespeicherten Daten gelöscht, sodass FarmBot neu konfiguriert werden muss, damit es sich erneut mit Ihrem WLAN-Netzwerk und einem Web-App-Konto verbinden kann. Beim Zurücksetzen des Geräts werden die in Ihrem Web-App-Konto gespeicherten Daten nicht gelöscht. Bist du sicher, dass du fortfahren möchtest? ",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warnung: Dadurch werden alle Hardwareeinstellungen auf die Standardwerte zurückgesetzt. Möchtest du wirklich fortfahren?",
"Water": "Wasser",
"Weed Detector": "Unkraut Detektor",
"Week": "Woche",
"Welcome to the": "Willkommen in der",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "Wenn diese Option aktiviert ist, sucht FarmBot OS automatisch nach Updates, die automatisch heruntergeladen und installiert werden.",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "Wenn diese Option aktiviert ist, werden Geräteressourcen wie Sequenzen und Regimens automatisch an das Gerät gesendet. Dadurch entfällt das Drücken von \" SYNC \", nachdem Änderungen in der Web-App vorgenommen wurden. Änderungen an laufenden Sequenzen und Regimen bei aktivierter automatischer Synchronisierung werden zu sofortiger Veränderung führen. ",
"Widget load failed.": "Widget konnte nicht geladen werden.",
"Write Pin": "Schreibe Pin",
"X AXIS": "X ACHSE",
"X Axis": "X Achse",
"X position": "X Position",
"Y AXIS": "Y ACHSE",
"Y Axis": "Y Achse",
"Y position": "Y Position",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "Du bist entweder offline, verwendest einen Webbrowser, der WebSockets nicht unterstützt, oder befindest dich hinter einer Firewall, die den Port 3002 blockiert. Versuche nicht, Fehler in der FarmBot-Hardware zu suchen, bevor du das Problem behebst. Du kannst Hardwareprobleme nicht ohne eine zuverlässige Browser- und Internetverbindung beheben. ",
"You are running an old version of FarmBot OS.": "Die FarmBot OS Version ist veraltet.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "Du planst ein Regime, das heute schon startet. Sei dir bewusst, dass ein Regimen zu spät am Tag zu übersprungenen Aufgaben führen kann. Ziehe es in Betracht, dieses Ereignis auf morgen umzustellen, wenn dies ein Problem darstellt.",
"You haven't made any regimens or sequences yet. Please create a": "Du hast noch keine Regimen oder Sequenzen erstellt. Bitte erstelle ein",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "Du hast noch keine Fotos mit deinem FarmBot gemacht. Sobald du eines machst, wird es hier auftauchen.",
"You may click the button below to resend the email.": "Sie können auf die Schaltfläche klicken, um die E-Mail erneut zu senden.",
"You must set a timezone before using the FarmEvent feature.": "Du musst eine Zeitzone festlegen, bevor du die FarmEvent-Funktion verwenden kannst.",
"Your Name": "Dein Name",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Der Browser ist korrekt verbunden, aber wir haben keine neuen Aufzeichnungen über die Verbindung von FarmBot mit dem Internet. Dies geschieht normalerweise aufgrund eines schlechten WLAN-Signals im Garten, eines schlechten Passwortes während der Konfiguration oder eines sehr langen Stromausfalls.",
"Your password is changed.": "Dein Passwort wurde geändert.",
"Z AXIS": "Z ACHSE",
"Z Axis": "Z Achse",
"Z position": "Z Position",
"active": "Aktiv",
"back": "zurück",
"color": "Farbe",
"computer": "Computer",
"days old": "Tage alt",
"delete": "löschen",
"filter": "Filter",
"from": "von",
"is": "ist",
"is equal to": "ist gleich",
"is greater than": "ist größer als",
"is less than": "ist kleiner als",
"is not": "ist nicht",
"is not equal to": "ist nicht gleich",
"is unknown": "ist unbekannt",
"max": "Max",
"move mode": "Bewegungs Modus",
"new sequence {{ num }}": "Neue Sequenz {{ num }}",
"no": "Nein",
"off": "Aus",
"page": "Seite",
"plant icon": "Pflanzen Symbol",
"read sensor": "lese sensor",
"saved": "gespeichert",
"submit": "senden",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "um die Pflanze der Karte hinzuzufügen. Du kannst so viele Pflanzen setzen wie benötigt. Bestätige anschließend mit FERTIG.",
"zero {{axis}}": "{{axis}} Nullen"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Action": "Action",
"actions": "actions",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"Agree to Terms of Service": "Agree to Terms of Service",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"apply": "apply",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Axis Length (mm)": "Axis Length (mm)",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Beta release Opt-In": "Beta release Opt-In",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BOOTING": "BOOTING",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"clear filters": "clear filters",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Close": "Close",
"Common Names": "Common Names",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create An Account": "Create An Account",
"Create farm events": "Create farm events",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Customize your web app experience": "Customize your web app experience",
"Day": "Day",
"days": "days",
"Debug": "Debug",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all the points you have created?": "Delete all the points you have created?",
"Deleting...": "Deleting...",
"Description": "Description",
"detect weeds": "detect weeds",
"Deviation": "Deviation",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"E-STOP": "E-STOP",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email": "Email",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error deleting Farmware data": "Error deleting Farmware data",
"Events": "Events",
"exit": "exit",
"Exit": "Exit",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot forum.": "FarmBot forum.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"Filter logs": "Filter logs",
"find home": "find home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"find new features": "find new features",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Height": "Height",
"Help": "Help",
"hide": "hide",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"HOMING": "HOMING",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"Image": "Image",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Language": "Language",
"Last message seen ": "Last message seen ",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"Memory usage": "Memory usage",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor position plot": "Motor position plot",
"Mounted to:": "Mounted to:",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"Move to chosen location": "Move to chosen location",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"My Farmware": "My Farmware",
"name": "name",
"Name": "Name",
"NAME": "NAME",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Terms of Service": "New Terms of Service",
"No events scheduled.": "No events scheduled.",
"No inputs provided.": "No inputs provided.",
"No meta data.": "No meta data.",
"No Regimen selected.": "No Regimen selected.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Ok": "Ok",
"on": "on",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Operator": "Operator",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Parameters": "Parameters",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pins": "Pins",
"plants": "plants",
"Please agree to the terms.": "Please agree to the terms.",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Problem Loading Terms of Service": "Problem Loading Terms of Service",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Record Diagnostic": "Record Diagnostic",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimen Name": "Regimen Name",
"Regimens": "Regimens",
"Removed": "Removed",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"Saved Gardens": "Saved Gardens",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search term too short": "Search term too short",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sequence Name": "Sequence Name",
"Server": "Server",
"show": "show",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snapshot current garden": "Snapshot current garden",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Sowing Method": "Sowing Method",
"Spread": "Spread",
"Start tour": "Start tour",
"Status": "Status",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"target": "target",
"Taxon": "Taxon",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"Timeout (sec)": "Timeout (sec)",
"to": "to",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool Mount": "Tool Mount",
"Topics": "Topics",
"Tours": "Tours",
"type": "type",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"unlock device": "unlock device",
"Update": "Update",
"UPDATE": "UPDATE",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"Use encoders for positioning.": "Use encoders for positioning.",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"value": "value",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Variable": "Variable",
"Version": "Version",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Weeks": "Weeks",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"while your garden is applied.": "while your garden is applied.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Year": "Year",
"Years": "Years",
"yes": "yes",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"(Alpha) Enable use of rotary encoders during calibration and homing.": "(Alpha) Aktiviert Encoder für Kalibrierung/Homing.",
"(Alpha) If encoders or end-stops are enabled, home axis (find zero).": "(Alpha) Finde Nullpunkt der Achse. Encoder oder Endschalter müssen aktiviert sein.",
"(Alpha) If encoders or end-stops are enabled, home axis and determine maximum.": "(Alpha) Fährt die Endpunkte an und bestimmt die Länge. Encoder oder Endschalter müssen aktiviert sein.",
"(Alpha) Number of steps missed (determined by encoder) before motor is considered to have stalled.": "(Alpha) Grenzwert bei Abweichung zwischen Motor- und Encoderwert bei dem eine Blockade erkannt wird. ",
"(Alpha) Reduction to missed step total for every good step.": "(Alpha) Reduziert die Anzahl unerkannter Schritte bei jedem erkannten Schritt.",
"(Alpha) Reverse the direction of encoder position reading.": "(Alpha) Invertiert die Richtung des Encoders.",
"Axis Length (steps)": "Achsenlänge (Schritte)",
"Could not delete plant.": "Pflanze konnte nicht gelöscht werden.",
"Designer": "Designer",
"ELSE...": "SONST...",
"Email sent.": "Email gesendet.",
"Error saving device settings.": "Fehler beim Speichern der Geräte-Einstellungen.",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's abilily to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Das Zurücksetzen auf Werkseinstellung wird alle Daten auf dem Gerät zerstören bis auf die Möglichkeit sich mit dem Wlan und der WebApp zu Verbinden. Nach dem Zurücksetzen wird das Gerät in den Configurator-Modus übergehen. Das Zurücksetzen auf Werkseinstellung hat keinen Einfluss auf die Daten und Einstellungen der WebApp. Nach dem erneuten Verbinden mit der WebApp können die Daten auf dem Gerät wiederhergestellt werden.",
"Farm Events": "Farm-Events",
"HOME {{axis}}": "HOME {{axis}}",
"I agree to the terms of use": "Ich stimme den Nutzungsbedingungen zu",
"Import coordinates from": "Importiere Koordinaten von",
"Login failed.": "Login fehlgeschlagen.",
"No Regimen selected. Click one in the Regimens panel to edit, or click \"+\" in the Regimens panel to create a new one.": "Kein Regimen ausgewählt. Klicke auf eines im Regimens widget zum bearbeiten, oder clicke \"+\" um ein neues zu erstellen.",
"No Sequence selected. Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Keine Sequenz ausgewählt. Klicke auf eine Sequenz um sie zu bearbeiten, oder klicke \"+\" um eine neue Sequenz zu erstellen.",
"No beta releases available": "Kein beta release verfügbar.",
"SAVE": "SPEICHERN",
"Swap axis end-stops during calibration.": "Vertauscht die Endschalter der Achse während der Kalibrierung.",
"TEST": "TEST",
"Terms of Service": " Servicebedingungen",
"Test": "Test",
"This account did not have a timezone set. Farmbot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "Für dieses Konto wurde keine Zeitzone festgelegt. Farmbot benötigt eine Zeitzone für den Betrieb. Wir haben die Zeitzoneneinstellungen basierend auf deinem Browser aktualisiert. Bitte überprüfe diese Einstellungen im Geräteeinstellungen-Bedienfeld. Gerätesynchronisation wird empfohlen.",
"Unable to send email.": "E-Mail kann nicht gesendet werden.",
"View": "Anzeigen",
"WARNING! Deleting your account will permanently delete all of your Sequences , Regimens, Events, and Farm Designer data.Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNUNG! Wenn du dein Konto löschst, werden alle Sequenzen, Regimes, Events und Farm Designer-Daten endgültig gelöscht. Wenn du dein Konto löschst, wird FarmBot nicht mehr funktionieren und kann nicht mehr aufgerufen werden, bis es mit einem anderen Web-App-Konto verknüpft ist. Der Farmbot muss neu gestartet werden, damit er wieder in den Konfigurationsmodus für die Kopplung mit einem anderen Benutzerkonto wechselt. Wenn dies geschieht, werden alle Daten auf dem FarmBot mit den Daten des neuen Kontos überschrieben. Wenn das Konto neu ist, dann FarmBot wird ein unbeschriebenes Blatt. ",
"Warning: Farmbot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warnung: Farmbot konnte deine Zeitzone nicht erfassen. Wir haben deine Zeitzone auf UTC eingestellt, was für die meisten Benutzer nicht ideal ist. Bitte wähle die passende Zeitzone aus dem Dropdown-Menü. Gerätesynchronisation wird empfohlen.",
"X-Offset": "X-Offset",
"Y-Offset": "Y-Offset",
"You have been logged out.": "Du wurdest ausgeloggt.",
"Z-Offset": "Z-Offset",
"image": "Bild"
}
}

View File

@ -1,3 +0,0 @@
module.exports = {
// Nothing to do here...
}

View File

@ -0,0 +1,3 @@
{
"translated": {}
}

View File

@ -1,161 +0,0 @@
module.exports = {
"ACCELERATE FOR (steps)": "ACELERAR PARA (pasos)",
"Account Settings": "Ajustes de cuenta",
"Add": "Añadir",
"Add Farm Event": "Añadir Farm Event",
"Age": "Edad",
"Agree to Terms of Service": "Aceptar los Términos del Servicio",
"ALLOW NEGATIVES": "PERMITIR NEGATIVOS",
"BACK": "ATRÁS",
"Bot ready": "Bot listo",
"CALIBRATE {{axis}}": "CALIBRAR {{axis}}",
"CALIBRATION": "CALIBRACIÓN",
"calling FarmBot with credentials": "llamando a FarmBot con credenciales",
"Camera": "Camera",
"Choose a species": "Elige una especie",
"Confirm Password": "Confirmar Contraseña",
"Change Password": "Cambiar Contraseña",
"CONTROLLER": "CONTROLADOR",
"Copy": "Copiar",
"Could not download sync data": "No se pudieron descargar los datos de sincronización",
"Create Account": "Crear Cuenta",
"Create An Account": "Crear Una Cuenta",
"Crop Info": "Información del Cultivo",
"Data Label": "Etiqueta de Datos",
"days old": "days old",
"Delete": "Eliminar",
"DELETE ACCOUNT": "ELIMINAR CUENTA",
"Delete this plant": "Eliminar esta planta",
"Designer": "Diseñador",
"DEVICE": "DISPOSITIVO",
"downloading device credentials": "descargando credenciales del dispositivo",
"Drag and drop into map": "Arrastra y suelta dentro del mapa",
"DRAG STEP HERE": "DRAG STEP HERE",
"Edit": "Editar",
"EDIT": "EDITAR",
"Edit Farm Event": "Editar Farm Event",
"Email": "Email",
"ENABLE ENCODERS": "ACTIVAR CODIFICADORES",
"Enter Email": "Introducir Email",
"Error establishing socket connection": "Error estableciendo la conexión con el socket",
"Execute Script": "Ejecutar Script",
"EXECUTE SCRIPT": "EJECUTAR SCRIPT",
"Execute Sequence": "Ejecutar Secuencia",
"EXECUTE SEQUENCE": "EJECUTAR SECUECNIA",
"Factory Reset": "Restauración de fábrica",
"Farm Events": "Farm Events",
"FIRMWARE": "FIRMWARE",
"Forgot Password": "Olvidar contraseña",
"GO": "IR",
"I Agree to the Terms of Service": "Estoy de acuerdo con los Términos del Servicio",
"I agree to the terms of use": "Estoy de acuerdo con los términos de uso",
"If Statement": "If Statement",
"IF STATEMENT": "IF STATEMENT",
"Import coordinates from": "Importar coordenadas desde",
"initiating connection": "iniciando conexión",
"INVERT ENDPOINTS": "INVERT ENDPOINTS",
"INVERT MOTORS": "INVENTIR MOTORES",
"LENGTH (m)": "LONGITUD (m)",
"Location": "Localización",
"Login": "Login",
"Logout": "Logout",
"Message": "Mensage",
"Move Absolute": "Mover Absoluto",
"MOVE ABSOLUTE": "MOVER ABSOLUTO",
"MOVE AMOUNT (mm)": "MOVER CANTIDAD (mm)",
"Move Relative": "Mover Relativo",
"MOVE RELATIVE": "MOVER RELATIVO",
"NAME": "NOMBRE",
"NETWORK": "RED",
"never connected to device": "nunca se conectó al dispositivo",
"New Password": "Nueva Contraseña",
"no": "no",
"Not Connected to bot": "No Conectado al bot",
"Old Password": "Última Contraseña",
"Operator": "Operador",
"Package Name": "Nombre del Paquete",
"Parameters": "Parámetros",
"Password": "Contraseña",
"Pin {{num}}": "Pin {{num}}",
"Pin Mode": "Modo Pin",
"Pin Number": "Número Pin",
"Plant Info": "Información de la Planta",
"Plants": "Plantas",
"Problem Loading Terms of Service": "Problemas Cargando los Términos del Servicio",
"Read Pin": "Leer Pin",
"READ PIN": "LEER PIN",
"Regimen Name": "Regimen Name",
"Regimens": "Regimens",
"Repeats Every": "Repetir Cada",
"Request sent": "Enviar petición",
"Reset": "Reiniciar",
"RESET": "REINICIAR",
"Reset Password": "Reiniciar Password",
"Reset your password": "Reinicia tu contraseña",
"RESTART": "VOLVER A INICIAR",
"RESTART FARMBOT": "VOLVER A INICIAR FARMBOT",
"Save": "Guarda",
"SAVE": "GUARDAR",
"Send Message": "Enviar Mensaje",
"SEND MESSAGE": "ENVIAR MENSAJE",
"Send Password reset": "Enviar reinicio de Contraseña",
"Sequence": "Secuencia",
"Sequence Editor": "Editor de Secuencia",
"Sequence or Regimen": "Sequence or Regimen",
"Sequences": "Secuencias",
"Server Port": "Puerto del Servidor",
"Server URL": "URL del Servidor",
"SHUTDOWN": "APAGAR",
"SHUTDOWN FARMBOT": "APAGAR FARMBOT",
"SLOT": "SLOT",
"Socket Connection Established": "Conexión con el Socket Establecida",
"Speed": "Velocidad",
"Started": "Iniciado",
"Starts": "Inicios",
"STATUS": "ESTADO",
"Steps per MM": "Passos para MM",
"Sync Required": "Sincronización Requerida",
"Take a Photo": "Tomar una Foto",
"Take Photo": "Tomar Foto",
"TAKE PHOTO": "TOMAR FOTO",
"TEST": "PRUEBA",
"Time": "Tiempo",
"Time in milliseconds": "Tiempo en milisegundos",
"TIMEOUT AFTER (seconds)": "TIMEOUT DESPUES DE (segundos)",
"TOOL": "HERRAMIENTAS",
"TOOL NAME": "NOMBRE DE LA HERRAMIENTA",
"TOOLBAY NAME": "TOOLBAY NAME",
"Tried to delete Farm Event": "Se intentó eliminar el Farm Event",
"Tried to delete plant": "Se intentó eliminar la planta",
"Tried to save Farm Event": "Se intentó guardar el Farm Event",
"Tried to save plant": "Se intentó guardar la planta",
"Tried to update Farm Event": "Se intentó actualizar Farm Event",
"Unable to delete sequence": "No se pudo eliminar la secuencia",
"Unable to download device credentials": "No se pudieron descargar las credenciales del dispositivo",
"Until": "HASTA",
"UP TO DATE": "ACTUALIZADO",
"UPDATE": "ACTUALIZAR",
"Value": "Valor",
"Variable": "Variable",
"Verify Password": "Verificar Contraseña",
"Version": "Version",
"Wait": "Esperar",
"WAIT": "ESPERAR",
"Weed Detector": "Detector de Hierba",
"Week": "Semana",
"Write Pin": "Escribir Pin",
"WRITE PIN": "ESCRIBIR PIN",
"X": "X",
"X (mm)": "X (mm)",
"X AXIS": "EJE X",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y AXIS": "EJE Y",
"yes": "yes",
"Your Name": "Tu nombre",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z AXIS": "EJE Z",
"Day {{day}}": "Día {{day}}",
"Enter Password": "Introducir Contraseña"
}

View File

@ -0,0 +1,930 @@
{
"translated": {
"Account Settings": "Ajustes de cuenta",
"Add Farm Event": "Añadir Farm Event",
"Age": "Edad",
"Agree to Terms of Service": "Aceptar los Términos del Servicio",
"BACK": "ATRÁS",
"CALIBRATE {{axis}}": "CALIBRAR {{axis}}",
"CALIBRATION": "CALIBRACIÓN",
"Change Password": "Cambiar Contraseña",
"Copy": "Copiar",
"Create Account": "Crear Cuenta",
"Create An Account": "Crear Una Cuenta",
"Data Label": "Etiqueta de Datos",
"Day {{day}}": "Día {{day}}",
"Delete": "Eliminar",
"Delete this plant": "Eliminar esta planta",
"Drag and drop into map": "Arrastra y suelta dentro del mapa",
"EXECUTE SEQUENCE": "EJECUTAR SECUECNIA",
"Edit": "Editar",
"Edit Farm Event": "Editar Farm Event",
"Enter Email": "Introducir Email",
"Enter Password": "Introducir Contraseña",
"Execute Sequence": "Ejecutar Secuencia",
"Factory Reset": "Restauración de fábrica",
"GO": "IR",
"I Agree to the Terms of Service": "Estoy de acuerdo con los Términos del Servicio",
"Location": "Localización",
"MOVE ABSOLUTE": "MOVER ABSOLUTO",
"MOVE AMOUNT (mm)": "MOVER CANTIDAD (mm)",
"MOVE RELATIVE": "MOVER RELATIVO",
"Message": "Mensage",
"Move Absolute": "Mover Absoluto",
"Move Relative": "Mover Relativo",
"NAME": "NOMBRE",
"New Password": "Nueva Contraseña",
"Old Password": "Última Contraseña",
"Operator": "Operador",
"Package Name": "Nombre del Paquete",
"Parameters": "Parámetros",
"Password": "Contraseña",
"Pin Mode": "Modo Pin",
"Pin Number": "Número Pin",
"Plant Info": "Información de la Planta",
"Plants": "Plantas",
"Problem Loading Terms of Service": "Problemas Cargando los Términos del Servicio",
"READ PIN": "LEER PIN",
"RESET": "REINICIAR",
"RESTART": "VOLVER A INICIAR",
"RESTART FARMBOT": "VOLVER A INICIAR FARMBOT",
"Read Pin": "Leer Pin",
"Request sent": "Enviar petición",
"Reset": "Reiniciar",
"Reset Password": "Reiniciar Password",
"Reset your password": "Reinicia tu contraseña",
"SEND MESSAGE": "ENVIAR MENSAJE",
"SHUTDOWN": "APAGAR",
"SHUTDOWN FARMBOT": "APAGAR FARMBOT",
"Save": "Guarda",
"Send Message": "Enviar Mensaje",
"Sequence": "Secuencia",
"Sequence Editor": "Editor de Secuencia",
"Sequences": "Secuencias",
"Started": "Iniciado",
"Starts": "Inicios",
"Steps per MM": "Passos para MM",
"TAKE PHOTO": "TOMAR FOTO",
"Take Photo": "Tomar Foto",
"Take a Photo": "Tomar una Foto",
"Time": "Tiempo",
"Time in milliseconds": "Tiempo en milisegundos",
"UP TO DATE": "ACTUALIZADO",
"UPDATE": "ACTUALIZAR",
"Until": "HASTA",
"Value": "Valor",
"WAIT": "ESPERAR",
"WRITE PIN": "ESCRIBIR PIN",
"Wait": "Esperar",
"Weed Detector": "Detector de Hierba",
"Week": "Semana",
"Write Pin": "Escribir Pin",
"X AXIS": "EJE X",
"Y AXIS": "EJE Y",
"Your Name": "Tu nombre",
"Z AXIS": "EJE Z"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"days old": "days old",
"Debug": "Debug",
"delete": "delete",
"Delete Account": "Delete Account",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email": "Email",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If Statement": "If Statement",
"IF STATEMENT": "IF STATEMENT",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading": "Loading",
"Loading...": "Loading...",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"Login": "Login",
"Logout": "Logout",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Name": "Name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"no": "no",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No logs yet.": "No logs yet.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimen Name": "Regimen Name",
"Regimens": "Regimens",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select a sequence from the dropdown first.": "Select a sequence from the dropdown first.",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Sequence or Regimen": "Sequence or Regimen",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Variable": "Variable",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"Version": "Version",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"yes": "yes",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"ACCELERATE FOR (steps)": "ACELERAR PARA (pasos)",
"ALLOW NEGATIVES": "PERMITIR NEGATIVOS",
"Add": "Añadir",
"Bot ready": "Bot listo",
"CONTROLLER": "CONTROLADOR",
"Camera": "Camera",
"Choose a species": "Elige una especie",
"Confirm Password": "Confirmar Contraseña",
"Could not download sync data": "No se pudieron descargar los datos de sincronización",
"Crop Info": "Información del Cultivo",
"DELETE ACCOUNT": "ELIMINAR CUENTA",
"DEVICE": "DISPOSITIVO",
"DRAG STEP HERE": "DRAG STEP HERE",
"Designer": "Diseñador",
"EDIT": "EDITAR",
"ENABLE ENCODERS": "ACTIVAR CODIFICADORES",
"EXECUTE SCRIPT": "EJECUTAR SCRIPT",
"Error establishing socket connection": "Error estableciendo la conexión con el socket",
"Execute Script": "Ejecutar Script",
"Farm Events": "Farm Events",
"Forgot Password": "Olvidar contraseña",
"I agree to the terms of use": "Estoy de acuerdo con los términos de uso",
"INVERT ENDPOINTS": "INVERT ENDPOINTS",
"INVERT MOTORS": "INVENTIR MOTORES",
"Import coordinates from": "Importar coordenadas desde",
"LENGTH (m)": "LONGITUD (m)",
"NETWORK": "RED",
"Not Connected to bot": "No Conectado al bot",
"Pin {{num}}": "Pin {{num}}",
"Repeats Every": "Repetir Cada",
"SAVE": "GUARDAR",
"SLOT": "SLOT",
"STATUS": "ESTADO",
"Send Password reset": "Enviar reinicio de Contraseña",
"Server Port": "Puerto del Servidor",
"Server URL": "URL del Servidor",
"Socket Connection Established": "Conexión con el Socket Establecida",
"Speed": "Velocidad",
"Sync Required": "Sincronización Requerida",
"TEST": "PRUEBA",
"TIMEOUT AFTER (seconds)": "TIMEOUT DESPUES DE (segundos)",
"TOOL": "HERRAMIENTAS",
"TOOL NAME": "NOMBRE DE LA HERRAMIENTA",
"TOOLBAY NAME": "TOOLBAY NAME",
"Tried to delete Farm Event": "Se intentó eliminar el Farm Event",
"Tried to delete plant": "Se intentó eliminar la planta",
"Tried to save Farm Event": "Se intentó guardar el Farm Event",
"Tried to save plant": "Se intentó guardar la planta",
"Tried to update Farm Event": "Se intentó actualizar Farm Event",
"Unable to delete sequence": "No se pudo eliminar la secuencia",
"Unable to download device credentials": "No se pudieron descargar las credenciales del dispositivo",
"Verify Password": "Verificar Contraseña",
"calling FarmBot with credentials": "llamando a FarmBot con credenciales",
"downloading device credentials": "descargando credenciales del dispositivo",
"initiating connection": "iniciando conexión",
"never connected to device": "nunca se conectó al dispositivo"
}
}

View File

@ -1,199 +0,0 @@
module.exports = {
"Add Farm Event": "Ajouter un évènement sur la ferme",
"Age": "Age",
"Agree to Terms of Service": "Accepter les condition d'utilisation",
"CALIBRATE {{axis}}": "CALIBRER {{axis}}",
"Choose a species": "Choisir une espèce",
"Confirm Password": "Confirmer le mot de passe",
"Crop Info": "Information sur la culture",
"days old": "jours",
"Delete this plant": "Supprimer cette plante",
"Drag and drop into map": "Glisser/déposer sur la carte",
"Edit Farm Event": "Editer l'évenement sur la ferme",
"Enter Email": "Entrez votre e-mail",
"Execute Script": "Exectuter le script",
"EXECUTE SCRIPT": "EXECUTER LE SCRIPT",
"Execute Sequence": "Executer la séquence",
"EXECUTE SEQUENCE": "EXECUTER LA SEQUENCE",
"Factory Reset": "Retour aux paramètres d'usine",
"Farm Events": "Evènements sur la ferme",
"Forgot Password": "Mot de passe oublié",
"GO": "GO",
"I Agree to the Terms of Service": "J'accepte les Conditions du Service",
"I agree to the terms of use": "J'accepte les Conditions d'utilisation",
"If Statement": "Condition Si",
"Import coordinates from": "Importer les coordonées depuis",
"Location": "Location",
"Move Absolute": "Deplacer en valeur Absolue",
"Move Relative": "Deplacer en valeur Relative",
"NAME": "NOM",
"Operator": "Operateur",
"Package Name": "Nom du paquet",
"Plant Info": "Information sur la plante",
"Problem Loading Terms of Service": "Problème avec le chargement des Conditions du Service",
"Read Pin": "Lire le code PIN",
"Regimens": "Régime",
"Reset": "Réinitialiser",
"RESET": "REINITIALISER",
"Reset Password": "Réinitiliser le mot de passe",
"Reset your password": "Réinitiliser votre mot de passe",
"Send Message": "Envoyer un message",
"Send Password reset": "Envoyer la réinitialisation du mot de passe",
"SLOT": "FENTE",
"Started": "Démarré",
"STATUS": "STATUT",
"Steps per MM": "Pas par MM",
"Take a Photo": "Prendre une Photo",
"Take Photo": "Prendre une Photo",
"TAKE PHOTO": "PRENDRE UNE PHOTO",
"TEST": "TEST",
"TOOL": "OUTIL",
"TOOL NAME": "NOM DE L'OUTIL",
"TOOLBAY NAME": "NOM GROUPE OUTIL",
"Tried to delete Farm Event": "A tenté de supprimer l'évènement sur la ferme",
"Tried to save Farm Event": "A tenté de sauvegarder l'évènement sur la ferme",
"Tried to update Farm Event": "A tenté de mettre à jour l'évènement sur la ferme",
"UP TO DATE": "A JOUR",
"UPDATE": "MISE A JOUR",
"Variable": "Variable",
"Wait": "Attendre",
"Weed Detector": "Detecteur de mauvaise herbe",
"Write Pin": "Ecrire le code PIN",
"X": "X",
"Y": "Y",
"Z": "Z",
"ACCELERATE FOR (steps)": "Accélérer pour (étape)",
"ALLOW NEGATIVES": "AUTORISER NEGATIFS",
"Account Settings": "Options du compte",
"Add": "Ajouter",
"BACK": "Retour",
"Bot ready": "Robot près",
"CALIBRATION": "CALIBRAGE",
"CONTROLLER": "CONTROLLER",
"Camera": "Caméra",
"Copy": "Copier",
"Could not download sync data": "Echec de la synchronisation des données",
"Create Account": "Créer compte",
"Create An Account": "Créer un compte",
"DELETE ACCOUNT": "SUPPRIMER LE COMPTE",
"DEVICE": "APPAREIL",
"DRAG STEP HERE": "DEPLACER L'ETAPE ICI",
"Data Label": "Nom des données",
"Day {{day}}": "Jour {{day}}",
"Delete": "Supprimer",
"Designer": "Designer",
"EDIT": "MODIFIER",
"ENABLE ENCODERS": "Activer l'encodeur",
"Edit": "Modifier",
"Email": "Email",
"Enter Password": "Entrer le mot de passe",
"Error establishing socket connection": "Erreur durant l'établissement de la connexion",
"FIRMWARE": "LOGICIEL",
"IF STATEMENT": "SI DECLARATION",
"INVERT ENDPOINTS": "INVERSER LES EMBOUTS",
"INVERT MOTORS": "INVERSER LES MOTEURS",
"LENGTH (m)": "LONGUEUR (m)",
"Login": "Identifiant",
"Logout": "Déconnexion",
"MOVE ABSOLUTE": "DEPLACEMENT ABSOLUS",
"MOVE AMOUNT (mm)": "LONGUEUR DU DEPLACEMENT (mm)",
"MOVE RELATIVE": "DEPLACEMENT RELATIF",
"Message": "Message",
"NETWORK": "RESEAU",
"New Password": "Nouveau mot de passe",
"Not Connected to bot": "Pas connecté au robot",
"Old Password": "Ancien mot de passe",
"Parameters": "Paramètres",
"Password": "Mot de passe",
"Pin Mode": "Mode Pin",
"Pin Number": "Numéro de Pin",
"Pin {{num}}": "Pin {{num}}",
"Plants": "Plantes",
"READ PIN": "LIRE LE PIN",
"RESTART": "REDEMARRER",
"RESTART FARMBOT": "REDEMARRER FARMBOT",
"Regimen Name": "Nom du régime",
"Repeats Every": "Répéter",
"Request sent": "Demande envoyée",
"SAVE": "SAUVEGARDER",
"SEND MESSAGE": "ENVOYER UN MESSAGE",
"SHUTDOWN": "ETEINDRE",
"SHUTDOWN FARMBOT": "ETEINDRE FARMBOT",
"Save": "Sauvegarder",
"Sequence": "Séquence",
"Sequence Editor": "Editeur de Séquence",
"Sequence or Regimen": "Séquence ou Régime",
"Sequences": "Séquences",
"Server Port": "Port du serveur",
"Server URL": "URL du serveur",
"Socket Connection Established": "La connexion est établie",
"Speed": "Vitesse",
"Starts": "Démarrer",
"Sync Required": "Sync Neécessaire",
"TIMEOUT AFTER (seconds)": "TIMEOUT APRES (secondes)",
"Time": "Temps",
"Time in milliseconds": "Temps en millisecondes",
"Tried to delete plant": "Suppression de la plante en cours",
"Tried to save plant": "Sauvetage de la plante en cours",
"Unable to delete sequence": "Impossible de supprimer la séquence",
"Unable to download device credentials": "Impossible de télécharger les certificats",
"Until": "Jusqu'à",
"Value": "Valeur",
"Verify Password": "Vérifier le mot de paasse",
"Version": "Version",
"WAIT": "ATTENDEZ",
"WRITE PIN": "ECRIRE LE CODE PIN",
"Week": "Semaine",
"X (mm)": "X (mm)",
"X AXIS": "AXE X",
"Y (mm)": "Y (mm)",
"Y AXIS": "AXE Y",
"Your Name": "Votre Nom",
"Z (mm)": "Z (mm)",
"Z AXIS": "AXE Z",
"calling FarmBot with credentials": "contact de FarmBot avec vos certificats",
"downloading device credentials": "téléchargement des certificats de l'appareil",
"initiating connection": "lancement de la connexion",
"never connected to device": "jamais connecté à l'appareil",
"no": "non",
"yes": "oui",
"13 Plants": "13 Plantes",
"142 Plants": "142 Plantes",
"18 Plants": "18 Plantes",
"22 Plants": "22 Plantes",
"459 Plants": "459 Plantes",
"68 Plants": "68 Plantes",
"Add Group": "Ajouter un groupe",
"Add Zone": "Ajouter une zone",
"Add parent groups": "Ajouter des groupes parent",
"CALIBRATE {{target}}": "CALIBRER {{target}}",
"COORDINATES": "COORDONEES",
"Calendar": "Calendrier",
"Change Password": "Changer le mot de passe",
"Clear Logs": "Vider les Logs",
"Delete Account": "Supprimer le compte",
"EXECUTE": "EXECUTER",
"FARMBOT NAME": "NOM DU FARMBOT",
"Farmbot encountered an error": "Farmbot a rencontré une erreur",
"Groups": "Groupes",
"LHS": "LHS",
"Loading": "Chargement",
"Logs": "Logs",
"MESSAGE": "MESSAGE",
"My Groups": "Mes Groupes",
"Name": "Nom",
"OPERATOR": "OPERATEUR",
"OS Auto Updates": "Mise à jour automatique du SE",
"Plants in this group": "Plantes dans ce groupe",
"RHS": "RHS",
"Reset password": "Réinitialiser le mot de passe",
"STEPS PER MM": "ETAPE PAR MM",
"Select from map to add": "Choisir parmi la carte à ajouter",
"Size": "Taille",
"Start": "Démarrer",
"Stop": "Arrêt",
"Sub Sequence": "Sous Séquence",
"TIME": "TEMPS",
"Test": "Test",
"Zones": "Zones"
}

View File

@ -0,0 +1,964 @@
{
"translated": {
"Account Settings": "Options du compte",
"Add Farm Event": "Ajouter un évènement sur la ferme",
"Agree to Terms of Service": "Accepter les condition d'utilisation",
"BACK": "Retour",
"CALIBRATE {{axis}}": "CALIBRER {{axis}}",
"CALIBRATION": "CALIBRAGE",
"Change Password": "Changer le mot de passe",
"Copy": "Copier",
"Create Account": "Créer compte",
"Create An Account": "Créer un compte",
"Data Label": "Nom des données",
"Day {{day}}": "Jour {{day}}",
"Delete": "Supprimer",
"Delete Account": "Supprimer le compte",
"Delete this plant": "Supprimer cette plante",
"Drag and drop into map": "Glisser/déposer sur la carte",
"EXECUTE SEQUENCE": "EXECUTER LA SEQUENCE",
"Edit": "Modifier",
"Edit Farm Event": "Editer l'évenement sur la ferme",
"Enter Email": "Entrez votre e-mail",
"Enter Password": "Entrer le mot de passe",
"Execute Sequence": "Executer la séquence",
"FIRMWARE": "LOGICIEL",
"Factory Reset": "Retour aux paramètres d'usine",
"I Agree to the Terms of Service": "J'accepte les Conditions du Service",
"IF STATEMENT": "SI DECLARATION",
"If Statement": "Condition Si",
"Loading": "Chargement",
"Login": "Identifiant",
"Logout": "Déconnexion",
"MOVE ABSOLUTE": "DEPLACEMENT ABSOLUS",
"MOVE AMOUNT (mm)": "LONGUEUR DU DEPLACEMENT (mm)",
"MOVE RELATIVE": "DEPLACEMENT RELATIF",
"Move Absolute": "Deplacer en valeur Absolue",
"Move Relative": "Deplacer en valeur Relative",
"NAME": "NOM",
"Name": "Nom",
"New Password": "Nouveau mot de passe",
"Old Password": "Ancien mot de passe",
"Operator": "Operateur",
"Package Name": "Nom du paquet",
"Parameters": "Paramètres",
"Password": "Mot de passe",
"Pin Mode": "Mode Pin",
"Pin Number": "Numéro de Pin",
"Plant Info": "Information sur la plante",
"Plants": "Plantes",
"Problem Loading Terms of Service": "Problème avec le chargement des Conditions du Service",
"READ PIN": "LIRE LE PIN",
"RESET": "REINITIALISER",
"RESTART": "REDEMARRER",
"RESTART FARMBOT": "REDEMARRER FARMBOT",
"Read Pin": "Lire le code PIN",
"Regimen Name": "Nom du régime",
"Regimens": "Régime",
"Request sent": "Demande envoyée",
"Reset": "Réinitialiser",
"Reset Password": "Réinitiliser le mot de passe",
"Reset your password": "Réinitiliser votre mot de passe",
"SEND MESSAGE": "ENVOYER UN MESSAGE",
"SHUTDOWN": "ETEINDRE",
"SHUTDOWN FARMBOT": "ETEINDRE FARMBOT",
"Save": "Sauvegarder",
"Send Message": "Envoyer un message",
"Sequence": "Séquence",
"Sequence Editor": "Editeur de Séquence",
"Sequence or Regimen": "Séquence ou Régime",
"Sequences": "Séquences",
"Started": "Démarré",
"Starts": "Démarrer",
"Steps per MM": "Pas par MM",
"TAKE PHOTO": "PRENDRE UNE PHOTO",
"Take Photo": "Prendre une Photo",
"Take a Photo": "Prendre une Photo",
"Time": "Temps",
"Time in milliseconds": "Temps en millisecondes",
"UP TO DATE": "A JOUR",
"UPDATE": "MISE A JOUR",
"Until": "Jusqu'à",
"Value": "Valeur",
"WAIT": "ATTENDEZ",
"WRITE PIN": "ECRIRE LE CODE PIN",
"Wait": "Attendre",
"Weed Detector": "Detecteur de mauvaise herbe",
"Week": "Semaine",
"Write Pin": "Ecrire le code PIN",
"X AXIS": "AXE X",
"Y AXIS": "AXE Y",
"Your Name": "Votre Nom",
"Z AXIS": "AXE Z",
"days old": "jours",
"no": "non",
"yes": "oui"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"Age": "Age",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"Debug": "Debug",
"delete": "delete",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email": "Email",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"GO": "GO",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading...": "Loading...",
"Location": "Location",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message": "Message",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No logs yet.": "No logs yet.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select a sequence from the dropdown first.": "Select a sequence from the dropdown first.",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Variable": "Variable",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"Version": "Version",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"13 Plants": "13 Plantes",
"142 Plants": "142 Plantes",
"18 Plants": "18 Plantes",
"22 Plants": "22 Plantes",
"459 Plants": "459 Plantes",
"68 Plants": "68 Plantes",
"ACCELERATE FOR (steps)": "Accélérer pour (étape)",
"ALLOW NEGATIVES": "AUTORISER NEGATIFS",
"Add": "Ajouter",
"Add Group": "Ajouter un groupe",
"Add Zone": "Ajouter une zone",
"Add parent groups": "Ajouter des groupes parent",
"Bot ready": "Robot près",
"CALIBRATE {{target}}": "CALIBRER {{target}}",
"CONTROLLER": "CONTROLLER",
"COORDINATES": "COORDONEES",
"Calendar": "Calendrier",
"Camera": "Caméra",
"Choose a species": "Choisir une espèce",
"Clear Logs": "Vider les Logs",
"Confirm Password": "Confirmer le mot de passe",
"Could not download sync data": "Echec de la synchronisation des données",
"Crop Info": "Information sur la culture",
"DELETE ACCOUNT": "SUPPRIMER LE COMPTE",
"DEVICE": "APPAREIL",
"DRAG STEP HERE": "DEPLACER L'ETAPE ICI",
"Designer": "Designer",
"EDIT": "MODIFIER",
"ENABLE ENCODERS": "Activer l'encodeur",
"EXECUTE": "EXECUTER",
"EXECUTE SCRIPT": "EXECUTER LE SCRIPT",
"Error establishing socket connection": "Erreur durant l'établissement de la connexion",
"Execute Script": "Exectuter le script",
"FARMBOT NAME": "NOM DU FARMBOT",
"Farm Events": "Evènements sur la ferme",
"Farmbot encountered an error": "Farmbot a rencontré une erreur",
"Forgot Password": "Mot de passe oublié",
"Groups": "Groupes",
"I agree to the terms of use": "J'accepte les Conditions d'utilisation",
"INVERT ENDPOINTS": "INVERSER LES EMBOUTS",
"INVERT MOTORS": "INVERSER LES MOTEURS",
"Import coordinates from": "Importer les coordonées depuis",
"LENGTH (m)": "LONGUEUR (m)",
"LHS": "LHS",
"MESSAGE": "MESSAGE",
"My Groups": "Mes Groupes",
"NETWORK": "RESEAU",
"Not Connected to bot": "Pas connecté au robot",
"OPERATOR": "OPERATEUR",
"OS Auto Updates": "Mise à jour automatique du SE",
"Pin {{num}}": "Pin {{num}}",
"Plants in this group": "Plantes dans ce groupe",
"RHS": "RHS",
"Repeats Every": "Répéter",
"Reset password": "Réinitialiser le mot de passe",
"SAVE": "SAUVEGARDER",
"SLOT": "FENTE",
"STATUS": "STATUT",
"STEPS PER MM": "ETAPE PAR MM",
"Select from map to add": "Choisir parmi la carte à ajouter",
"Send Password reset": "Envoyer la réinitialisation du mot de passe",
"Server Port": "Port du serveur",
"Server URL": "URL du serveur",
"Size": "Taille",
"Socket Connection Established": "La connexion est établie",
"Speed": "Vitesse",
"Start": "Démarrer",
"Stop": "Arrêt",
"Sub Sequence": "Sous Séquence",
"Sync Required": "Sync Neécessaire",
"TEST": "TEST",
"TIME": "TEMPS",
"TIMEOUT AFTER (seconds)": "TIMEOUT APRES (secondes)",
"TOOL": "OUTIL",
"TOOL NAME": "NOM DE L'OUTIL",
"TOOLBAY NAME": "NOM GROUPE OUTIL",
"Test": "Test",
"Tried to delete Farm Event": "A tenté de supprimer l'évènement sur la ferme",
"Tried to delete plant": "Suppression de la plante en cours",
"Tried to save Farm Event": "A tenté de sauvegarder l'évènement sur la ferme",
"Tried to save plant": "Sauvetage de la plante en cours",
"Tried to update Farm Event": "A tenté de mettre à jour l'évènement sur la ferme",
"Unable to delete sequence": "Impossible de supprimer la séquence",
"Unable to download device credentials": "Impossible de télécharger les certificats",
"Verify Password": "Vérifier le mot de paasse",
"Zones": "Zones",
"calling FarmBot with credentials": "contact de FarmBot avec vos certificats",
"downloading device credentials": "téléchargement des certificats de l'appareil",
"initiating connection": "lancement de la connexion",
"never connected to device": "jamais connecté à l'appareil"
}
}

View File

@ -1,199 +0,0 @@
module.exports = {
"Add Farm Event": "Aggiungi Evento agricolo",
"Age": "Età",
"Agree to Terms of Service": "Accetto i Termini di servizio",
"CALIBRATE {{axis}}": "CALIBRA {{axis}}",
"Choose a species": "Scegliere una specie",
"Confirm Password": "Confermare la password",
"Crop Info": "Info coltivazione",
"days old": "giorni",
"Delete this plant": "Eliminare la pianta",
"Drag and drop into map": "Clicca e trascina sulla mappa",
"Edit Farm Event": "Modifica Evento agricolo",
"Enter Email": "Inserisci indirizzo email",
"Execute Script": "Esegui script",
"EXECUTE SCRIPT": "ESEGUI SCRIPT",
"Execute Sequence": "Esegui sequenza",
"EXECUTE SEQUENCE": "ESEGUI SEQUENZA",
"Factory Reset": "Ripristino impostazioni di fabbrica",
"Farm Events": "Eventi agricoli",
"Forgot Password": "Password dimenticata",
"GO": "PROCEDI",
"I Agree to the Terms of Service": "Ho compreso ed accetto i Termini di servizio",
"I agree to the terms of use": "Ho compreso ed accetto le Condizioni d'uso",
"If Statement": "Comando if",
"Import coordinates from": "Importa coordinate da",
"Location": "Posizione",
"Move Absolute": "Fai Movimento assoluto",
"Move Relative": "Fai Movimento relativo",
"NAME": "NOME",
"Operator": "Operatore",
"Package Name": "Nome pacchetto",
"Plant Info": "Informazioni pianta",
"Problem Loading Terms of Service": "Si è verificato un problema durante il caricamente dei Termini di Servizio",
"Read Pin": "Leggi Pin",
"Regimens": "Regimi",
"Reset": "Reset",
"RESET": "RESET",
"Reset Password": "Recupero password",
"Reset your password": "Recupera la tua password",
"Send Message": "Inviare messaggio",
"Send Password reset": "Invia richiesta di Recupero password",
"SLOT": "SLOT",
"Started": "Avviato",
"STATUS": "STATUS",
"Steps per MM": "Passi per MM",
"Take a Photo": "Scatta una foto",
"Take Photo": "Scatta foto",
"TAKE PHOTO": "SCATTA FOTO",
"TEST": "TEST",
"TOOL": "STRUMENTO",
"TOOL NAME": "NOME STRUMENTO",
"TOOLBAY NAME": "NOME SCOMPARTO STRUMENTI",
"Tried to delete Farm Event": "Eseguito tentativo di eliminare Evento agricolo",
"Tried to save Farm Event": "Eseguito tentativo di salvare Evento agricolo",
"Tried to update Farm Event": "Eseguito tentativo di aggiornare Evento agricolo",
"UP TO DATE": "AGGIORNATO",
"UPDATE": "AGGIORNARE",
"Variable": "Variabile",
"Wait": "Attendere",
"Weed Detector": "Rilevatore infestanti",
"Write Pin": "Inserire Pin",
"X": "X",
"Y": "Y",
"Z": "Z",
"ACCELERATE FOR (steps)": "ACCELERA PER (steps)",
"ALLOW NEGATIVES": "PERMETTI VALORI NEGATIVI",
"Account Settings": "Impostazioni Account",
"Add": "Aggiungi",
"BACK": "INDIETRO",
"Bot ready": "Bot pronto",
"CALIBRATION": "CALIBRAZIONE",
"CONTROLLER": "CONTROLLER",
"Camera": "Fotocamera",
"Copy": "Copia",
"Could not download sync data": "Impossibile scaricare dati di sincronizzazione",
"Create Account": "Crea account",
"Create An Account": "Creare nuovo account",
"DELETE ACCOUNT": "ELIMINA ACCOUNT",
"DEVICE": "DISPOSITIVO",
"DRAG STEP HERE": "TRASCINARE QUI I COMANDI",
"Data Label": "Etichetta dati",
"Day {{day}}": "Giorno {{day}}",
"Delete": "Elimina",
"Designer": "Designer",
"EDIT": "MODIFICA",
"ENABLE ENCODERS": "ATTIVA ENCODER",
"Edit": "Modifica",
"Email": "Indirizzo email",
"Enter Password": "Inserisci password",
"Error establishing socket connection": "Errore durante la connessione dei socket",
"FIRMWARE": "FIRMWARE",
"IF STATEMENT": "COMANDO SE ",
"INVERT ENDPOINTS": "INVERTI FINECORSA",
"INVERT MOTORS": "INVERTI MOTORI",
"LENGTH (m)": "LUNGHEZZA (m)",
"Login": "Accedi",
"Logout": "Esci",
"MOVE ABSOLUTE": "FAI MOVIMENTO ASSOLUTO",
"MOVE AMOUNT (mm)": "QUANTITÁ MOVIMENTO (mm)",
"MOVE RELATIVE": "FAI MOVIMENTO RELATIVO",
"Message": "Messaggio",
"NETWORK": "RETE",
"New Password": "Nuova password",
"Not Connected to bot": "Non connesso al robot",
"Old Password": "Vecchia password",
"Parameters": "Parametri",
"Password": "Password",
"Pin Mode": "Modalità PIN",
"Pin Number": "Numero PIN",
"Pin {{num}}": "PIN {{num}}",
"Plants": "Piante",
"READ PIN": "LEGGI PIN",
"RESTART": "RIAVVIO",
"RESTART FARMBOT": "RIAVVIO FARMBOT",
"Regimen Name": "Nome regime",
"Repeats Every": "Ripeti ogni",
"Request sent": "Richiesta inviata",
"SAVE": "SALVA",
"SEND MESSAGE": "INVIA MESSAGGIO",
"SHUTDOWN": "ARRESTO",
"SHUTDOWN FARMBOT": "SPEGNI FARMBOT",
"Save": "Salva",
"Sequence": "Sequenza",
"Sequence Editor": "Editor di Sequenze",
"Sequence or Regimen": "Sequenza o Regime",
"Sequences": "Sequenze",
"Server Port": "Porta del server",
"Server URL": "URL del server",
"Socket Connection Established": "Connessione stabilita con socket",
"Speed": "Velocità",
"Starts": "Avvia",
"Sync Required": "Sincronizzazione richiesta",
"TIMEOUT AFTER (seconds)": "TIMEOUT DOPO (secondi)",
"Time": "Durata",
"Time in milliseconds": "Durata in millisecondi",
"Tried to delete plant": "Eseguito Tentativo di eliminare pianta",
"Tried to save plant": "Eseguito tentativo di salvare pianta",
"Unable to delete sequence": "Impossibile eliminare la sequenza",
"Unable to download device credentials": "Impossibile scaricare credenziali del dispositivo",
"Until": "Fino al",
"Value": "Valore",
"Verify Password": "Confermare la password",
"Version": "Versione",
"WAIT": "ATTENDI",
"WRITE PIN": "SCRIVI PIN",
"Week": "Settimana",
"X (mm)": "X (mm)",
"X AXIS": "ASSE X",
"Y (mm)": "Y (mm)",
"Y AXIS": "ASSE Y",
"Your Name": "Il tuo nome",
"Z (mm)": "Z (mm)",
"Z AXIS": "ASSE Z",
"calling FarmBot with credentials": "autenticazione su FarmBot con credenziali",
"downloading device credentials": "scaricamento in corso credenziali del dispositivo",
"initiating connection": "inizializzazione connessione in corso",
"never connected to device": "mai connesso al dispositivo",
"no": "no",
"yes": "sì",
"13 Plants": "13 piante",
"142 Plants": "142 piante",
"18 Plants": "18 piante",
"22 Plants": "22 piante",
"459 Plants": "459 piante",
"68 Plants": "68 piante",
"Add Group": "Aggiungere gruppo",
"Add Zone": "Aggiungere zona",
"Add parent groups": "Aggiungere gruppi genitori",
"CALIBRATE {{target}}": "CALIBRARE {{target}}",
"COORDINATES": "COORDINATE",
"Calendar": "Calendario",
"Change Password": "Modificare password",
"Logs": "Leggere i log",
"Delete Account": "Cancellare account",
"EXECUTE": "ESEGUI",
"FARMBOT NAME": "NOME PROPRIO DEL FARMBOT",
"Farmbot encountered an error": "Si è verificato un errore su Farmbot",
"Groups": "Gruppi",
"LHS": "LHS",
"Loading": "Caricamento in corso",
"Logs": "Log",
"MESSAGE": "MESSAGGIO",
"My Groups": "Gruppi personalizzati",
"Name": "Nome",
"OPERATOR": "OPERATORE",
"OS Auto Updates": "Aggiornare automaticamente SO",
"Plants in this group": "Piante in questo gruppo",
"RHS": "RHS",
"Reset password": "Resettare la password",
"STEPS PER MM": "PASSI PER MM",
"Select from map to add": "Per aggiungere selezionare dalla mappa",
"Size": "Dimensione",
"Start": "Avviare",
"Stop": "Arrestare",
"Sub Sequence": "Sottosequenza",
"TIME": "DURATA",
"Test": "Test",
"Zones": "Zone"
}

View File

@ -0,0 +1,963 @@
{
"translated": {
"Account Settings": "Impostazioni Account",
"Add Farm Event": "Aggiungi Evento agricolo",
"Age": "Età",
"Agree to Terms of Service": "Accetto i Termini di servizio",
"BACK": "INDIETRO",
"CALIBRATE {{axis}}": "CALIBRA {{axis}}",
"CALIBRATION": "CALIBRAZIONE",
"Change Password": "Modificare password",
"Copy": "Copia",
"Create Account": "Crea account",
"Create An Account": "Creare nuovo account",
"Data Label": "Etichetta dati",
"Day {{day}}": "Giorno {{day}}",
"Delete": "Elimina",
"Delete Account": "Cancellare account",
"Delete this plant": "Eliminare la pianta",
"Drag and drop into map": "Clicca e trascina sulla mappa",
"EXECUTE SEQUENCE": "ESEGUI SEQUENZA",
"Edit": "Modifica",
"Edit Farm Event": "Modifica Evento agricolo",
"Email": "Indirizzo email",
"Enter Email": "Inserisci indirizzo email",
"Enter Password": "Inserisci password",
"Execute Sequence": "Esegui sequenza",
"Factory Reset": "Ripristino impostazioni di fabbrica",
"GO": "PROCEDI",
"I Agree to the Terms of Service": "Ho compreso ed accetto i Termini di servizio",
"IF STATEMENT": "COMANDO SE ",
"If Statement": "Comando if",
"Loading": "Caricamento in corso",
"Location": "Posizione",
"Login": "Accedi",
"Logout": "Esci",
"Logs": "Log",
"MOVE ABSOLUTE": "FAI MOVIMENTO ASSOLUTO",
"MOVE AMOUNT (mm)": "QUANTITÁ MOVIMENTO (mm)",
"MOVE RELATIVE": "FAI MOVIMENTO RELATIVO",
"Message": "Messaggio",
"Move Absolute": "Fai Movimento assoluto",
"Move Relative": "Fai Movimento relativo",
"NAME": "NOME",
"Name": "Nome",
"New Password": "Nuova password",
"Old Password": "Vecchia password",
"Operator": "Operatore",
"Package Name": "Nome pacchetto",
"Parameters": "Parametri",
"Pin Mode": "Modalità PIN",
"Pin Number": "Numero PIN",
"Plant Info": "Informazioni pianta",
"Plants": "Piante",
"Problem Loading Terms of Service": "Si è verificato un problema durante il caricamente dei Termini di Servizio",
"READ PIN": "LEGGI PIN",
"RESTART": "RIAVVIO",
"RESTART FARMBOT": "RIAVVIO FARMBOT",
"Read Pin": "Leggi Pin",
"Regimen Name": "Nome regime",
"Regimens": "Regimi",
"Request sent": "Richiesta inviata",
"Reset Password": "Recupero password",
"Reset your password": "Recupera la tua password",
"SEND MESSAGE": "INVIA MESSAGGIO",
"SHUTDOWN": "ARRESTO",
"SHUTDOWN FARMBOT": "SPEGNI FARMBOT",
"Save": "Salva",
"Send Message": "Inviare messaggio",
"Sequence": "Sequenza",
"Sequence Editor": "Editor di Sequenze",
"Sequence or Regimen": "Sequenza o Regime",
"Sequences": "Sequenze",
"Started": "Avviato",
"Starts": "Avvia",
"Steps per MM": "Passi per MM",
"TAKE PHOTO": "SCATTA FOTO",
"Take Photo": "Scatta foto",
"Take a Photo": "Scatta una foto",
"Time": "Durata",
"Time in milliseconds": "Durata in millisecondi",
"UP TO DATE": "AGGIORNATO",
"UPDATE": "AGGIORNARE",
"Until": "Fino al",
"Value": "Valore",
"Variable": "Variabile",
"Version": "Versione",
"WAIT": "ATTENDI",
"WRITE PIN": "SCRIVI PIN",
"Wait": "Attendere",
"Weed Detector": "Rilevatore infestanti",
"Week": "Settimana",
"Write Pin": "Inserire Pin",
"X AXIS": "ASSE X",
"Y AXIS": "ASSE Y",
"Your Name": "Il tuo nome",
"Z AXIS": "ASSE Z",
"days old": "giorni",
"yes": "sì"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"Debug": "Debug",
"delete": "delete",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading...": "Loading...",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"no": "no",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No logs yet.": "No logs yet.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Password": "Password",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset": "Reset",
"RESET": "RESET",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select a sequence from the dropdown first.": "Select a sequence from the dropdown first.",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"13 Plants": "13 piante",
"142 Plants": "142 piante",
"18 Plants": "18 piante",
"22 Plants": "22 piante",
"459 Plants": "459 piante",
"68 Plants": "68 piante",
"ACCELERATE FOR (steps)": "ACCELERA PER (steps)",
"ALLOW NEGATIVES": "PERMETTI VALORI NEGATIVI",
"Add": "Aggiungi",
"Add Group": "Aggiungere gruppo",
"Add Zone": "Aggiungere zona",
"Add parent groups": "Aggiungere gruppi genitori",
"Bot ready": "Bot pronto",
"CALIBRATE {{target}}": "CALIBRARE {{target}}",
"CONTROLLER": "CONTROLLER",
"COORDINATES": "COORDINATE",
"Calendar": "Calendario",
"Camera": "Fotocamera",
"Choose a species": "Scegliere una specie",
"Confirm Password": "Confermare la password",
"Could not download sync data": "Impossibile scaricare dati di sincronizzazione",
"Crop Info": "Info coltivazione",
"DELETE ACCOUNT": "ELIMINA ACCOUNT",
"DEVICE": "DISPOSITIVO",
"DRAG STEP HERE": "TRASCINARE QUI I COMANDI",
"Designer": "Designer",
"EDIT": "MODIFICA",
"ENABLE ENCODERS": "ATTIVA ENCODER",
"EXECUTE": "ESEGUI",
"EXECUTE SCRIPT": "ESEGUI SCRIPT",
"Error establishing socket connection": "Errore durante la connessione dei socket",
"Execute Script": "Esegui script",
"FARMBOT NAME": "NOME PROPRIO DEL FARMBOT",
"Farm Events": "Eventi agricoli",
"Farmbot encountered an error": "Si è verificato un errore su Farmbot",
"Forgot Password": "Password dimenticata",
"Groups": "Gruppi",
"I agree to the terms of use": "Ho compreso ed accetto le Condizioni d'uso",
"INVERT ENDPOINTS": "INVERTI FINECORSA",
"INVERT MOTORS": "INVERTI MOTORI",
"Import coordinates from": "Importa coordinate da",
"LENGTH (m)": "LUNGHEZZA (m)",
"LHS": "LHS",
"MESSAGE": "MESSAGGIO",
"My Groups": "Gruppi personalizzati",
"NETWORK": "RETE",
"Not Connected to bot": "Non connesso al robot",
"OPERATOR": "OPERATORE",
"OS Auto Updates": "Aggiornare automaticamente SO",
"Pin {{num}}": "PIN {{num}}",
"Plants in this group": "Piante in questo gruppo",
"RHS": "RHS",
"Repeats Every": "Ripeti ogni",
"Reset password": "Resettare la password",
"SAVE": "SALVA",
"SLOT": "SLOT",
"STATUS": "STATUS",
"STEPS PER MM": "PASSI PER MM",
"Select from map to add": "Per aggiungere selezionare dalla mappa",
"Send Password reset": "Invia richiesta di Recupero password",
"Server Port": "Porta del server",
"Server URL": "URL del server",
"Size": "Dimensione",
"Socket Connection Established": "Connessione stabilita con socket",
"Speed": "Velocità",
"Start": "Avviare",
"Stop": "Arrestare",
"Sub Sequence": "Sottosequenza",
"Sync Required": "Sincronizzazione richiesta",
"TEST": "TEST",
"TIME": "DURATA",
"TIMEOUT AFTER (seconds)": "TIMEOUT DOPO (secondi)",
"TOOL": "STRUMENTO",
"TOOL NAME": "NOME STRUMENTO",
"TOOLBAY NAME": "NOME SCOMPARTO STRUMENTI",
"Test": "Test",
"Tried to delete Farm Event": "Eseguito tentativo di eliminare Evento agricolo",
"Tried to delete plant": "Eseguito Tentativo di eliminare pianta",
"Tried to save Farm Event": "Eseguito tentativo di salvare Evento agricolo",
"Tried to save plant": "Eseguito tentativo di salvare pianta",
"Tried to update Farm Event": "Eseguito tentativo di aggiornare Evento agricolo",
"Unable to delete sequence": "Impossibile eliminare la sequenza",
"Unable to download device credentials": "Impossibile scaricare credenziali del dispositivo",
"Verify Password": "Confermare la password",
"Zones": "Zone",
"calling FarmBot with credentials": "autenticazione su FarmBot con credenziali",
"downloading device credentials": "scaricamento in corso credenziali del dispositivo",
"initiating connection": "inizializzazione connessione in corso",
"never connected to device": "mai connesso al dispositivo"
}
}

View File

@ -1,160 +0,0 @@
module.exports = {
"ACCELERATE FOR (steps)": "ACCELEREER VOOR (stappen)",
"Account Settings": "Instellingen",
"Add": "Toevoegen",
"Add Farm Event": "Evenement Toevoegen",
"Age": "Leeftijd",
"Agree to Terms of Service": "Ga akkoord met de Algemene Voorwaarden",
"ALLOW NEGATIVES": "NEGATIEVEN TOESTAAN",
"BACK": "TERUG",
"Bot ready": "Bot gereed",
"CALIBRATE {{axis}}": "CALIBREER {{axis}}",
"CALIBRATION": "CALIBRATIE",
"calling FarmBot with credentials": "FarmBot aanroepen met credentials",
"Camera": "Camera",
"Choose a species": "Kies een soort",
"Confirm Password": "Bevestig Wachtwoord",
"CONTROLLER": "CONTROLLER",
"Copy": "Kopieer",
"Could not download sync data": "Kon sync data niet downloaden",
"Create Account": "Account Aanmaken",
"Create An Account": "Maak Een Account",
"Crop Info": "Gewas Info",
"Data Label": "Datalabel",
"Day {{day}}": "Dag {{day}}",
"days old": "dagen oud",
"Delete": "Verwijder",
"DELETE ACCOUNT": "VERWIJDER ACCOUNT",
"Delete this plant": "Verwijder deze plant",
"Designer": "Ontwerper",
"DEVICE": "APPARAAT",
"downloading device credentials": "apparaatcredentials aan het downloaden",
"Drag and drop into map": "Sleep en laat vallen in kaart",
"DRAG STEP HERE": "SLEEP STAP HIER",
"Edit": "Wijzig",
"EDIT": "WIJZIG",
"Edit Farm Event": "Wijzig Evenement",
"Email": "Email",
"ENABLE ENCODERS": "ENCODERS INSCHAKELEN",
"Enter Email": "Voer Email In",
"Enter Password": "Voer Wachtwoord In",
"Error establishing socket connection": "Fout bij opzetten van socket-verbinding",
"Execute Script": "Script Uitvoeren",
"EXECUTE SCRIPT": "SCRIPT UITVOEREN",
"Execute Sequence": "Actiereeks Uitvoeren",
"EXECUTE SEQUENCE": "ACTIEREEKS UITVOEREN",
"Factory Reset": "Fabrieksinstellingen",
"Farm Events": "Evenementen",
"FIRMWARE": "FIRMWARE",
"Forgot Password": "Wachtwoord Vergeten",
"GO": "GA",
"I Agree to the Terms of Service": "Ik ga Akkoord met de Algemene Voorwaarden",
"I agree to the terms of use": "Ik ga akkoord met de gebruiksvoorwaarden",
"If Statement": "Conditionele Keuze",
"IF STATEMENT": "CONDITIONELE KEUZE",
"Import coordinates from": "Importeer coördinaten van",
"initiating connection": "verbinding initialiseren",
"INVERT ENDPOINTS": "EINDPUNTEN OMKEREN",
"INVERT MOTORS": "MOTOREN OMKEREN",
"LENGTH (m)": "LENGTE (m)",
"Location": "Lokatie",
"Login": "Inloggen",
"Logout": "Uitloggen",
"Message": "Bericht",
"Move Absolute": "Absoluut Verplaatsen",
"MOVE ABSOLUTE": "ABSOLUUT VERPLAATSEN",
"MOVE AMOUNT (mm)": "VERPLAATSAFSTAND (mm)",
"Move Relative": "Relatief Verplaatsen",
"MOVE RELATIVE": "RELATIEF VERPLAATSEN",
"NAME": "NAAM",
"NETWORK": "NETWERK",
"never connected to device": "nooit verbonden met apparaat",
"New Password": "Nieuw Wachtwoord",
"no": "nee",
"Not Connected to bot": "Niet Verbonden met bot",
"Old Password": "Oud Wachtwoord",
"Operator": "Operator",
"Package Name": "Package Naam",
"Parameters": "Parameters",
"Password": "Wachtwoord",
"Pin {{num}}": "Pin {{num}}",
"Pin Mode": "Pin Modus",
"Pin Number": "Pin Nummer",
"Plant Info": "Plant Info",
"Plants": "Planten",
"Problem Loading Terms of Service": "Probleem Bij Laden Van Algemene Voorwaarden",
"Read Pin": "Lees Pin",
"READ PIN": "LEES PIN",
"Regimen Name": "Naam Regime",
"Regimens": "Regimes",
"Repeats Every": "Herhaal Elke",
"Request sent": "Verzoek verstuurd",
"Reset": "Reset",
"RESET": "RESET",
"Reset Password": "Reset Wachtwoord",
"Reset your password": "Reset je wachtwoord",
"RESTART": "HERSTARTEN",
"RESTART FARMBOT": "HERSTART FARMBOT",
"Save": "Opslaan",
"SAVE": "OPSLAAN",
"Send Message": "Stuur Bericht",
"SEND MESSAGE": "STUUR BERICHT",
"Send Password reset": "Stuur Wachtwoord-reset",
"Sequence": "Actiereeks",
"Sequence Editor": "Actiereeks Ontwerper",
"Sequence or Regimen": "Actiereeks of Regime",
"Sequences": "Actiereeksen",
"Server Port": "Serverpoort",
"Server URL": "Server URL",
"SHUTDOWN": "UITZETTEN",
"SHUTDOWN FARMBOT": "FARMBOT UITZETTEN",
"SLOT": "SLEUF",
"Socket Connection Established": "Socket-verbinding Opgezet",
"Speed": "Snelheid",
"Started": "Gestart",
"Starts": "Begint",
"STATUS": "STATUS",
"Steps per MM": "Stappen per MM",
"Sync Required": "Sync Vereist",
"Take a Photo": "Neem een Foto",
"Take Photo": "Neem Foto",
"TAKE PHOTO": "NEEM FOTO",
"TEST": "TEST",
"Time": "Tijd",
"Time in milliseconds": "Tijd in milliseconden",
"TIMEOUT AFTER (seconds)": "AFBREKEN NA (seconden)",
"TOOL": "KOPPELSTUK",
"TOOL NAME": "NAAM KOPPELSTUK",
"TOOLBAY NAME": "HOUDER NAAM",
"Tried to delete Farm Event": "Probeerde een Evenement te verwijderen",
"Tried to delete plant": "Probeerde een plant te verwijderen",
"Tried to save Farm Event": "Probeerde een Evenement op te slaan",
"Tried to save plant": "Probeerde een plant op te slaan",
"Tried to update Farm Event": "Probeerde een Evenement bij te werken",
"Unable to delete sequence": "Kan actiereeks niet verwijderen",
"Unable to download device credentials": "Kan apparaat-credentials niet downloaden",
"Until": "Tot",
"UP TO DATE": "BIJGEWERKT",
"UPDATE": "BIJWERKEN",
"Value": "Waarde",
"Variable": "Variabele",
"Verify Password": "Verifieer Wachtwoord",
"Version": "Versie",
"Wait": "Wacht",
"WAIT": "WACHT",
"Weed Detector": "Onkruid Detector",
"Week": "Week",
"Write Pin": "Schrijf Pin",
"WRITE PIN": "SCHRIJF PIN",
"X": "X",
"X (mm)": "X (mm)",
"X AXIS": "X AS",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y AXIS": "Y AS",
"yes": "ja",
"Your Name": "Jouw Naam",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z AXIS": "Z AS"
}

View File

@ -0,0 +1,930 @@
{
"translated": {
"Account Settings": "Instellingen",
"Add Farm Event": "Evenement Toevoegen",
"Age": "Leeftijd",
"Agree to Terms of Service": "Ga akkoord met de Algemene Voorwaarden",
"BACK": "TERUG",
"CALIBRATE {{axis}}": "CALIBREER {{axis}}",
"CALIBRATION": "CALIBRATIE",
"Copy": "Kopieer",
"Create Account": "Account Aanmaken",
"Create An Account": "Maak Een Account",
"Data Label": "Datalabel",
"Day {{day}}": "Dag {{day}}",
"Delete": "Verwijder",
"Delete this plant": "Verwijder deze plant",
"Drag and drop into map": "Sleep en laat vallen in kaart",
"EXECUTE SEQUENCE": "ACTIEREEKS UITVOEREN",
"Edit": "Wijzig",
"Edit Farm Event": "Wijzig Evenement",
"Enter Email": "Voer Email In",
"Enter Password": "Voer Wachtwoord In",
"Execute Sequence": "Actiereeks Uitvoeren",
"Factory Reset": "Fabrieksinstellingen",
"GO": "GA",
"I Agree to the Terms of Service": "Ik ga Akkoord met de Algemene Voorwaarden",
"IF STATEMENT": "CONDITIONELE KEUZE",
"If Statement": "Conditionele Keuze",
"Location": "Lokatie",
"Login": "Inloggen",
"Logout": "Uitloggen",
"MOVE ABSOLUTE": "ABSOLUUT VERPLAATSEN",
"MOVE AMOUNT (mm)": "VERPLAATSAFSTAND (mm)",
"MOVE RELATIVE": "RELATIEF VERPLAATSEN",
"Message": "Bericht",
"Move Absolute": "Absoluut Verplaatsen",
"Move Relative": "Relatief Verplaatsen",
"NAME": "NAAM",
"New Password": "Nieuw Wachtwoord",
"Old Password": "Oud Wachtwoord",
"Package Name": "Package Naam",
"Password": "Wachtwoord",
"Pin Mode": "Pin Modus",
"Pin Number": "Pin Nummer",
"Plants": "Planten",
"Problem Loading Terms of Service": "Probleem Bij Laden Van Algemene Voorwaarden",
"READ PIN": "LEES PIN",
"RESTART": "HERSTARTEN",
"RESTART FARMBOT": "HERSTART FARMBOT",
"Read Pin": "Lees Pin",
"Regimen Name": "Naam Regime",
"Regimens": "Regimes",
"Request sent": "Verzoek verstuurd",
"Reset Password": "Reset Wachtwoord",
"Reset your password": "Reset je wachtwoord",
"SEND MESSAGE": "STUUR BERICHT",
"SHUTDOWN": "UITZETTEN",
"SHUTDOWN FARMBOT": "FARMBOT UITZETTEN",
"Save": "Opslaan",
"Send Message": "Stuur Bericht",
"Sequence": "Actiereeks",
"Sequence Editor": "Actiereeks Ontwerper",
"Sequence or Regimen": "Actiereeks of Regime",
"Sequences": "Actiereeksen",
"Started": "Gestart",
"Starts": "Begint",
"Steps per MM": "Stappen per MM",
"TAKE PHOTO": "NEEM FOTO",
"Take Photo": "Neem Foto",
"Take a Photo": "Neem een Foto",
"Time": "Tijd",
"Time in milliseconds": "Tijd in milliseconden",
"UP TO DATE": "BIJGEWERKT",
"UPDATE": "BIJWERKEN",
"Until": "Tot",
"Value": "Waarde",
"Variable": "Variabele",
"Version": "Versie",
"WAIT": "WACHT",
"WRITE PIN": "SCHRIJF PIN",
"Wait": "Wacht",
"Weed Detector": "Onkruid Detector",
"Write Pin": "Schrijf Pin",
"X AXIS": "X AS",
"Y AXIS": "Y AS",
"Your Name": "Jouw Naam",
"Z AXIS": "Z AS",
"days old": "dagen oud",
"no": "nee",
"yes": "ja"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change Password": "Change Password",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"Debug": "Debug",
"delete": "delete",
"Delete Account": "Delete Account",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email": "Email",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading": "Loading",
"Loading...": "Loading...",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Name": "Name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No logs yet.": "No logs yet.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Operator": "Operator",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Parameters": "Parameters",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Info": "Plant Info",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset": "Reset",
"RESET": "RESET",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select a sequence from the dropdown first.": "Select a sequence from the dropdown first.",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Week": "Week",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"ACCELERATE FOR (steps)": "ACCELEREER VOOR (stappen)",
"ALLOW NEGATIVES": "NEGATIEVEN TOESTAAN",
"Add": "Toevoegen",
"Bot ready": "Bot gereed",
"CONTROLLER": "CONTROLLER",
"Camera": "Camera",
"Choose a species": "Kies een soort",
"Confirm Password": "Bevestig Wachtwoord",
"Could not download sync data": "Kon sync data niet downloaden",
"Crop Info": "Gewas Info",
"DELETE ACCOUNT": "VERWIJDER ACCOUNT",
"DEVICE": "APPARAAT",
"DRAG STEP HERE": "SLEEP STAP HIER",
"Designer": "Ontwerper",
"EDIT": "WIJZIG",
"ENABLE ENCODERS": "ENCODERS INSCHAKELEN",
"EXECUTE SCRIPT": "SCRIPT UITVOEREN",
"Error establishing socket connection": "Fout bij opzetten van socket-verbinding",
"Execute Script": "Script Uitvoeren",
"Farm Events": "Evenementen",
"Forgot Password": "Wachtwoord Vergeten",
"I agree to the terms of use": "Ik ga akkoord met de gebruiksvoorwaarden",
"INVERT ENDPOINTS": "EINDPUNTEN OMKEREN",
"INVERT MOTORS": "MOTOREN OMKEREN",
"Import coordinates from": "Importeer coördinaten van",
"LENGTH (m)": "LENGTE (m)",
"NETWORK": "NETWERK",
"Not Connected to bot": "Niet Verbonden met bot",
"Pin {{num}}": "Pin {{num}}",
"Repeats Every": "Herhaal Elke",
"SAVE": "OPSLAAN",
"SLOT": "SLEUF",
"STATUS": "STATUS",
"Send Password reset": "Stuur Wachtwoord-reset",
"Server Port": "Serverpoort",
"Server URL": "Server URL",
"Socket Connection Established": "Socket-verbinding Opgezet",
"Speed": "Snelheid",
"Sync Required": "Sync Vereist",
"TEST": "TEST",
"TIMEOUT AFTER (seconds)": "AFBREKEN NA (seconden)",
"TOOL": "KOPPELSTUK",
"TOOL NAME": "NAAM KOPPELSTUK",
"TOOLBAY NAME": "HOUDER NAAM",
"Tried to delete Farm Event": "Probeerde een Evenement te verwijderen",
"Tried to delete plant": "Probeerde een plant te verwijderen",
"Tried to save Farm Event": "Probeerde een Evenement op te slaan",
"Tried to save plant": "Probeerde een plant op te slaan",
"Tried to update Farm Event": "Probeerde een Evenement bij te werken",
"Unable to delete sequence": "Kan actiereeks niet verwijderen",
"Unable to download device credentials": "Kan apparaat-credentials niet downloaden",
"Verify Password": "Verifieer Wachtwoord",
"calling FarmBot with credentials": "FarmBot aanroepen met credentials",
"downloading device credentials": "apparaatcredentials aan het downloaden",
"initiating connection": "verbinding initialiseren",
"never connected to device": "nooit verbonden met apparaat"
}
}

View File

@ -1,210 +0,0 @@
module.exports = {
//WARNINGS & Capitalized text
"ACCELERATE FOR (steps)": "ACELERAR n (passos)",
"ALLOW NEGATIVES": "PERMITIR NEGATIVAS",
"BACK": "VOLTAR",
"CALIBRATE {{axis}}": "CALIBRAR {{axis}}",
"CALIBRATION": "CALIBRAÇÃO",
"CONTROLLER": "CONTROLADOR",
"DELETE ACCOUNT": "EXCLUIR A CONTA",
"DEVICE": "DISPOSITIVO",
"DRAG STEP HERE": "COLOQUE AS ETAPAS AQUI",
"EDIT": "EDITAR",
"ENABLE ENCODERS": "HABILITAR CODIFICADORES",
"EXECUTE SCRIPT": "EXECUTAR ROTINA",
"EXECUTE SEQUENCE": "EXECUTAR SEQUÊNCIA",
"FIRMWARE": "FIRMWARE",
"IF STATEMENT": "DECLARAÇÃO DO TIPO `SE` (PROGRAMAÇÃO)",
"INVERT ENDPOINTS": "INVERTER EXTREMIDADES",
"INVERT MOTORS": "INVERTER MOTORES",
"LENGTH (m)": "COMPRIMENTO (m)",
"MAX SPEED (mm/s)": "VELOCIDADE MÁXIMA (mm/s)",
"MOVE ABSOLUTE": "MOVER COM PRECISÃO",
"MOVE AMOUNT (mm)": "DISTÂNCIA DO MOVIMENTO (mm)",
"MOVE RELATIVE": "MOVER (MENOR PRECISÃO)",
"NAME": "NOME",
"NETWORK": "REDE",
"READ PIN": "EFETUAR LEITURA DO PIN",
"RESET": "RESETAR TUDO",
"RESTART FARMBOT": "REINICIAR O FARMBOT",
"RESTART": "REINICIAR",
"SAVE": "SALVAR",
"SEND MESSAGE": "ENVIAR MENSAGEM",
"SHUTDOWN FARMBOT": "DESLIGAR O FARMBOT",
"SHUTDOWN": "DESLIGAR",
"TEST": "TESTAR",
"TOOL NAME": "NOME DA FERRAMENTA",
"TIMEOUT AFTER (seconds)": "TEMPO LIMITE DE X (segundos)",
"UP TO DATE": "ATUALIZADO",
"UPDATE": "ATUALIZAR",
"WAIT": "AGUARDAR",
"WRITE PIN": "GRAVAR Nº PIN",
"X AXIS": "EIXO X",
"Y AXIS": "EIXO Y",
"Z AXIS": "EIXO Z",
//ACCOUNT & LOGIN TEXTS
"Account Settings": "Configurações de Conta",
"Change Password": "Alterar Senha",
"Confirm Password": "Confirmar Senha",
"Create Account": "Criar conta",
"Create An Account": "Criar uma conta",
"Email": "E-mail",
"Enter Email": "Digite seu e-mail",
"Enter Password": "Digite sua Senha",
"Enter your password to delete your account.": "Digite sua senha pra excluir a conta.",
"Forgot Password": "Esqueci minha senha",
"Login": "Entrar",
"Logout": "Encerrar Sessão",
"New Password": "Nova Senha",
"Old Password": "Senha Anterior",
"Password": "Senha",
"Pin {{num}}": "PIN - Número de Identificação Pessoal {{num}}",
"Please enter a valid label and pin number.": "Por favor insira um marcador e um número PIN válidos.",
"Reset Password": "Redefinir Senha",
"Send Password reset": "Solicitar nova senha",
"Verfy Password": "Verifique sua senha",
"You have been logged out.": "Sessão encerrada.",
"Your Name": "Seu Nome",
//UPDATE TEXT
"Auto Updates?": "Atualizações Automáticas?",
//STATUS & ERROR TEXTS
"Add a div with id `root` to the page first.": "Primeiramente adicione um elemento div com a id `root` á página.",
"Bot ready": "Robô pronto",
"calling FarmBot with credentials": "conectando ao Fambot com as credenciais",
"Camera": "Câmera",
"Could not download firmware update information.": "Não foi possível transferir as informações de atualização do Firmware do dispositivo.",
"Could not download OS update information.": "Não foi possível transferir as informações de atualização do Sistema Operacional.",
"Could not download sync data": "Não foi possível transferir os dados de sincronização",
"Could not fetch bot status. Is FarmBot online?": "Não foi possível verificar o estado do farmbot. Verifique se o mesmo se encontra conectado",
"Couldn't save device.": "Não foi possível salvar dados sobre o o dispositivo",
"downloading device credentials": "transferindo credenciais do dispositivo",
"Error establishing socket connection": "Erro ao estabelecer conexão com os soquetes",
"Error while saving device.": "Erro ao salvar detalhes do dispositivo.",
"Factory Reset": "Redefinir Todas as Configurações para o padrão de Fábrica",
"Farmbot Didn't Get That!": "Comando inválido!",
"FarmBot sent a malformed message. ": "O FarmBot está enviando mensagens truncadas. ",
"initiating connection": "iniciando conexão",
"never connected to device": "nunca conectado ao dispositivo",
"No logs yet.": "Sem registros para exibir.",
"Not Connected to bot": "Não está conectado ao FarmBot",
"Please upgrade FarmBot OS and log back in.": "Por favor faça um upgrade do Sistema Operacional e tente novamente.",
"Socket Connection Established": "Conexão com os soquetes estabelecida",
"ToolBay saved.": "Compartimento de Ferramentas salvo comm sucesso.",
"Tools saved.": "Ferramentas salvas com sucesso.",
"Tried to delete plant, but couldn't.": "Não foi possível excluir esta planta.",
"Tried to move plant, but couldn't.": "Não foi possível mover esta planta.",
"Tried to save plant, but couldn't.": "Não foi possível salvar os dados desta planta.",
"Unable to download device credentials": "Não foi possível transferir as credenciais do dispositivo",
"User successfully updated.": "Usuário atualizado.",
"You may need to upgrade FarmBot OS. ": "Talvez você tenha efetuar um upgrade do Sistema Operacional do Farmbot. ",
//OTHERS/GENERAL WORDS
"Add": "Adicionar",
"Copy": "Copiar",
"Day {{day}}": "Dia {{day}}",
"Data Label": "Etiqueta de Dados",
"Delete": "Excluir",
"Edit": "Editar",
"Execute Script": "Executar Rotina",
"Execute Sequence": "Executar Sequência",
"If Statement": "Declaração do Tipo `Se` (Programação)",
"Message": "Mensagem",
"Move Absolute": "Mover com Precisão",
"Move Relative": "Mover (Sem precisão)",
"no": "não",
"Operator": "Operador",
"Package Name": "Nome do Pacote",
"Parameters": "Parâmetros",
"Pin Mode": "Modo PIN",
"Pin Number": "Número PIN",
"Read Pin": "Efetuar a leitura do PIN",
"Repeats Every": "Repete a cada",
"Reset": "Redefinir",
"Save": "Salvar",
"Save & Run": "Salvar & Executar",
"Send Message": "Enviar Mensagem",
"Sequence": "Sequência",
"Sequence Editor": "Editor de Sequências",
"Sequences": "Sequências",
"Server Port": "Porta do Servidor",
"Server URL": "URL do Servidor",
"Speed": "Velocidade",
"Starts": "Inicia em",
"Steps per MM": "Passos por unidade MM",
"Time": "Tempo",
"Time in milliseconds": "Tempo em milisegundos",
"Until": "Até",
"Variable": "Variável",
"Value": "Valor",
"Version": "Versão",
"Wait": "Aguardar",
"Weed Detector": "Detector de Ervas Daninhas",
"Week": "Semana",
"We're sorry to see you go. :(": "É uma pena que você tenha de ir. :( ",
"Write Pin": "Gravar Nº PIN",
"X (mm)": "X (mm)",
"X-Offset": "Deslocamento do Eixo X",
"Y (mm)": "Y (mm)",
"Y-Offset": "Deslocamento do Eixo Y",
"yes": "sim",
"Z (mm)": "Z (mm)",
"Z-Offset": "Deslocamento do Eixo Z",
//REGIMEN & SEQUENCES
"Could not download regimens.": "Não foi possível transferir a programação para o FarmBot.",
"Sequence or Regimen": "Sequência ou Regime",
"Regimen Name": "Nome da Programação",
"Regimen deleted.": "Programação excluída.",
"Regimen saved.": "Programação Salva.",
"Saved '{{SequenceName}}'": "'{{SequenceName}}' Salvo(a) com sucesso",
"Select a regimen or create one first.": "Selecione uma programação. Você deve criar a sua, se ainda não tiver feito isso.",
"Select a sequence from the dropdown first.": "Selecione uma sequência da lista primeiro.",
"This regimen is currently empty.": "Esta programação não possui nenhuma sequência agendada.",
"Unable to delete regimen.": "Erro ao deletar programação.",
"Unable to delete sequence": "Erro ao deletar sequência.",
"Unable to save '{{SequenceName}}'": "Não foi possível salvar '{{SequenceName}}'",
"Unable to save regimen.": "A programação não pode ser salva."
// BELOW LINES ARE FOR TEST PURPOSES ONLY - DO NOT UNCOMMENT UNLESS YOU KNOW WHAT YOU ARE DOING!
//ACCOUNT MESSAGES
//`User could not be updated: ${e.message}` : "`Não foi possível atualizar o usuário: ${e.message}`,
//"saves new user password" : "salva a nova senha do usuário",
//GENERAL TEXTS
//"Absolute movement" : "Movimento Preciso"
//`Change settings` : `Alterar configurações`,
//`Detect Weeds` : `Detectar Ervas Daninhas`,
//"Impossible" :"Impossível",
//"Relative movement" : "Movimento Simples"
//"Setting toggle" : "Configuração de alternadores",
//`This widget` : `este widget`,
//TIPS & ERRORS
//`Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.` : `Utilize estes botões de controle manual para movimentar o FarmBot em tempo real. Pressione as setas para movimentar ou insira novas cordenadas e aperte o botão IR para um movimento mais preciso. Dica: Aperte o botão de Início quando terminar para que o Farmbot saiba que deve voltar ao trabalho.`,
//`Press the edit button to update and save your webcam URL.` : `Pressione o botão de editar para atualizar e salvar a URL de sua webcam.`,
//`Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!` : `Use esses controles para controlar os periféricos do Farmbot em tempo real. Para editar e criar novos periféricos, pressione o botão EDITAR. Tenha certeza de desligar tudo quando acabar!`
//`Tried to connect to null bot.You probably meant to set a bot first.` : `Tentou conectar a um farmbot inexistente. Você provavelmente esqueceu de configurar seu farmbot.`
//"request sent to device." : " solicitação enviada ao dispositivo."
//`This will restart FarmBot's Raspberry` : `Isto irá reiniciar o equipamento Raspberry do FarmBot`,
//`This will shutdown FarmBot's Raspberry Pi`. : `Isto irá desligar o Raspberry Pi do FarmBot`.
//`ToolBay could not be updated: ${e.message}` : `O Compartimento de Ferramentas não pode ser atualizado: ${e.message}`
//`Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.` : `Toolbays (Compartimento de Ferramentas) é onde você armazena as Ferramentas do FarmBot. Cada Compartimento tem um slot (fendas) nas quais você pode colocar suas Ferramentas. Essas ferramentas devem ser iguais às da configuração de hardware do seu FarmBot.`
//`This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.` : `Esta é uma lista de todas as suas Ferramentas do FarmBot. Clique em Editar para adicionar, editar ou excluir ferramentas.`
//REGIMEN & SEQUENCES
//`Use this tool to schedule sequences to run on one or many days of your regimen.` : `Use esta ferramenta para agendar sequências a serem executadas em um ou mais dias de sua programação.`,
//`You don't have any Regimens yet. Click "Add" from the Regimens widget to create and edit your first Regimen.` : `Você ainda não criou nenhuma programação. Clique em "Adicionar" a partir do widget de programações para criar e editar sua primeira programação.`,
//`Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.` : `As programações permitem que o FarmBot cuide de uma planta ao longo de toda a vida dela. Uma programação consiste em várias sequências que tem sua execução agendada de acordo com a idade da planta. As programações são aplicadas às plantas a partir do Planejador de hortas (disponível em breve) e podem ser reutilizadas em várias plantas de idades iguais ou diferentes. Várias programações podem ser atribuídas à uma mesma planta.`,
//`Add sequences to this Regimen by using the "scheduler"` : `Adicione Sequências à esta programação utilizando o "agendador"`,
//`This is a list of all of your regimens. Click one to begin editing it.` : `Esta é uma lista de todas as suas programações. Clique em uma delas para editá-la.`,
//`Here is the list of all of your sequences. Click one to edit.` : `Aqui fica a lista de suas sequências. Clique em uma para editá-la.`
//`Drag and drop commands here to create sequences for watering, planting seeds, measuring soil properties, and more. Press the Test button to immediately try your sequence with FarmBot. You can also edit, copy, and delete existing sequences; assign a color; and give your commands custom names.` : `Arraste e solte comandos aqui para criar sequências de irrigação, plantio de sementes, medição de propriedades do solo e outras. Aperte o obtão Testar para testar sua sequência com o FarmBot. Você também pode editar, copiar e excluir sequências existentes; atribuir cores; e dar nomes personalizados aos seus comandos.`
}

View File

@ -0,0 +1,949 @@
{
"translated": {
"Account Settings": "Configurações de Conta",
"BACK": "VOLTAR",
"CALIBRATE {{axis}}": "CALIBRAR {{axis}}",
"CALIBRATION": "CALIBRAÇÃO",
"Change Password": "Alterar Senha",
"Copy": "Copiar",
"Create Account": "Criar conta",
"Create An Account": "Criar uma conta",
"Data Label": "Etiqueta de Dados",
"Day {{day}}": "Dia {{day}}",
"Delete": "Excluir",
"EXECUTE SEQUENCE": "EXECUTAR SEQUÊNCIA",
"Edit": "Editar",
"Email": "E-mail",
"Enter Email": "Digite seu e-mail",
"Enter Password": "Digite sua Senha",
"Execute Sequence": "Executar Sequência",
"Factory Reset": "Redefinir Todas as Configurações para o padrão de Fábrica",
"IF STATEMENT": "DECLARAÇÃO DO TIPO `SE` (PROGRAMAÇÃO)",
"If Statement": "Declaração do Tipo `Se` (Programação)",
"Login": "Entrar",
"Logout": "Encerrar Sessão",
"MOVE ABSOLUTE": "MOVER COM PRECISÃO",
"MOVE AMOUNT (mm)": "DISTÂNCIA DO MOVIMENTO (mm)",
"MOVE RELATIVE": "MOVER (MENOR PRECISÃO)",
"Message": "Mensagem",
"Move Absolute": "Mover com Precisão",
"Move Relative": "Mover (Sem precisão)",
"NAME": "NOME",
"New Password": "Nova Senha",
"No logs yet.": "Sem registros para exibir.",
"Old Password": "Senha Anterior",
"Operator": "Operador",
"Package Name": "Nome do Pacote",
"Parameters": "Parâmetros",
"Password": "Senha",
"Pin Mode": "Modo PIN",
"Pin Number": "Número PIN",
"READ PIN": "EFETUAR LEITURA DO PIN",
"RESET": "RESETAR TUDO",
"RESTART": "REINICIAR",
"RESTART FARMBOT": "REINICIAR O FARMBOT",
"Read Pin": "Efetuar a leitura do PIN",
"Regimen Name": "Nome da Programação",
"Reset": "Redefinir",
"Reset Password": "Redefinir Senha",
"SEND MESSAGE": "ENVIAR MENSAGEM",
"SHUTDOWN": "DESLIGAR",
"SHUTDOWN FARMBOT": "DESLIGAR O FARMBOT",
"Save": "Salvar",
"Select a sequence from the dropdown first.": "Selecione uma sequência da lista primeiro.",
"Send Message": "Enviar Mensagem",
"Sequence": "Sequência",
"Sequence Editor": "Editor de Sequências",
"Sequence or Regimen": "Sequência ou Regime",
"Sequences": "Sequências",
"Starts": "Inicia em",
"Steps per MM": "Passos por unidade MM",
"Time": "Tempo",
"Time in milliseconds": "Tempo em milisegundos",
"UP TO DATE": "ATUALIZADO",
"UPDATE": "ATUALIZAR",
"Until": "Até",
"Value": "Valor",
"Variable": "Variável",
"Version": "Versão",
"WAIT": "AGUARDAR",
"WRITE PIN": "GRAVAR Nº PIN",
"Wait": "Aguardar",
"Weed Detector": "Detector de Ervas Daninhas",
"Week": "Semana",
"Write Pin": "Gravar Nº PIN",
"X AXIS": "EIXO X",
"Y AXIS": "EIXO Y",
"Your Name": "Seu Nome",
"Z AXIS": "EIXO Z",
"no": "não",
"yes": "sim"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add Farm Event": "Add Farm Event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"Age": "Age",
"Agree to Terms of Service": "Agree to Terms of Service",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"days old": "days old",
"Debug": "Debug",
"delete": "delete",
"Delete Account": "Delete Account",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Delete this plant": "Delete this plant",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"Drag and drop into map": "Drag and drop into map",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit Farm Event": "Edit Farm Event",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"FIRMWARE": "FIRMWARE",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"GO": "GO",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"I Agree to the Terms of Service": "I Agree to the Terms of Service",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading": "Loading",
"Loading...": "Loading...",
"Location": "Location",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Name": "Name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Info": "Plant Info",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants": "Plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Problem Loading Terms of Service": "Problem Loading Terms of Service",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimens": "Regimens",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Request sent": "Request sent",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"Reset your password": "Reset your password",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Started": "Started",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take a Photo": "Take a Photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"Take Photo": "Take Photo",
"TAKE PHOTO": "TAKE PHOTO",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"ACCELERATE FOR (steps)": "ACELERAR n (passos)",
"ALLOW NEGATIVES": "PERMITIR NEGATIVAS",
"Add": "Adicionar",
"Add a div with id `root` to the page first.": "Primeiramente adicione um elemento div com a id `root` á página.",
"Auto Updates?": "Atualizações Automáticas?",
"Bot ready": "Robô pronto",
"CONTROLLER": "CONTROLADOR",
"Camera": "Câmera",
"Confirm Password": "Confirmar Senha",
"Could not download OS update information.": "Não foi possível transferir as informações de atualização do Sistema Operacional.",
"Could not download firmware update information.": "Não foi possível transferir as informações de atualização do Firmware do dispositivo.",
"Could not download regimens.": "Não foi possível transferir a programação para o FarmBot.",
"Could not download sync data": "Não foi possível transferir os dados de sincronização",
"Could not fetch bot status. Is FarmBot online?": "Não foi possível verificar o estado do farmbot. Verifique se o mesmo se encontra conectado",
"Couldn't save device.": "Não foi possível salvar dados sobre o o dispositivo",
"DELETE ACCOUNT": "EXCLUIR A CONTA",
"DEVICE": "DISPOSITIVO",
"DRAG STEP HERE": "COLOQUE AS ETAPAS AQUI",
"EDIT": "EDITAR",
"ENABLE ENCODERS": "HABILITAR CODIFICADORES",
"EXECUTE SCRIPT": "EXECUTAR ROTINA",
"Enter your password to delete your account.": "Digite sua senha pra excluir a conta.",
"Error establishing socket connection": "Erro ao estabelecer conexão com os soquetes",
"Error while saving device.": "Erro ao salvar detalhes do dispositivo.",
"Execute Script": "Executar Rotina",
"FarmBot sent a malformed message. ": "O FarmBot está enviando mensagens truncadas. ",
"Farmbot Didn't Get That!": "Comando inválido!",
"Forgot Password": "Esqueci minha senha",
"INVERT ENDPOINTS": "INVERTER EXTREMIDADES",
"INVERT MOTORS": "INVERTER MOTORES",
"LENGTH (m)": "COMPRIMENTO (m)",
"MAX SPEED (mm/s)": "VELOCIDADE MÁXIMA (mm/s)",
"NETWORK": "REDE",
"Not Connected to bot": "Não está conectado ao FarmBot",
"Pin {{num}}": "PIN - Número de Identificação Pessoal {{num}}",
"Please enter a valid label and pin number.": "Por favor insira um marcador e um número PIN válidos.",
"Please upgrade FarmBot OS and log back in.": "Por favor faça um upgrade do Sistema Operacional e tente novamente.",
"Regimen deleted.": "Programação excluída.",
"Regimen saved.": "Programação Salva.",
"Repeats Every": "Repete a cada",
"SAVE": "SALVAR",
"Save & Run": "Salvar & Executar",
"Saved '{{SequenceName}}'": "'{{SequenceName}}' Salvo(a) com sucesso",
"Select a regimen or create one first.": "Selecione uma programação. Você deve criar a sua, se ainda não tiver feito isso.",
"Send Password reset": "Solicitar nova senha",
"Server Port": "Porta do Servidor",
"Server URL": "URL do Servidor",
"Socket Connection Established": "Conexão com os soquetes estabelecida",
"Speed": "Velocidade",
"TEST": "TESTAR",
"TIMEOUT AFTER (seconds)": "TEMPO LIMITE DE X (segundos)",
"TOOL NAME": "NOME DA FERRAMENTA",
"This regimen is currently empty.": "Esta programação não possui nenhuma sequência agendada.",
"ToolBay saved.": "Compartimento de Ferramentas salvo comm sucesso.",
"Tools saved.": "Ferramentas salvas com sucesso.",
"Tried to delete plant, but couldn't.": "Não foi possível excluir esta planta.",
"Tried to move plant, but couldn't.": "Não foi possível mover esta planta.",
"Tried to save plant, but couldn't.": "Não foi possível salvar os dados desta planta.",
"Unable to delete regimen.": "Erro ao deletar programação.",
"Unable to delete sequence": "Erro ao deletar sequência.",
"Unable to download device credentials": "Não foi possível transferir as credenciais do dispositivo",
"Unable to save '{{SequenceName}}'": "Não foi possível salvar '{{SequenceName}}'",
"Unable to save regimen.": "A programação não pode ser salva.",
"User successfully updated.": "Usuário atualizado.",
"Verfy Password": "Verifique sua senha",
"We're sorry to see you go. :(": "É uma pena que você tenha de ir. :( ",
"X-Offset": "Deslocamento do Eixo X",
"Y-Offset": "Deslocamento do Eixo Y",
"You have been logged out.": "Sessão encerrada.",
"You may need to upgrade FarmBot OS. ": "Talvez você tenha efetuar um upgrade do Sistema Operacional do Farmbot. ",
"Z-Offset": "Deslocamento do Eixo Z",
"calling FarmBot with credentials": "conectando ao Fambot com as credenciais",
"downloading device credentials": "transferindo credenciais do dispositivo",
"initiating connection": "iniciando conexão",
"never connected to device": "nunca conectado ao dispositivo"
}
}

View File

@ -1,102 +1,25 @@
module.exports = {
"Action": "Действие",
"All": "Все",
"analog": "аналоговый",
"any": "любой",
"apply": "применить",
"Author": "Автор",
"Binding": "Назначение",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Светодиоды на корпусе",
"Cannot delete built-in pin binding.": "Невозможно удалить встроенные настройки.",
"clear filters": "сбросить фильтры",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CPU temperature": "Температура процессора",
"Day": "День",
"Delete all the points you have created?": "Удалить все созданные точки?",
"Description": "Описание",
"detect weeds": "обнаружить сорняки",
"Deviation": "Отклонение",
"DIAGNOSTIC CHECK": "ДИАГНОСТИКА",
"Diagnostic Report": "Диагностический отчет",
"Diagnostic Reports": "Диагностические отчеты",
"digital": "цифровой",
"Download": "Скачать",
"E-STOP": "E-STOP",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Настройки и управление Farmware (плагинами).",
"Farmware Tools version": "Версия Farmware",
"garden name": "Название сада",
"Garden Saved.": "Грядка сохранена.",
"Information": "Информация",
"Input is not needed for this Farmware.": "Для этого плагина не требуется настройка.",
"Install new Farmware": "Установить новый плагин",
"Invalid Raspberry Pi GPIO pin number.": "Неверный номер пина Rasberry Pi.",
"Language": "Язык",
"Manage": "Управление",
"Min OS version required": "Минмально допустимая версия ОС",
"Mode": "Режим",
"Month": "Месяц",
"Move FarmBot to this plant": "Переместить робота к этому растению",
"My Farmware": "Мои плагины",
"name": "имя",
"No inputs provided.": "Нет входных данных.",
"No plants in garden. Create some plants first.": "На грядке нет растений. Сначала добавьте растения.",
"No saved gardens yet.": "Пока нет сохраненных грядок.",
"Period End Date": "Время окончания периода",
"Pin number cannot be blank.": "Нужно заполнить поле с номером пина.",
"plants": "растения",
"Please clear current garden first.": "Пожалуйста сначала очистите эту грядку.",
"Please select a sequence or action.": "Пожалуйста выберите функцию или действие.",
"Raspberry Pi GPIO pin already bound.": "Пин Raspberry Pi уже привязан.",
"Raspberry Pi Info": "Статус Raspberry Pi",
"Read Status": "Считать статус",
"Reboot": "Перезагрузка",
"Record Diagnostic": "Записать диагностику",
"Reserved Raspberry Pi pin may not work as expected.": "Зарезервированный пин Raspberry Pi может работать не так, как ожидается.",
"Save or load a garden.": "Сохранить или загрузить грядку.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Сделать снимок системной информации FarmBot OS, включая данные устройства и пользователя, и сохранить их в базу данных. Вам будет возвращен код, по которому служба поддержки сможет посмотреть этот снимок и поможет вам в устранении проблем.",
"Saved Gardens": "Сохраненные грядки",
"Sensor": "Датчик",
"Sensor History": "История датчиков",
"Sequence Name": "Название функции",
"Show Previous Period": "Показать предыдущий период",
"Shutdown": "Выключение",
"Sync": "Синхр.",
"target": "цель",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.":"Для тех параметров, значение которых не задано явно в настройках команды, плагин будет использовать значения, заданные на странице Farmware.",
"Time period": "Период времени",
"Unable to resend verification email. Are you already verified?": "Не удалось повторно отправить email верификации. Верификация уже пройдена?",
"unknown": "неизвестно",
"v1.4 Stock Bindings": "Значения по-умолчанию для v1.4",
"View and filter historical sensor reading data.": "Просмотр и фильтр истории показаний датчиков.",
"View, select, and install new Farmware.": "Farmware - это плагины, расширяющие функционал. Эта страница служит для их настройки и установки",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Внимание: пин(вход), к которому происходит привязка, должен быть подключен через подтягивающий на землю резистор, потому что без поддтяжки возможны ложные срабатывания от любых помех.",
"WiFi Strength": "Сигнал WiFi",
"Year": "Год",
{
"translated": {
" copy ": " копия ",
" regimen": " Режим",
" request sent to device.": " Запрос отправлен.",
" sequence": " Функция",
" unknown (offline)": " неизвестно (не в сети)",
"(Alpha) Enable use of rotary encoders during calibration and homing.": "(Альфа-версия) Задействовать линейные энкодеры при калибровке и поиске домашней позиции.",
"(Alpha) If encoders or end-stops are enabled, home axis (find zero).": "(Альфа-версия) Если энкодеры или концевые датчики задействованы, выполнить поиск домашней позиции.",
"(Alpha) If encoders or end-stops are enabled, home axis and determine maximum.": "(Альфа-версия) Если энкодеры или концевые датчики задействованы, выполнить поиск домашней позиции и максимума координат.",
"(Alpha) Number of steps missed (determined by encoder) before motor is considered to have stalled.": "(Альфа-версия) Число пропущенных шагов (определенных по энкодеру), при котором двигатель считается застопорившимся.",
"(Alpha) Reduction to missed step total for every good step.": "(Альфа-версия) Уменьшение счета пропущенных шагов при каждом хорошо отработанном шаге.",
"(Alpha) Reverse the direction of encoder position reading.": "(Альфа-версия) Инвертировать показания энкодера.",
"(No selection)": "(Нет выделения)",
"(unknown)": "(неизвестно)",
"AUTO SYNC": "Авто Синхр.",
"Accelerate for (steps)": "Ускоряться за (шагов)",
"Account Not Verified": "Аккаунт не верифицирован",
"Account Settings": "Настройки Аккаунта",
"Action": "Действие",
"Add Farm Event": "Добавить событие",
"Add plant at current FarmBot location {{coordinate}}": "Добавить растение на текущие координаты Робота {{coordinate}}",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Добавьте сюда датчики, установленные на FarmBot-е. Для редактирования и создания новых датчиков, нажмите кнопку \"Редактировать\".",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Добавляйте функции в ваш режим, выбирая их из выпадающего списка, указывая время и дни, в которые они должны выполняться, после чего нажмите кнопку \"+\". Например, наметьте функцию посадки на самый первый день. Функцию полива можно назначать хоть каждый день.",
"Add to map": "Добавить на карту",
"Age": "Возраст",
"Agree to Terms of Service": "Я согласен с условиями обслуживания",
"All": "Все",
"All systems nominal.": "Все работает нормально.",
"Always Power Motors": "Питание на двигателях всегда включено",
"Amount of time to wait for a command to execute before stopping.": "Максимальное время ожидания завершения работы команды.",
@ -105,25 +28,25 @@ module.exports = {
"App Settings": "Свойства приложения",
"App could not be fully loaded, we recommend you try refreshing the page.": "Приложению не удалось полностью загрузиться, мы рекомендуем вам перезагрузить страницу.",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Возможно, Arduino отключен от Raspberry. Проверьте USB-соединение между ними. Перезагрузите FarmBot после подключения. Если проблема остается, можно попробовать сбросить FarmBot OS. При сбросе, Arduino автоматически прошивается.",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Вы уверены, что хотите удалить этот объект?",
"Are you sure you want to delete this step?": "Вы уверены, что хотите удалить этот шаг?",
"Are you sure you want to delete {{length}} plants?": "Вы уверены что хотите удалить {{length}} растений?",
"Are you sure you want to unlock the device?": "Вы уверены, что хотите сбросить состояние аварйной остановки?",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Назначьте команду, которая будет выполняться при активации пина GPIO Raspberry Pi.",
"Attempting to reconnect to the message broker": "Пытаюсь повторно подключиться к центру сообщений",
"Author": "Автор",
"Automatic Factory Reset": "Авто сброс к заводским настройкам",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Автоматический сброс к заводским настройкам при отсутствии сигнала WiFi. Функция полезна при изменениях настроек сети.",
"Axis Length (steps)": "Длина оси (шагов)",
"BACK": "НАЗАД",
"BIND": "Назначить",
"BLUR": "РАЗМЫТИЕ",
"BOOTING": "ЗАГРУЗКА",
"Back": "Назад",
"Bad username or password": "Неверное имя пользователя или пароль",
"Begin": "Начало",
"Beta release Opt-In": "Beta release Opt-In",
"Binding": "Назначение",
"Bottom Left": "Низ лево",
"Bottom Right": "Низ право",
"Box LEDs": "Светодиоды на корпусе",
"Browser": "Браузер",
"Busy": "Занят",
"CALIBRATE {{axis}}": "КАЛИБРОВАТЬ {{axis}}",
@ -131,6 +54,7 @@ module.exports = {
"CAMERA": "Камера",
"CLEAR WEEDS": "Забыть найденные сорняки",
"CLICK anywhere within the grid": "Кликните в любом месте координатной сетки",
"CPU temperature": "Температура процессора",
"Calibrate": "Калибровка",
"Calibrate FarmBot's camera for use in the weed detection software.": "Калибровка камеры FarmBot-а для процесса поиска сорняков.",
"Calibration Object Separation": "Расстояние между калибровочными объектами",
@ -144,6 +68,7 @@ module.exports = {
"Can't execute unsaved sequences": "Нужно сохранить функцию перед выполнением",
"Cancel": "Отмена",
"Cannot change from a Regimen to a Sequence.": "Не могу переключить с режима на функцию.",
"Cannot delete built-in pin binding.": "Невозможно удалить встроенные настройки.",
"Change Ownership": "Смена владельца",
"Change Password": "Изменить пароль",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Аппаратные характеристики вашего робота настраиваются в представленных ниже полях. Предостережение: необдуманное внесение изменений в эти настройки может привести к повреждению аппаратной части вашего FarmBot-а. Протестируйте все внесенные изменения прежде, чем робот начнет работать на новых настройках без вашего контроля. Подсказка: после внесения изменений перекалибруйте FarmBot-а и протестируйте его работоспособность на нескольких последовательностях, чтобы убедиться, что все работает как нужно.",
@ -152,7 +77,6 @@ module.exports = {
"Change the account FarmBot is connected to.": "Сменить аккаунт, к которому подключен этот робот.",
"Check Again": "Проверить снова",
"Choose a crop": "Выберите рассаду",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this postion. Press the back arrow to exit.": "Кликните в нужное место координатной сетки. После этого, нажмите кнопку, чтобы FarmBot подъехал к указанной позиции. Кликните стрелку \"Назад\" для выхода.",
"Click the edit button to add or edit a feed URL.": "Нажмите кнопку \"Редактировать\", чтобы добавить или отредактировать URL видеопотока",
"Collapse All": "Свернуть все",
"Color Range": "Диапазон цветов",
@ -168,15 +92,18 @@ module.exports = {
"Could not delete image.": "Не удалось удалить изображение.",
"Could not download FarmBot OS update information.": "Не удалось скачать информацию об обновлении FarmBot OS.",
"Create Account": "Создать Аккаунт",
"Create An Account": "Создать Аккаунт",
"Create logs for sequence:": "Создать логи для Функции:",
"Create point": "Создать точку",
"Created At:": "Создано:",
"Customize your web app experience.": "Настройте Web-приложение под себя.",
"DIAGNOSTIC CHECK": "ДИАГНОСТИКА",
"DISCONNECTED": "ОТКЛЮЧЕНО",
"DRAG COMMAND HERE": "ПЕРЕТАЩИТЕ КОМАНДУ СЮДА",
"Danger Zone": "Опасная зона (не нажимай, не подумав)",
"Data Label": "Название",
"Date": "Дата",
"Day": "День",
"Day {{day}}": "день {{day}}",
"Days": "Дни",
"Debug": "Отладка",
@ -185,18 +112,24 @@ module.exports = {
"Delete Photo": "Удалить фото",
"Delete all created points": "Удалить все созданные точки",
"Delete all of the points created through this panel.": "Удалить все точки, созданные через эту панель.",
"Delete all the points you have created?": "Удалить все созданные точки?",
"Delete multiple": "Удалить несколько",
"Delete selected": "Удалить выделенное",
"Delete this plant": "Удалить это растение",
"Deleted farm event.": "Удаленное событие.",
"Deleting...": "Удаление...",
"Description": "Описание",
"Deselect all": "Снять выделение",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Находить сорняки при помощи камеры и отображать их на карте Дизайнера грядки.",
"Deviation": "Отклонение",
"Device": "Робот",
"Diagnose connectivity issues with FarmBot and the browser.": "Это окно позволяет выявить проблемы со связью между FarmBot-ом и браузером.",
"Diagnosis": "Диагноз",
"Diagnostic Report": "Диагностический отчет",
"Diagnostic Reports": "Диагностические отчеты",
"Digital": "Цифровой",
"Discard Unsaved Changes": "Отменять несохраненные изменения",
"Disconnected.": "Отключено.",
"Display Encoder Data": "Отображать данные с энкодеров",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": " Отображение виртуального пройденного маршрута робота в окне дизайнера грядки позволяет просматривать историю перемещений и обработки. Переключение этого параметра очистит отображаемый пройденный маршрут.",
"Display plant animations": "Отображать анимацию растений",
@ -206,18 +139,16 @@ module.exports = {
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Не выводить напоминание о сохранении данных при закрытии вкладки браузера. Внимание: это может привести к потере данных.",
"Done": "Готово",
"Double default map dimensions": "Удвоить значения карты по умолчанию",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Выделите группу растений, зажав левую кнопку мыши или нажмите стрелку \"Назад\" для выхода.",
"Drag and drop": "Перетащите",
"Drag and drop into map": "Перетащи на карту",
"Dynamic map size": "Динамический размер карты",
"E-Stop on Movement Error": "Активировать E-Stop при ошибках в движении",
"ELSE...": "ИНАЧЕ...",
"ENCODER TYPE": "ТИП ЭНКОДЕРА",
"EXECUTE SEQUENCE": "ВЫПОЛНИТЬ ФУНКЦИЮ",
"Edit": "Редактировать",
"Edit Farm Event": "Редактировать событие",
"Edit on": "Редактирование включено",
"Email": "Email",
"Email has been sent.": "Email отправлен.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Включать E-STOP, если движение не выполнено после максимального числа попыток.",
"Enable 2nd X Motor": "Активировать второй двигатель по оси X",
@ -233,7 +164,6 @@ module.exports = {
"Enter Password": "Введите пароль",
"Enter a URL": "Введите URL",
"Error": "Ошибка",
"Error saving device settings.": "Ошибка при сохранении настроек робота.",
"Error taking photo": "Ошибка при фотографировании",
"Every": "Каждый",
"Execute Sequence": "Выполнить Функцию",
@ -245,13 +175,10 @@ module.exports = {
"Export all data related to this device. Exports are delivered via email as JSON.": "Экспортировать все данные, связанные с этим роботом. Экспортированные данные отправляются на email в формате JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Отправлен запрос на экспорт. Время ожидания может составить до 10 минут.",
"FACTORY RESET": "СБРОС НА ЗАВОДСКИЕ НАСТРОЙКИ",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "АВТООБНОВЛЕНИЕ FARMBOT OS",
"FIRMWARE": "ПРОШИВКА",
"Factory Reset": "Сброс устройства",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's abilily to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Сброс на заводские настройки вашего FarmBot-а уничтожит на нем все данные, FarmBot забудет вашу домашнюю сеть WiFi и данные аккаунта в Web-приложении. После сброса, FarmBot перезагрузится в режиме конфигурирования. Сброс никак не повлияет на ваши данные и настройки в Web-приложении, что позволит полностью восстановить настройки FarmBot-а как только он подключится к Web-приложению.",
"Farm Designer": "Дизайнер грядки",
"Farm Events": "События",
"FarmBot Web App": "Web-приложение FarmBot",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot и браузер подключены к интернету (или только-что были). Попробуйте обновить браузер или перезагрузить FarmBot. Если проблема не исчезла, возможно, что-то мешает FarmBot-у подключиться к центру сообщений (используемому для связи web-приложения и робота в реальном времени). Проверьте наличие блокировки файерволом порта 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot и браузер подключены к интернету, но web-приложение довольно давно не связывалось с FarmBot-ом. Это может означать что FarmBot довольно давно не синхронизировался, что не является проблемой. Однако, если вы испытываете трудности при управлении FarmBot-ом, это может быть знаком блокировки интернет-трафика FarmBot-а.",
@ -259,8 +186,9 @@ module.exports = {
"FarmBot is at position ": "FarmBot на позиции ",
"FarmBot is not connected.": "FarmBot не подключен.",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot отправил некорректное сообщение. Возможно, вам нужно обновить FarmBot OS. Пожалуйста обновите FarmBot OS и снова зайдите в аккаунт.",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "Время запуска события должно быть указано в будущем, а не в прошлом.",
"Farmware (plugin) details and management.": "Настройки и управление Farmware (плагинами).",
"Farmware Tools version": "Версия Farmware",
"Feed Name": "Имя видеопотока",
"Filter logs": "Фильтровать логи",
"Filters active": "Фильтровать активные",
@ -271,8 +199,9 @@ module.exports = {
"First-party Farmware": "Первичная прошивка",
"Forgot password?": "Забыли пароль?",
"Full Name": "Полное имя",
"Fun": "Прикол",
"GO": "СТАРТ",
"HOME {{axis}}": "В начало {{axis}}",
"Garden Saved.": "Грядка сохранена.",
"HOMING": "Поиск домашней позиции",
"HUE": "Оттенок",
"Hardware": "Аппаратная часть",
@ -287,7 +216,6 @@ module.exports = {
"Homing and Calibration": "Поиск домашней позиции и калибровка",
"Hotkeys": "Горячие клавиши",
"I Agree to the Terms of Service": "Я согласен с правилами и положениями",
"I agree to the terms of use": "Я согласен с правилами использования",
"IF STATEMENT": "ОПЕРАТОР \"ЕСЛИ\"",
"IF...": "ЕСЛИ...",
"ITERATION": "Итерация",
@ -298,11 +226,13 @@ module.exports = {
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "Если у вас есть Web-камера, вы можете просматривать видеопоток в этом окне. Нажмите кнопку \"Редактировать\", если требуется исправить URL вашей Web-камеры.",
"Image Deleted.": "Картинка удалена.",
"Image loading (try refreshing)": "Загрузка изображение (попробуйте обновить страницу)",
"Import coordinates from": "Импортировать координаты из",
"Info": "Инфо",
"Information": "Информация",
"Input is not needed for this Farmware.": "Для этого плагина не требуется настройка.",
"Install": "Установка",
"Internationalize Web App": "Internationalize Web App",
"Install new Farmware": "Установить новый плагин",
"Internet": "Интернет",
"Invalid Raspberry Pi GPIO pin number.": "Неверный номер пина Rasberry Pi.",
"Invert 2nd X Motor": "Инвертировать направление второго двигателя оси X",
"Invert Encoders": "Инвертировать энкодеры",
"Invert Endstops": "Инвертировать концевые датчики",
@ -313,6 +243,7 @@ module.exports = {
"Invert direction of motor during calibration.": "Инвертировать направление двигателя во время калибровки.",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Удерживать питание на двигателях во время простоя. Эта функция помогает препятствовать сползанию оси Z вследствие гравитации, а также полезна при отсутствии энкодеров на осях X и Y.",
"LAST SEEN": "Замечен в последний раз",
"Language": "Язык",
"Last message seen ": "Последнее сообщение было ",
"Lighting": "Освещение",
"Loading": "Загрузка",
@ -322,16 +253,18 @@ module.exports = {
"Log all debug received from firmware (clears after refresh).": "Записывать в лог все отладочные сообщения от робота (очищается после обновления).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Записывать в лог все ответные сообщения от робота (очищается после обновления). Внимание: лог очень подробный.",
"Login": "Войти",
"Login failed.": "Ошибка входа.",
"Logout": "Выход",
"Logs": "Логи",
"MAINTENANCE DOWNTIME": "ТЕХ. ОБСЛУЖИВАНИЕ",
"MORPH": "ПРЕОБРАЗОВАНИЕ",
"MOVE ABSOLUTE": "АБСОЛЮТНОЕ ПЕРЕМЕЩЕНИЕ",
"MOVE AMOUNT (mm)": "Переместить на (мм)",
"MOVE RELATIVE": "ОТНОСИТЕЛЬНОЕ ПЕРЕМЕЩЕНИЕ",
"Manage": "Управление",
"Manage Farmware (plugins).": "Управление Farmware (плагинами).",
"Manual input": "Ручной ввод",
"Map": "Карта",
"Map Points": "Точки на карте",
"Max Missed Steps": "Максимально разрешенное число пропущенных шагов",
"Max Retries": "Максимально число попыток",
"Max Speed (steps/s)": "Макс. скорость (шагов/с)",
@ -339,16 +272,21 @@ module.exports = {
"Menu": "Меню",
"Message": "Сообщение",
"Message Broker": "Центр сообщений",
"Min OS version required": "Минмально допустимая версия ОС",
"Minimum Speed (steps/s)": "Мин. скорость (шагов/с)",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Минимальная скорость перемещения, в шагах за секунду. Эта скорость используется для поиска домашней позиции и калибровки.",
"Mode": "Режим",
"Month": "Месяц",
"Motor Coordinates (mm)": "Координаты двигателя (мм)",
"Motors": "Двигатели",
"Move": "Перемещение",
"Move Absolute": "Абсолютное Перемещение",
"Move FarmBot to this plant": "Переместить робота к этому растению",
"Move Relative": "Относительное Перемещение",
"Move to location": "Двигаться к точке",
"Move to this coordinate": "Двигаться к данной координате",
"Must be a positive number. Rounding up to 0.": "Число должно быть положительным. Округляю до 0.",
"My Farmware": "Мои плагины",
"NAME": "ИМЯ",
"Name": "Имя",
"Negative Coordinates Only": "Только отрицательные координаты",
@ -362,14 +300,14 @@ module.exports = {
"Newer than": "Новее чем",
"Next": "Следующий",
"No Executables": "Нет исполняемых файлов",
"No Regimen selected. Click one in the Regimens panel to edit, or click \"+\" in the Regimens panel to create a new one.": "Режим не выбран. Выберите один из них для редактирования или кликните \"+\" на панели Режимы, чтобы создать новый.",
"No Sequence selected. Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Функция не выбрана. Выберите одну из них для редактирования или кликните \"+\" чтобы создать новую.",
"No day(s) selected.": "Дни не выбраны.",
"No inputs provided.": "Нет входных данных.",
"No logs to display. Visit Logs page to view filters.": "Нет логов важных. Для детального просмотра, перейдите на вкладку \"Логи\"",
"No logs yet.": "Пока логов нет.",
"No messages seen yet.": "Пока не было ни одного сообщения",
"No recent messages.": "Нет новых сообщений",
"No results.": "Не найдено.",
"No saved gardens yet.": "Пока нет сохраненных грядок.",
"No webcams yet. Click the edit button to add a feed URL.": "Веб-камеры не добавлены. Нажмите кнопку \"Редактировать\", чтобы добавить URL видеопотока.",
"None": "Нет",
"Not Set": "Не задано",
@ -380,19 +318,18 @@ module.exports = {
"Number of times to retry a movement before stopping.": "Количество попыток повторить движение перед аварийной остановкой.",
"OFF": "Откл",
"ON": "Вкл",
"Ok": "Ok",
"Old Password": "Текущий пароль",
"Older than": "Старше чем",
"Operator": "Оператор",
"Origin": "Начальная точка",
"Origin Location in Image": "Начальная точка на изображении",
"Other": "Другое",
"Outside of planting area. Plants must be placed within the grid.": "За границей зоны посадки. Растения должны быть расположены внутри зоны посадки.",
"Package Name": "Имя пакета",
"Page Not Found.": "Страница не найдена.",
"Parameters": "Параметры",
"Password": "Пароль",
"Password change failed.": "Смена пароля не удалась.",
"Period End Date": "Время окончания периода",
"Peripheral ": "Периферия ",
"Peripherals": "Периферия",
"Photos": "Фотографии",
@ -405,6 +342,7 @@ module.exports = {
"Pin Guard {{ num }}": "Защита пина {{ num }}",
"Pin Mode": "Режим пина",
"Pin Number": "Номер пина",
"Pin number cannot be blank.": "Нужно заполнить поле с номером пина.",
"Pin numbers are required and must be positive and unique.": "Номера пинов должны быть заданы и должны быть положительными и уникальными.",
"Pin numbers must be less than 1000.": "Номера пинов должны быть меньше 1000.",
"Pin numbers must be unique.": "Номера пинов должны быть уникальны",
@ -418,6 +356,8 @@ module.exports = {
"Plants?": "Растения?",
"Please check your email for the verification link.": "Пожалуйста проверьте почту и активируйте ссылку для верификации.",
"Please check your email to confirm email address changes": "Пожалуйста проверьте почту для подтверждения смены адреса",
"Please clear current garden first.": "Пожалуйста сначала очистите эту грядку.",
"Please select a sequence or action.": "Пожалуйста выберите функцию или действие.",
"Points?": "Точки?",
"Position (x, y, z)": "Позиция (x, y, z)",
"Positions": "Координаты",
@ -427,6 +367,7 @@ module.exports = {
"Presets:": "Предустановки:",
"Prev": "пред.",
"Privacy Policy": "Политика конфиденциальности",
"Problem Loading Terms of Service": "Проблема загрузки правил и соглашений",
"Processing Parameters": "Параметры обработки",
"Processing now. Results usually available in one minute.": "Обрабатываю. Результат обычно доступен в течение одной минуты.",
"Provided new and old passwords match. Password not changed.": "Новый и старый пароли совпадают. Пароль не был изменен.",
@ -435,12 +376,16 @@ module.exports = {
"RESTART": "ПЕРЕЗАГРУЗКА",
"RESTART FARMBOT": "ПЕРЕЗАГРУЗИТЬ РОБОТА",
"Raspberry Pi Camera": "Камера Raspberry Pi",
"Raspberry Pi Info": "Статус Raspberry Pi",
"Raw Encoder data": "Импульсы энкодера",
"Raw encoder position": "Положение энкодера (в импульсах) ",
"Read Pin": "Считать пин",
"Read Status": "Считать статус",
"Read speak logs in browser": "Читать логи вслух",
"Reboot": "Перезагрузка",
"Received": "Получено",
"Received change of ownership.": "Принят запрос на смену владельца.",
"Record Diagnostic": "Записать диагностику",
"Recursive condition.": "Рекурсивное условие.",
"Redirecting...": "Перенаправляю...",
"Regimen Editor": "Редактор Режимов",
@ -453,6 +398,7 @@ module.exports = {
"Repeats?": "Повторения?",
"Request sent": "Запрос отправлен",
"Resend Verification Email": "Повторная отправка письма для верификации",
"Reserved Raspberry Pi pin may not work as expected.": "Зарезервированный пин Raspberry Pi может работать не так, как ожидается.",
"Reset": "Сброс",
"Reset Password": "Сброс Пароля",
"Reset hardware parameter defaults": "Сброс настроек аппаратной части",
@ -466,9 +412,15 @@ module.exports = {
"SET ZERO POSITION": "УСТ. НУЛЕВОЙ ПОЗИЦИИ",
"SHUTDOWN": "ВЫКЛЮЧИТЬ",
"SHUTDOWN FARMBOT": "ВЫКЛЮЧИТЬ РОБОТА",
"SYNC ERROR": "ОШИБКА СИНХР.",
"SYNC NOW": "СИНХРОНИЗИРОВАТЬ",
"SYNCED": "СИНХРОНИЗИРОВАНО",
"SYNCING": "СИНХРОНИЗИРУЮ",
"Save": "Сохранить",
"Save sequence and sync device before running.": "Сохраните Функцию и сделайте синхронизацию перед запуском.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Сделать снимок системной информации FarmBot OS, включая данные устройства и пользователя, и сохранить их в базу данных. Вам будет возвращен код, по которому служба поддержки сможет посмотреть этот снимок и поможет вам в устранении проблем.",
"Saved": "Сохранено",
"Saved Gardens": "Сохраненные грядки",
"Saving": "Сохраняю",
"Scaled Encoder (mm)": "Масштабированный энкодер (мм)",
"Scaled Encoder (steps)": "Масштабированный энкодер (шаги)",
@ -495,10 +447,13 @@ module.exports = {
"Send a log message upon the start of sequence execution.": "Записывать лог момент запуска Функции.",
"Sending camera configuration...": "Отправляю конфигурацию камеры...",
"Sending firmware configuration...": "Отправляю аппаратную конфигурацию...",
"Sensor": "Датчик",
"Sensor History": "История датчиков",
"Sensors": "Датчики",
"Sent": "Отправлено",
"Sequence": "Функция",
"Sequence Editor": "Редактор Функций",
"Sequence Name": "Название функции",
"Sequence or Regimen": "Функция или Режим",
"Sequences": "Функции",
"Server": "Сервер",
@ -506,11 +461,12 @@ module.exports = {
"Set the current location as zero.": "Задать текущую позицию как нулевую.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Задайте длину каждой оси для программного ограничения перемещения. Используется только если включен переключатель \"Остановка на максимуме\".",
"Setup, customize, and control FarmBot from your": "Запускайте, настраивайте и контролируйте FarmBot с вашего",
"Show Previous Period": "Показать предыдущий период",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Показывать диалог подтверждения при нажатии на иконку удаления шага Функции.",
"Show in list": "Показывать в списке",
"Shutdown": "Выключение",
"Slot": "Слот",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Захват фотографии с помощью камеры робота. Выберите тип камеры на странице \"Робот\".",
"Snapshot": "Снимок",
"Soil Moisture": "Влажность почвы",
"Soil Sensor": "Датчик влажности почвы",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Неизвестная причина мешает нормальной работе робота. Больше информации смотрите в таблице сверху.",
@ -533,15 +489,15 @@ module.exports = {
"Swap Endstops": "Поменять местами концевые датчики",
"Swap axis minimum and maximum end-stops.": "Поменять местами начальные и конечные концевые датчики.",
"Swap jog buttons (and rotate map)": "Поменять местами кнопки управления (и повернуть карту)",
"Sync": "Синхр.",
"TAKE PHOTO": "СДЕЛАТЬ ФОТО",
"THEN...": "ТО...",
"TIME ZONE": "ВРЕМЕННАЯ ЗОНА",
"Take Photo": "Сделать фото",
"Take a Photo": "Сделать фото",
"Take and view photos with your FarmBot's camera.": "Захватывайте и просматривайте фото с помощью камеры вашего FarmBot-а.",
"Terms of Service": "Условия обслуживания",
"Terms of Use": "Условия использования",
"Test": "Тест",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "Для тех параметров, значение которых не задано явно в настройках команды, плагин будет использовать значения, заданные на странице Farmware.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "Шаг \"Поиск домашней позиции\" дает роботу команду найти начало координат для выбранной оси или осей.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "Шаг \"Абсолютное перемещение\" дает FarmBot-у команду двигаться к указанным координатам независимо от текущей позиции. Например, если FarmBot сейчас на позиции X=1000, Y=1000, и он получает эту команду с координатами X=0 and Y=3000, он переместится к координатам X=0, Y=3000. Если перемещение выполняется по нескольким координатам, робот будет двигаться по диагонали. Если вам нужно, чтобы он двигался сначала по одной координате, а потом по другой - используйте несколько шагов \"Абсолютное перемещение\". Настройка сдвигов позволяет дать команду FarmBot-у подъехать к выбранной координате, но со смещением по нужной оси. Например, подъехать на позицию, расположенную выше насадки. Использование смещений позволяет FarmBot-у посчитать всю математику за вас.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "Шаг \"Относительное перемещение\" дает FarmBot-у команду двигаться на указанное расстояние относительно текущей позиции. Например, если FarmBot сейчас на позиции X=1000, Y=1000, и он получает эту команду с координатами X=0 и Y=3000, он переместится на позицию X=1000, Y=4000. Если перемещение выполняется по нескольким координатам, робот будет двигаться по диагонали. Если вам нужно, чтобы он двигался сначала по одной координате, а потом по другой - используйте несколько шагов \"Относительное перемещение\". Шаги \"Относительное перемещение\" должны следовать после шага \"Абсолютное перемещение\", чтобы движение робота начиналось с известной позиции.",
@ -557,7 +513,6 @@ module.exports = {
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "Нет доступа к FarmBot-у или центру сообщений. Обычно эта ошибка появляется при использовании старого браузера (Internet Explorer) или файерволов, которые блокируют WebSockets на порту 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "Это список базовых команд, которые может исполнять FarmBot. Перетаскивайте их, чтобы создавать Функции для полива, посадки семян, измерения параметров почвы и т.д.",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "Для этого события, видимо, не задано корректное время для запуска. Возможно, вы ввели неверные даты?",
"This account did not have a timezone set. Farmbot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "На этом аккаунте не установлена временная зона. Farmbot-у для работы требуется задание временной зоны. Мы обновили настройку временной зоны, основываясь на данных вашего браузера. Пожалуйста проверьте эту настройку в окне \"Робот\". После этого рекомендуется синхронизация.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "Эта команда не будет работать корректно, потому-что на выбранной оси не задействованы концевые датчики или энкодеры. Задействуйте концевые датчики или энкодеры на странице \"Робот\" для: ",
"This is a list of all of your regimens. Click one to begin editing it.": "Это список всех ваших Режимов. Кликните на один из них, чтобы начать его редактирование.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "Это список всех насадок вашего FarmBot-а. Нажмите на кнопку \"Редактировать\", чтобы добавить, отредактировать или удалить насадку.",
@ -568,6 +523,7 @@ module.exports = {
"Time in milliseconds": "Время в миллисекундах",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Время в минутах на попытку подключения к WiFi перед сбросом к заводским настройкам.",
"Time is not properly formatted.": "Формат времени не верен.",
"Time period": "Период времени",
"Timeout (sec)": "Таймаут (сек)",
"Timeout after (seconds)": "Таймаут после (секунд)",
"To State": "Конечное состояние",
@ -589,6 +545,7 @@ module.exports = {
"UPDATE": "Обновить",
"USB Camera": "USB-камера",
"Unable to load webcam feed.": "Не удалось получить видеопоток с Web-камеры.",
"Unable to resend verification email. Are you already verified?": "Не удалось повторно отправить email верификации. Верификация уже пройдена?",
"Unable to save farm event.": "Не удалось сохранить событие.",
"Unexpected error occurred, we've been notified of the problem.": "Произошла непредвиденная ошибка. Разработчики были уведомлены",
"Until": "До",
@ -608,46 +565,45 @@ module.exports = {
"Verification email resent. Please check your email!": "Письмо для верификации было отправлено повторно. Пожалуйста проверьте свою почту!",
"Version": "Версия",
"Version {{ version }}": "Версия {{ version }}",
"View": "Вид",
"View and change device settings.": "Просматривайте и изменяйте настройки робота.",
"View and filter historical sensor reading data.": "Просмотр и фильтр истории показаний датчиков.",
"View and filter log messages.": "Просмотр и поиск в сообщениях лога.",
"View, select, and install new Farmware.": "Farmware - это плагины, расширяющие функционал. Эта страница служит для их настройки и установки",
"WAIT": "ОЖИДАНИЕ",
"WARNING! Deleting your account will permanently delete all of your Sequences , Regimens, Events, and Farm Designer data.Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "ВНИМАНИЕ! Удаление вашего аккаунта навсегда удалит все созданные вами Функции, Режимы, События, и данные Дизайнера грядки. При удалении вашего аккаунта, FarmBot прекратит функционировать и будет недоступен до тех пор, пока не будет подключен к другому аккаунту Web-приложения. Чтобы это сделать, вам потребуется перезапустить вашего FarmBot-а, чтобы он перешел в режим настройки и мог быть привязан к другому аккаунту. Когда это произойдет, все данные на вашем Farmbot-е будут перезаписаны данными нового аккаунта. Если этот аккаунт полностью новый, FarmBot будет как чистый лист.",
"WRITE PIN": "ЗАПИСАТЬ ПИН",
"Wait": "Ожидание",
"Warn": "Предупреждение",
"Warning": "Предупреждение",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Предупреждение! Бета-версии FarmBot OS менее стабильны. Вы уверены?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Предупреждение! Это ЭКСПЕРИМЕНТАЛЬНАЯ возможность. Она может не работать или помешать нормальной работе остальной части приложения. Она может исчезнуть или перестать работать в любой момент.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Внимание! Если включено, все несохраненные изменения будут отменяться при принудительном обновлении или закрытии страницы. Вы уверены?",
"Warning: Farmbot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Предупреждене: Farmbot не смог определить вашу временную зону. Мы сбросили ее в UTC, что не подойдет большинству пользователей. Пожалуйста, выберите вашу временную зону из выпадающего списка. После этого рекомендуется синхронизация с роботом.",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Внимание: пин(вход), к которому происходит привязка, должен быть подключен через подтягивающий на землю резистор, потому что без поддтяжки возможны ложные срабатывания от любых помех.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Предупреждение: это действие удалит все данные с SD-карты вашего FarmBot-а, вам нужно будет заново настроить FarmBot-а, чтобы он смог подключиться к вашему WiFi и аккаунту в Web-приложении. Сброс к заводским настройкам не удалит данные, хранящиеся на вашем аккаунте Web-приложения. Вы уверены, что хотите продолжить?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Предупреждение: это действие сбросит все настройки робота к значениям по умолчанию. Вы уверены, что хотите продолжить?",
"Water": "Подача воды",
"Watering Nozzle": "Поливочная насадка",
"Webcam Feeds": "Веб-камеры",
"Weed Detector": "Детектор Сорняков",
"Weeder": "Насадка для прополки",
"Week": "Неделя",
"Welcome to the": "Добро пожаловать в",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "Если опция включена, FarmBot OS будет периодически проверять, скачивать и устанавливать обновления.",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "Если включено, настройки, такие как список Функций и Режимов будут автоматически отправляться роботу. Это убирает необходимость нажимать кнопку \"СИНХРОНИЗИРОВАТЬ\" после внесения изменений в Web-приложении. Изменения, сделанные в Режимах и Функциях, отправляются роботу мгновенно.",
"WiFi Strength": "Сигнал WiFi",
"Widget load failed.": "Не удалось загрузить окно.",
"Write Pin": "Записать пин",
"X": "X",
"X (mm)": "X (мм)",
"X AXIS": "Ось X",
"X Axis": "Ось X",
"X position": "Позиция X",
"X-Offset": "Сдвиг X",
"Y": "Y",
"Y (mm)": "Y (мм)",
"Y AXIS": "Ось Y",
"Y Axis": "Ось Y",
"Y position": "Позиция Y",
"Y-Offset": "Сдвиг Y",
"Year": "Год",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "Либо вы используете браузер, который не поддерживает WebSockets, или ваш файервол блокирует порт 3002. Не пытайтесь управлять роботом, пока не устраните эту проблему. Для работы требуется современный браузер, не блокируемый файерволом и стабильное интернет-соединение.",
"You are running an old version of FarmBot OS.": "У Вас используется устаревшая версия FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "Вы планируете запустить Режим сегодня. Помните, что Функции, запланированные на время, которое уже прошло, не будут выполнены. Если такие Функции есть, предлагаем перенести выполнение Режима на завтра.",
"You have been logged out.": "Был совершен выход из аккаунта.",
"You haven't made any regimens or sequences yet. Please create a": "Не создан не один Режим или Функция. Пожалуйста создайте",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "Робот FarmBot еще не сделал ни одно фото. Когда фото будут сделаны, они отобразятся здесь.",
"You may click the button below to resend the email.": "Можно кликнуть на кнопку ниже, чтобы отправить письмо заново.",
@ -656,21 +612,24 @@ module.exports = {
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Ваш браузер не блокируется файерволом и подключен корректно, но записей о недавной связи с роботом не обнаружено. Обычно это связано с плохим качеством сигнала WiFi в саду, неверно указанным паролем WiFi, или тем, что робот был выключен очень долгое время.",
"Your password is changed.": "Ваш пароль изменен.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Ваша версия FarmBot OS устарела и перестанет поддерживаться в ближайшем будущем. Пожалуйста, обновите своего робота при первой возможности.",
"Z": "Z",
"Z (mm)": "Z (мм)",
"Z AXIS": "Ось Z",
"Z Axis": "Ось Z",
"Z position": "Позиция Z",
"Z-Offset": "Сдвиг Z",
"active": "активн.",
"analog": "аналоговый",
"any": "любой",
"apply": "применить",
"back": "назад",
"clear filters": "сбросить фильтры",
"color": "цвет",
"computer": "ПК",
"days old": "дней",
"delete": "удалить",
"detect weeds": "обнаружить сорняки",
"digital": "цифровой",
"filter": "фильтр",
"from": "от",
"image": "картинка",
"in slot": "в слоте",
"is": "равно",
"is equal to": "равно",
@ -684,87 +643,306 @@ module.exports = {
"mm": "мм",
"more bugs!": "больше багов!",
"move mode": "режим движения",
"name": "имя",
"new sequence {{ num }}": "новая Функция {{ num }}",
"no": "нет",
"normal": "нормально",
"off": "откл",
"on": "вкл",
"page": "",
"perform homing (find home)": "Искать домашнюю позицию по концевым датчикам",
"plant icon": "иконка растения",
"plants": "растения",
"radius": "радиус",
"read sensor": "считать датчик",
"saved": "сохранено",
"smartphone": "смартфона",
"submit": "подтвердить",
"tablet": "планшета",
"target": "цель",
"to": "к",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "чтобы добавить растение на карту. Вы можете добавить сколько угодно растений, после чего нажмите \"Готово\", чтобы закончить.",
"unknown": "неизвестно",
"v1.4 Stock Bindings": "Значения по-умолчанию для v1.4",
"weeds": "сорняков",
"x and y axis": "Осей X и Y",
"yes": "да",
"zero {{axis}}": "обнулить {{axis}}",
"{{seconds}} seconds!": "{{seconds}} сек!",
"{{seconds}} seconds!": "{{seconds}} сек!"
},
"untranslated": {
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"actions": "actions",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"and": "and",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"as": "as",
"Axis Length (mm)": "Axis Length (mm)",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Beta release Opt-In": "Beta release Opt-In",
"Binomial Name": "Binomial Name",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Close": "Close",
"Common Names": "Common Names",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not fetch package name": "Could not fetch package name",
"Create farm events": "Create farm events",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Customize your web app experience": "Customize your web app experience",
"days": "days",
"Delete all Farmware data": "Delete all Farmware data",
"Disk usage": "Disk usage",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"E-STOP": "E-STOP",
"Edit this plant": "Edit this plant",
"Email": "Email",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error deleting Farmware data": "Error deleting Farmware data",
"Events": "Events",
"exit": "exit",
"Exit": "Exit",
"extras": "extras",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"FARMBOT OS": "FARMBOT OS",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot?": "FarmBot?",
"Farmware": "Farmware",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"find home": "find home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"find new features": "find new features",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Height": "Height",
"Help": "Help",
"hide": "hide",
"Historic Points?": "Historic Points?",
"hours": "hours",
"Hours": "Hours",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"Image": "Image",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Invalid date": "Invalid date",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"Memory usage": "Memory usage",
"minutes": "minutes",
"Minutes": "Minutes",
"Months": "Months",
"more": "more",
"Motor position plot": "Motor position plot",
"Mounted to:": "Mounted to:",
"move {{axis}} axis": "move {{axis}} axis",
"Move to chosen location": "Move to chosen location",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"new garden name": "new garden name",
"New Terms of Service": "New Terms of Service",
"No events scheduled.": "No events scheduled.",
"No meta data.": "No meta data.",
"No Regimen selected.": "No Regimen selected.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"Not Mounted": "Not Mounted",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Ok": "Ok",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"pin": "pin",
"Please agree to the terms.": "Please agree to the terms.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Position (mm)": "Position (mm)",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Readings?": "Readings?",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Removed": "Removed",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search term too short": "Search term too short",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Select a location": "Select a location",
"show": "show",
"Snapshot current garden": "Snapshot current garden",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Sowing Method": "Sowing Method",
"Spread": "Spread",
"Start tour": "Start tour",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Taxon": "Taxon",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool Mount": "Tool Mount",
"Topics": "Topics",
"Tours": "Tours",
"type": "type",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"unlock device": "unlock device",
"uploading photo": "uploading photo",
"Uptime": "Uptime",
"Use encoders for positioning.": "Use encoders for positioning.",
"value": "value",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"view": "view",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"Viewing saved garden": "Viewing saved garden",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Weeks": "Weeks",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"while your garden is applied.": "while your garden is applied.",
"Would you like to": "Would you like to",
"X": "X",
"Y": "Y",
"Years": "Years",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
" or": " или",
"(Alpha) Enable use of rotary encoders during calibration and homing.": "(Альфа-версия) Задействовать линейные энкодеры при калибровке и поиске домашней позиции.",
"(Alpha) If encoders or end-stops are enabled, home axis (find zero).": "(Альфа-версия) Если энкодеры или концевые датчики задействованы, выполнить поиск домашней позиции.",
"(Alpha) If encoders or end-stops are enabled, home axis and determine maximum.": "(Альфа-версия) Если энкодеры или концевые датчики задействованы, выполнить поиск домашней позиции и максимума координат.",
"(Alpha) Number of steps missed (determined by encoder) before motor is considered to have stalled.": "(Альфа-версия) Число пропущенных шагов (определенных по энкодеру), при котором двигатель считается застопорившимся.",
"(Alpha) Reduction to missed step total for every good step.": "(Альфа-версия) Уменьшение счета пропущенных шагов при каждом хорошо отработанном шаге.",
"(Alpha) Reverse the direction of encoder position reading.": "(Альфа-версия) Инвертировать показания энкодера.",
"ACCELERATE FOR (steps)": "УСКОРЕНИЕ (шаги)",
"ALLOW NEGATIVES": "РАЗРЕШИТЬ ОТРИЦАТЕЛЬНЫЕ",
"Add": "Добавить",
"Add plant at current FarmBot location {{coordinate}}": "Добавить растение на текущие координаты Робота {{coordinate}}",
"Agree to Terms of Service": "Я согласен с условиями обслуживания",
"Almost done! Check your email for the verification link.": "Почти готово! Пожалуйста проверьте почту и активируйте ссылку для верификации.",
"Are you sure you want to delete {{length}} plants?": "Вы уверены что хотите удалить {{length}} растений?",
"Auth: Bad email or password.": "Ошибка: неверный логин или пароль.",
"BOOTING": "ЗАГРУЗКА",
"Axis Length (steps)": "Длина оси (шагов)",
"Bot ready": "Робот Готов",
"CONTROLLER": "Контроллер",
"Camera": "Камера",
"Check for Updates": "Проверка обновлений.",
"Choose a species": "Выберите вид",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this postion. Press the back arrow to exit.": "Кликните в нужное место координатной сетки. После этого, нажмите кнопку, чтобы FarmBot подъехал к указанной позиции. Кликните стрелку \"Назад\" для выхода.",
"Confirm Password": "Повторите пароль",
"Could not delete plant.": "Не удалось удалить растение.",
"Could not download sync data": "Невозможно загрузить синхронизированную информацию",
"Create An Account": "Создать Аккаунт",
"Crop Info": "Инфо об Урожае",
"DELETE ACCOUNT": "УДАЛИТЬ АККАУНТ",
"DEVICE": "Робот",
"DRAG STEP HERE": "ПЕРЕТЯНИ СЮДА",
"Deleted {{num}} {{points}}": "Удалено {{num}} {{points}}",
"Designer": "Дизайнер",
"Disconnected.": "Отключено.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Выделите группу растений, зажав левую кнопку мыши или нажмите стрелку \"Назад\" для выхода.",
"Download": "Скачать",
"Drag and drop commands here to create sequences for watering, planting seeds, measuring soil properties, and more. Press the Test button to immediately try your sequence with FarmBot. You can also edit, copy, and delete existing sequences; assign a color; and give your commands custom names.": "Перетаскивайте сюда команды для создания Функций полива, посадки семя, измерения влажности почвы и т.д. Нажмите кнопку \"Тест\", чтобы сразу-же проверить созданную Функцию. Вы также можете редактировать, копировать и удалять Функции; назначать цвет; и давать вашим командам произвольные имена.",
"EDIT": "РЕДАКТИРОВАТЬ",
"ELSE...": "ИНАЧЕ...",
"ENABLE ENCODERS": "ВКЛЮЧИТЬ ЭНКОДЕРЫ",
"EXECUTE SCRIPT": "ВЫПОЛНИТЬ СЦЕНАРИЙ",
"Email sent.": "Email отправлен.",
"Emergency stop": "Аварийная остановка (E-STOP).",
"Emergency unlock": "Сброс Аварйной остановки (E-STOP).",
"Error establishing socket connection": "Ошибка установки сетевого соединения",
"Error saving device settings.": "Ошибка при сохранении настроек робота.",
"Execute Script": "Выполнить Скрипт",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's abilily to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Сброс на заводские настройки вашего FarmBot-а уничтожит на нем все данные, FarmBot забудет вашу домашнюю сеть WiFi и данные аккаунта в Web-приложении. После сброса, FarmBot перезагрузится в режиме конфигурирования. Сброс никак не повлияет на ваши данные и настройки в Web-приложении, что позволит полностью восстановить настройки FarmBot-а как только он подключится к Web-приложению.",
"Farm Events": "События",
"Farm designer": "Дизайнер грядки",
"Forgot Password": "Забыл пароль",
"Fun": "Прикол",
"HOME {{axis}}": "В начало {{axis}}",
"I agree to the terms of use": "Я согласен с правилами использования",
"INVERT ENDPOINTS": "ИНВЕНТИРОВАТЬ ENDSTOPS",
"INVERT MOTORS": "ИНВЕНТИРОВАТЬ ДВИГАТЕЛИ",
"Import coordinates from": "Импортировать координаты из",
"LENGTH (m)": "Длинна (м)",
"MAINTENANCE DOWNTIME": "ТЕХ. ОБСЛУЖИВАНИЕ",
"Map Points": "Точки на карте",
"Login failed.": "Ошибка входа.",
"NETWORK": "СЕТЬ",
"New message from bot": "Сообщение от робота",
"No Regimen selected. Click one in the Regimens panel to edit, or click \"+\" in the Regimens panel to create a new one.": "Режим не выбран. Выберите один из них для редактирования или кликните \"+\" на панели Режимы, чтобы создать новый.",
"No Sequence selected. Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Функция не выбрана. Выберите одну из них для редактирования или кликните \"+\" чтобы создать новую.",
"No beta releases available": "Нет новых Beta-версий",
"No plants in garden. Create some plants first.": "На грядке нет растений. Сначала добавьте растения.",
"Not Connected to bot": "Нет соединения с роботом",
"Offline": "Не в сети",
"Other": "Другое",
"Pin #": "Пин №",
"Pin {{num}}": "Пин {{num}}",
"Power Off Bot": "Отключить питание робота.",
"Problem Loading Terms of Service": "Проблема загрузки правил и соглашений",
"Raspberry Pi GPIO pin already bound.": "Пин Raspberry Pi уже привязан.",
"Reboot Bot": "Перезагрузить робота.",
"Regimen": "Режим",
"Repeats Every": "Повторять каждые",
"SAVE": "СОХРАНИТЬ",
"SLOT": "СЛОТ",
"STATUS": "СТАТУС",
"SYNC ERROR": "ОШИБКА СИНХР.",
"SYNC NOW": "СИНХРОНИЗИРОВАТЬ",
"SYNCED": "СИНХРОНИЗИРОВАНО",
"SYNCING": "СИНХРОНИЗИРУЮ",
"Save ": "Сохранить ",
"Save or load a garden.": "Сохранить или загрузить грядку.",
"Saved ": "Сохранено ",
"Send Password reset": "Отправить сброс пароля",
"Sending": "Отправка",
@ -772,6 +950,7 @@ module.exports = {
"Sequence execution failed": "Ошибка при выполнении функции",
"Server Port": "Порт сервера",
"Server URL": "Сервер URL",
"Snapshot": "Снимок",
"Socket Connection Established": "Сетевое соединение установлено",
"Speed": "Скорость",
"Swap axis end-stops during calibration.": "Поменять местами концевые выключатели во время калибровки.",
@ -782,8 +961,11 @@ module.exports = {
"TOOL": "НАСАДКА",
"TOOL NAME": "НАЗВАНИЕ НАСАДКИ",
"TOOLBAY NAME": "ДЕРЖАТЕЛЬ НАСАДОК",
"Terms of Service": "Условия обслуживания",
"Test": "Тест",
"That email address is not associated with an account.": "Этот email не связан с аккаунтом.",
"The Send Message step instructs FarmBot to send a custom message to the logs (and toast message and/or email, if selected). This can help you with debugging your sequences.": "Шаг \"Отправить сообщение\" дает команду на запись произвольного сообщения в лог (или показ всплывающего сообщения или отправку email). Это бывает полезно при отладке работы функций.",
"This account did not have a timezone set. Farmbot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "На этом аккаунте не установлена временная зона. Farmbot-у для работы требуется задание временной зоны. Мы обновили настройку временной зоны, основываясь на данных вашего браузера. Пожалуйста проверьте эту настройку в окне \"Робот\". После этого рекомендуется синхронизация.",
"Tried to delete Farm Event": "Попытка удаления события",
"Tried to delete plant": "Попытка удаления растения",
"Tried to save Farm Event": "Попытка сохранения события",
@ -794,22 +976,27 @@ module.exports = {
"Unable to send email.": "Не удалось отправить email.",
"Updating... ": "Обновляю... ",
"Verify Password": "Повторите Пароль",
"Warn": "Предупреждение",
"Weed Detector": "Детектор Сорняков",
"View": "Вид",
"WARNING! Deleting your account will permanently delete all of your Sequences , Regimens, Events, and Farm Designer data.Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "ВНИМАНИЕ! Удаление вашего аккаунта навсегда удалит все созданные вами Функции, Режимы, События, и данные Дизайнера грядки. При удалении вашего аккаунта, FarmBot прекратит функционировать и будет недоступен до тех пор, пока не будет подключен к другому аккаунту Web-приложения. Чтобы это сделать, вам потребуется перезапустить вашего FarmBot-а, чтобы он перешел в режим настройки и мог быть привязан к другому аккаунту. Когда это произойдет, все данные на вашем Farmbot-е будут перезаписаны данными нового аккаунта. Если этот аккаунт полностью новый, FarmBot будет как чистый лист.",
"Warning: Farmbot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Предупреждене: Farmbot не смог определить вашу временную зону. Мы сбросили ее в UTC, что не подойдет большинству пользователей. Пожалуйста, выберите вашу временную зону из выпадающего списка. После этого рекомендуется синхронизация с роботом.",
"Will reboot device.": "Устройство будет перезапущено.",
"X-Offset": "Сдвиг X",
"Y-Offset": "Сдвиг Y",
"You have been logged out.": "Был совершен выход из аккаунта.",
"Your web browser is unable to connect to the message broker. You might be behind a firewall or disconnected from the Internet. Check your network settings. View Device > Connectivity for more details.": "Вашему браузеру не удалось подключиться к центру сообщений. Причиной может быть обрыв соединения с интернетом или блокировка вашим Файерволом. Проверьте настройки вашего подключения. Ознакомьтесь с окном \"Робот\" > \"Связь\" для дополнительной информации.",
"Z-Offset": "Сдвиг Z",
"calling FarmBot with credentials": "запрос данных",
"downloading device credentials": "загрузка данных устройства",
"error": "ошибка",
"first.": ".",
"garden name": "Название сада",
"harvested": "собрано",
"high": "выс",
"image": "картинка",
"inactive": "неактивн.",
"initiating connection": "установка соединения",
"never connected to device": "никогда не подключалось к устройству",
"on": "вкл",
"planned": "запланировано",
"planted": "посажено",
"to": "к",
"yes": "да"
"planted": "посажено"
}
}

View File

@ -0,0 +1,32 @@
# Translation summary
_This summary was automatically generated by running the language helper._
Auto-sort and generate translation file contents using:
```bash
node public/app-resources/languages/_helper.js en
```
Where `en` is your language code.
Translation file format can be checked using:
```bash
npm run translation-check
```
See the [README](https://github.com/FarmBot/Farmbot-Web-App#translating-the-web-app-into-your-language) for contribution instructions.
Total number of phrases identified by the language helper for translation: __866__
|Language|Percent translated|Translated|Untranslated|Other Translations|
|:---:|---:|---:|---:|---:|
|de|56%|486|380|36|
|es|10%|83|783|56|
|fr|11%|93|773|90|
|it|11%|96|770|89|
|nl|10%|88|778|56|
|pt|9%|78|788|75|
|ru|77%|669|197|128|
|zh|11%|95|771|56|

View File

@ -1,160 +0,0 @@
module.exports = {
"ACCELERATE FOR (steps)": "加速 (步骤)",
"Account Settings": "帐户设置",
"Add": "添加",
"Add Farm Event": "添加农场事件",
"Age": "年龄",
"Agree to Terms of Service": "同意条款服务",
"ALLOW NEGATIVES": "允许负",
"BACK": "后",
"Bot ready": "机器人准备",
"CALIBRATE {{axis}}": "校正 {{轴}}",
"CALIBRATION": "校准",
"calling FarmBot with credentials": "调用FarmBot与凭证",
"Camera": "照相机",
"Choose a species": "选择一个种类",
"Confirm Password": "确认密码",
"CONTROLLER": "控制器",
"Copy": "复制",
"Could not download sync data": "无法下载同步数据",
"Create Account": "创建帐户",
"Create An Account": "申请一个新帐号",
"Crop Info": "作物信息",
"Data Label": "数据记录单",
"Day {{day}}": "时期 {{day}}",
"days old": "21日龄",
"Delete": "删除",
"DELETE ACCOUNT": "删除帐户",
"Delete this plant": "删除这个植物",
"Designer": "设计师",
"DEVICE": "装置",
"downloading device credentials": "下载设备凭证",
"Drag and drop into map": "拖放到地图上",
"DRAG STEP HERE": "拖一步",
"Edit": "编辑工作",
"EDIT": "编辑工作",
"Edit Farm Event": "编辑农场事件",
"Email": "电子邮件",
"ENABLE ENCODERS": "编码器",
"Enter Email": "输入电子邮件",
"Enter Password": "输入密码",
"Error establishing socket connection": "建立套接字连接错误",
"Execute Script": "执行脚本",
"EXECUTE SCRIPT": "执行脚本",
"Execute Sequence": "执行序列",
"EXECUTE SEQUENCE": "执行序列",
"Factory Reset": "恢复出场设置",
"Farm Events": "农场事件",
"FIRMWARE": "固件",
"Forgot Password": "忘记密码",
"GO": "走",
"I Agree to the Terms of Service": "我同一服务条款",
"I agree to the terms of use": "我同意使用条款",
"If Statement": "条件语句",
"IF STATEMENT": "条件语句",
"Import coordinates from": "进口坐标",
"initiating connection": "初始化连接",
"INVERT ENDPOINTS": "反转端口",
"INVERT MOTORS": "反转电机",
"LENGTH (m)": "长度(m)",
"Location": "位置",
"Login": "登录",
"Logout": "注销",
"Message": "消息",
"Move Absolute": "绝对移动",
"MOVE ABSOLUTE": "绝对移动",
"MOVE AMOUNT (mm)": "移动量 (mm)",
"Move Relative": "相对移动",
"MOVE RELATIVE": "相对移动",
"NAME": "名称",
"NETWORK": "网络",
"never connected to device": "没有连接到设备",
"New Password": "新口令",
"no": "不",
"Not Connected to bot": "没有连接到机器人",
"Old Password": "原口令",
"Operator": "操作员",
"Package Name": "类名",
"Parameters": "参数",
"Password": "口令",
"Pin {{num}}": "引脚 {{num}}",
"Pin Mode": "引脚模式",
"Pin Number": "引脚数",
"Plant Info": "工厂信息",
"Plants": "植物",
"Problem Loading Terms of Service": "服务的问题加载条款",
"Read Pin": "读出引脚",
"READ PIN": "读出引脚",
"Regimen Name": "方案名称",
"Regimens": "方案",
"Repeats Every": "每次重复序列",
"Request sent": "发送请求",
"Reset": "重新设定",
"RESET": "重新设定",
"Reset Password": "重置密码",
"Reset your password": "重置您的密码",
"RESTART": "重新开始",
"RESTART FARMBOT": "重启FARMBOT",
"Save": "保存",
"SAVE": "保存",
"Send Message": "发送信息",
"SEND MESSAGE": "发送信息",
"Send Password reset": "发送密码重置",
"Sequence": "序列",
"Sequence Editor": "序列编辑器",
"Sequence or Regimen": "序列或方案",
"Sequences": "序列",
"Server Port": "服务器端口",
"Server URL": "服务器URL",
"SHUTDOWN": "关机",
"SHUTDOWN FARMBOT": "关闭FARMBOT",
"SLOT": "位置",
"Socket Connection Established": "套接字连接建立",
"Speed": "速度",
"Started": "启动",
"Starts": "开始",
"STATUS": "地位",
"Steps per MM": "步MM",
"Sync Required": "同步要求",
"Take a Photo": "拍照",
"Take Photo": "拍照",
"TAKE PHOTO": "拍照",
"TEST": "测试",
"Time": "时间",
"Time in milliseconds": "时间以毫秒为单位",
"TIMEOUT AFTER (seconds)": "超时后 (秒)",
"TOOL": "工具",
"TOOL NAME": "工具名称",
"TOOLBAY NAME": "工具名字",
"Tried to delete Farm Event": "试图删除农场事件",
"Tried to delete plant": "试图删除植物",
"Tried to save Farm Event": "试图保存农场件",
"Tried to save plant": "试图保存植物",
"Tried to update Farm Event": "试图更新农场事件",
"Unable to delete sequence": "无法删除序列",
"Unable to download device credentials": "无法下载设备凭据",
"Until": "直到",
"UP TO DATE": "最新的",
"UPDATE": "更新",
"Value": "价值",
"Variable": "可变的",
"Verify Password": "验证密码",
"Version": "版本",
"Wait": "等候",
"WAIT": "等候",
"Weed Detector": "杂草探测器",
"Week": "Week",
"Write Pin": "写入引脚",
"WRITE PIN": "写入引脚",
"X": "X",
"X (mm)": "X (mm)",
"X AXIS": "X轴",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y AXIS": "Y轴",
"yes": "是",
"Your Name": "你的名字",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z AXIS": "Z轴"
}

View File

@ -0,0 +1,930 @@
{
"translated": {
"Account Settings": "帐户设置",
"Add Farm Event": "添加农场事件",
"Age": "年龄",
"Agree to Terms of Service": "同意条款服务",
"BACK": "后",
"CALIBRATE {{axis}}": "校正 {{轴}}",
"CALIBRATION": "校准",
"Copy": "复制",
"Create Account": "创建帐户",
"Create An Account": "申请一个新帐号",
"Data Label": "数据记录单",
"Day {{day}}": "时期 {{day}}",
"Delete": "删除",
"Delete this plant": "删除这个植物",
"Drag and drop into map": "拖放到地图上",
"EXECUTE SEQUENCE": "执行序列",
"Edit": "编辑工作",
"Edit Farm Event": "编辑农场事件",
"Email": "电子邮件",
"Enter Email": "输入电子邮件",
"Enter Password": "输入密码",
"Execute Sequence": "执行序列",
"FIRMWARE": "固件",
"Factory Reset": "恢复出场设置",
"GO": "走",
"I Agree to the Terms of Service": "我同一服务条款",
"IF STATEMENT": "条件语句",
"If Statement": "条件语句",
"Location": "位置",
"Login": "登录",
"Logout": "注销",
"MOVE ABSOLUTE": "绝对移动",
"MOVE AMOUNT (mm)": "移动量 (mm)",
"MOVE RELATIVE": "相对移动",
"Message": "消息",
"Move Absolute": "绝对移动",
"Move Relative": "相对移动",
"NAME": "名称",
"New Password": "新口令",
"Old Password": "原口令",
"Operator": "操作员",
"Package Name": "类名",
"Parameters": "参数",
"Password": "口令",
"Pin Mode": "引脚模式",
"Pin Number": "引脚数",
"Plant Info": "工厂信息",
"Plants": "植物",
"Problem Loading Terms of Service": "服务的问题加载条款",
"READ PIN": "读出引脚",
"RESET": "重新设定",
"RESTART": "重新开始",
"RESTART FARMBOT": "重启FARMBOT",
"Read Pin": "读出引脚",
"Regimen Name": "方案名称",
"Regimens": "方案",
"Request sent": "发送请求",
"Reset": "重新设定",
"Reset Password": "重置密码",
"Reset your password": "重置您的密码",
"SEND MESSAGE": "发送信息",
"SHUTDOWN": "关机",
"SHUTDOWN FARMBOT": "关闭FARMBOT",
"Save": "保存",
"Send Message": "发送信息",
"Sequence": "序列",
"Sequence Editor": "序列编辑器",
"Sequence or Regimen": "序列或方案",
"Sequences": "序列",
"Started": "启动",
"Starts": "开始",
"Steps per MM": "步MM",
"TAKE PHOTO": "拍照",
"Take Photo": "拍照",
"Take a Photo": "拍照",
"Time": "时间",
"Time in milliseconds": "时间以毫秒为单位",
"UP TO DATE": "最新的",
"UPDATE": "更新",
"Until": "直到",
"Value": "价值",
"Variable": "可变的",
"Version": "版本",
"WAIT": "等候",
"WRITE PIN": "写入引脚",
"Wait": "等候",
"Weed Detector": "杂草探测器",
"Write Pin": "写入引脚",
"X AXIS": "X轴",
"Y AXIS": "Y轴",
"Your Name": "你的名字",
"Z AXIS": "Z轴",
"days old": "21日龄",
"no": "不",
"yes": "是"
},
"untranslated": {
" copy ": " copy ",
" regimen": " regimen",
" request sent to device.": " request sent to device.",
" sequence": " sequence",
" unknown (offline)": " unknown (offline)",
"(No selection)": "(No selection)",
"(unknown)": "(unknown)",
"{{axis}} (mm)": "{{axis}} (mm)",
"{{axis}}-Offset": "{{axis}}-Offset",
"{{seconds}} seconds!": "{{seconds}} seconds!",
"Accelerate for (steps)": "Accelerate for (steps)",
"Account Not Verified": "Account Not Verified",
"Action": "Action",
"actions": "actions",
"active": "active",
"Add a farm event via the + button to schedule a sequence or regimen in the calendar.": "Add a farm event via the + button to schedule a sequence or regimen in the calendar.",
"Add event": "Add event",
"Add peripherals": "Add peripherals",
"Add plant": "Add plant",
"Add plant at current FarmBot location {{coordinate}}": "Add plant at current FarmBot location {{coordinate}}",
"Add plants": "Add plants",
"Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.": "Add plants by pressing the + button and searching for a plant, selecting one, and dragging it into the garden.",
"Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.": "Add sensors here to monitor FarmBot's sensors. To edit and create new sensors, press the EDIT button.",
"Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.": "Add sequences to your regimen by selecting a sequence from the drop down, specifying a time, choosing which days it should run on, and then clicking the + button. For example: a Seeding sequence might be scheduled for Day 1, while a Watering sequence would be scheduled to run every other day.",
"Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.": "Add the newly created tools to the corresponding toolbay slots on FarmBot: press edit and then + to create a toolbay slot.",
"add this crop on OpenFarm?": "add this crop on OpenFarm?",
"Add to map": "Add to map",
"Add tools": "Add tools",
"Add tools to tool bay": "Add tools to tool bay",
"All": "All",
"All items scheduled before the start time. Nothing to run.": "All items scheduled before the start time. Nothing to run.",
"All systems nominal.": "All systems nominal.",
"Always Power Motors": "Always Power Motors",
"Amount of time to wait for a command to execute before stopping.": "Amount of time to wait for a command to execute before stopping.",
"An error occurred during configuration.": "An error occurred during configuration.",
"analog": "analog",
"Analog": "Analog",
"and": "and",
"any": "any",
"App could not be fully loaded, we recommend you try refreshing the page.": "App could not be fully loaded, we recommend you try refreshing the page.",
"App Settings": "App Settings",
"apply": "apply",
"Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.": "Arduino is possibly unplugged. Check the USB cable between the Raspberry Pi and the Arduino. Reboot FarmBot after a reconnection. If the issue persists, reconfiguration of FarmBot OS may be necessary.",
"Are they in use by sequences?": "Are they in use by sequences?",
"Are you sure you want to delete all items?": "Are you sure you want to delete all items?",
"Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.": "Are you sure you want to delete this first party farmware? Doing so will limit the functionality of your FarmBot and may cause unexpected behavior.",
"Are you sure you want to delete this item?": "Are you sure you want to delete this item?",
"Are you sure you want to delete this step?": "Are you sure you want to delete this step?",
"Are you sure you want to unlock the device?": "Are you sure you want to unlock the device?",
"as": "as",
"Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.": "Assign a sequence to execute when a Raspberry Pi GPIO pin is activated.",
"Attempting to reconnect to the message broker": "Attempting to reconnect to the message broker",
"Author": "Author",
"AUTO SYNC": "AUTO SYNC",
"Automatic Factory Reset": "Automatic Factory Reset",
"Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.": "Automatically factory reset when the WiFi network cannot be detected. Useful for network changes.",
"Axis Length (mm)": "Axis Length (mm)",
"back": "back",
"Back": "Back",
"Bad username or password": "Bad username or password",
"Before logging in, you must agree to our latest Terms of Service and Privacy Policy": "Before logging in, you must agree to our latest Terms of Service and Privacy Policy",
"Begin": "Begin",
"Beta release Opt-In": "Beta release Opt-In",
"BIND": "BIND",
"Binding": "Binding",
"Binomial Name": "Binomial Name",
"BLUR": "BLUR",
"BOOTING": "BOOTING",
"Bottom Left": "Bottom Left",
"Bottom Right": "Bottom Right",
"Box LED 3": "Box LED 3",
"Box LED 4": "Box LED 4",
"Box LEDs": "Box LEDs",
"Browser": "Browser",
"Busy": "Busy",
"Calibrate": "Calibrate",
"Calibrate FarmBot's camera for use in the weed detection software.": "Calibrate FarmBot's camera for use in the weed detection software.",
"Calibration Object Separation": "Calibration Object Separation",
"Calibration Object Separation along axis": "Calibration Object Separation along axis",
"CAMERA": "CAMERA",
"Camera Calibration": "Camera Calibration",
"Camera Offset X": "Camera Offset X",
"Camera Offset Y": "Camera Offset Y",
"Camera rotation": "Camera rotation",
"Can't connect to bot": "Can't connect to bot",
"Can't connect to release server": "Can't connect to release server",
"Can't execute unsaved sequences": "Can't execute unsaved sequences",
"Cancel": "Cancel",
"Cannot change from a Regimen to a Sequence.": "Cannot change from a Regimen to a Sequence.",
"Cannot delete built-in pin binding.": "Cannot delete built-in pin binding.",
"Change Ownership": "Change Ownership",
"Change Password": "Change Password",
"Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.": "Change settings of your FarmBot hardware with the fields below. Caution: Changing these settings to extreme values can cause hardware malfunction. Make sure to test any new settings before letting your FarmBot use them unsupervised. Tip: Recalibrate FarmBot after changing settings and test a few sequences to verify that everything works as expected.",
"Change slot direction": "Change slot direction",
"Change the account FarmBot is connected to.": "Change the account FarmBot is connected to.",
"Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.": "Change the Farm Designer map size based on axis length. A value must be input in AXIS LENGTH and STOP AT MAX must be enabled in the HARDWARE widget.",
"Check Again": "Check Again",
"Choose a crop": "Choose a crop",
"clear filters": "clear filters",
"CLEAR WEEDS": "CLEAR WEEDS",
"Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.": "Click a spot in the grid to choose a location. Once selected, press button to move FarmBot to this position. Press the back arrow to exit.",
"Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.": "Click and drag to draw a point or use the inputs and press update. Press CREATE POINT to save, or the back arrow to exit.",
"CLICK anywhere within the grid": "CLICK anywhere within the grid",
"Click one in the Regimens panel to edit, or click \"+\" to create a new one.": "Click one in the Regimens panel to edit, or click \"+\" to create a new one.",
"Click one in the Sequences panel to edit, or click \"+\" to create a new one.": "Click one in the Sequences panel to edit, or click \"+\" to create a new one.",
"Click the edit button to add or edit a feed URL.": "Click the edit button to add or edit a feed URL.",
"Close": "Close",
"Collapse All": "Collapse All",
"color": "color",
"Color Range": "Color Range",
"Commands": "Commands",
"Common Names": "Common Names",
"Complete": "Complete",
"computer": "computer",
"Confirm New Password": "Confirm New Password",
"Confirm Sequence step deletion": "Confirm Sequence step deletion",
"Connected.": "Connected.",
"Connection Attempt Period": "Connection Attempt Period",
"Connectivity": "Connectivity",
"Controls": "Controls",
"Coordinate": "Coordinate",
"copy": "copy",
"Could not delete image.": "Could not delete image.",
"Could not download FarmBot OS update information.": "Could not download FarmBot OS update information.",
"Could not fetch package name": "Could not fetch package name",
"CPU temperature": "CPU temperature",
"Create farm events": "Create farm events",
"Create logs for sequence:": "Create logs for sequence:",
"create new garden": "create new garden",
"Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.": "Create new gardens from scratch or by copying plants from the current garden. View and edit saved gardens, and, when ready, apply them to the main garden.",
"Create point": "Create point",
"Create regimens": "Create regimens",
"Create sequences": "Create sequences",
"Created At:": "Created At:",
"Customize your web app experience": "Customize your web app experience",
"Customize your web app experience.": "Customize your web app experience.",
"Danger Zone": "Danger Zone",
"Date": "Date",
"Day": "Day",
"days": "days",
"Days": "Days",
"Debug": "Debug",
"delete": "delete",
"Delete Account": "Delete Account",
"Delete all created points": "Delete all created points",
"Delete all Farmware data": "Delete all Farmware data",
"Delete all of the points created through this panel.": "Delete all of the points created through this panel.",
"Delete all the points you have created?": "Delete all the points you have created?",
"Delete multiple": "Delete multiple",
"Delete Photo": "Delete Photo",
"Delete selected": "Delete selected",
"Deleted farm event.": "Deleted farm event.",
"Deleting...": "Deleting...",
"Description": "Description",
"Deselect all": "Deselect all",
"detect weeds": "detect weeds",
"Detect weeds using FarmBot's camera and display them on the Farm Designer map.": "Detect weeds using FarmBot's camera and display them on the Farm Designer map.",
"Deviation": "Deviation",
"Device": "Device",
"Diagnose connectivity issues with FarmBot and the browser.": "Diagnose connectivity issues with FarmBot and the browser.",
"Diagnosis": "Diagnosis",
"DIAGNOSTIC CHECK": "DIAGNOSTIC CHECK",
"Diagnostic Report": "Diagnostic Report",
"Diagnostic Reports": "Diagnostic Reports",
"digital": "digital",
"Digital": "Digital",
"Discard Unsaved Changes": "Discard Unsaved Changes",
"DISCONNECTED": "DISCONNECTED",
"Disconnected.": "Disconnected.",
"Disk usage": "Disk usage",
"Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.": "Display a virtual trail for FarmBot in the Farm Designer map to show movement and watering history while the map is open. Toggling this setting will clear data for the current trail.",
"Display Encoder Data": "Display Encoder Data",
"Display plant animations": "Display plant animations",
"Display virtual FarmBot trail": "Display virtual FarmBot trail",
"Documentation": "Documentation",
"Don't allow movement past the maximum value provided in AXIS LENGTH.": "Don't allow movement past the maximum value provided in AXIS LENGTH.",
"Don't ask about saving work before closing browser tab. Warning: may cause loss of data.": "Don't ask about saving work before closing browser tab. Warning: may cause loss of data.",
"Done": "Done",
"Double default map dimensions": "Double default map dimensions",
"Double the default dimensions of the Farm Designer map for a map with four times the area.": "Double the default dimensions of the Farm Designer map for a map with four times the area.",
"Drag a box around the plants you would like to select. Press the back arrow to exit.": "Drag a box around the plants you would like to select. Press the back arrow to exit.",
"Drag and drop": "Drag and drop",
"DRAG COMMAND HERE": "DRAG COMMAND HERE",
"Dynamic map size": "Dynamic map size",
"E-STOP": "E-STOP",
"E-Stop on Movement Error": "E-Stop on Movement Error",
"Edit on": "Edit on",
"Edit this plant": "Edit this plant",
"Email has been sent.": "Email has been sent.",
"Emergency stop if movement is not complete after the maximum number of retries.": "Emergency stop if movement is not complete after the maximum number of retries.",
"Enable 2nd X Motor": "Enable 2nd X Motor",
"Enable Encoders": "Enable Encoders",
"Enable Endstops": "Enable Endstops",
"Enable plant animations in the Farm Designer.": "Enable plant animations in the Farm Designer.",
"Enable use of a second x-axis motor. Connects to E0 on RAMPS.": "Enable use of a second x-axis motor. Connects to E0 on RAMPS.",
"Enable use of electronic end-stops during calibration and homing.": "Enable use of electronic end-stops during calibration and homing.",
"Enable use of rotary encoders during calibration and homing.": "Enable use of rotary encoders during calibration and homing.",
"Encoder Missed Step Decay": "Encoder Missed Step Decay",
"Encoder Scaling": "Encoder Scaling",
"ENCODER TYPE": "ENCODER TYPE",
"Encoders and Endstops": "Encoders and Endstops",
"End date must not be before start date.": "End date must not be before start date.",
"End time must be after start time.": "End time must be after start time.",
"End Tour": "End Tour",
"Enter a URL": "Enter a URL",
"Enter click-to-add mode": "Enter click-to-add mode",
"Error": "Error",
"Error deleting Farmware data": "Error deleting Farmware data",
"Error taking photo": "Error taking photo",
"Events": "Events",
"Every": "Every",
"Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.": "Execute a sequence if a condition is satisfied. If the condition is not satisfied, chose to do nothing or execute a different sequence.",
"Executes another sequence.": "Executes another sequence.",
"exit": "exit",
"Exit": "Exit",
"Expand All": "Expand All",
"Export": "Export",
"Export Account Data": "Export Account Data",
"Export all data related to this device. Exports are delivered via email as JSON.": "Export all data related to this device. Exports are delivered via email as JSON.",
"Export request received. Please allow up to 10 minutes for delivery.": "Export request received. Please allow up to 10 minutes for delivery.",
"extras": "extras",
"FACTORY RESET": "FACTORY RESET",
"Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.": "Factory resetting your FarmBot will destroy all data on the device, revoking your FarmBot's ability to connect to your web app account and your home wifi. Upon factory resetting, your device will restart into Configurator mode. Factory resetting your FarmBot will not affect any data or settings from your web app account, allowing you to do a complete restore to your device once it is back online and paired with your web app account.",
"Farm Designer": "Farm Designer",
"FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.": "FarmBot and the browser are both connected to the internet (or have been recently). Try rebooting FarmBot and refreshing the browser. If the issue persists, something may be preventing FarmBot from accessing the message broker (used to communicate with your web browser in real-time). If you are on a company or school network, a firewall may be blocking port 5672.",
"FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.": "FarmBot and the browser both have internet connectivity, but we haven't seen any activity from FarmBot on the Web App in a while. This could mean that FarmBot has not synced in a while, which might not be a problem. If you are experiencing usability issues, however, it could be a sign of HTTP blockage on FarmBot's local internet connection.",
"FarmBot forum.": "FarmBot forum.",
"FarmBot is at position ": "FarmBot is at position ",
"FarmBot is not connected.": "FarmBot is not connected.",
"FARMBOT OS": "FARMBOT OS",
"FARMBOT OS AUTO UPDATE": "FARMBOT OS AUTO UPDATE",
"FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.": "FarmBot sent a malformed message. You may need to upgrade FarmBot OS. Please upgrade FarmBot OS and log back in.",
"FarmBot was last seen {{ lastSeen }}": "FarmBot was last seen {{ lastSeen }}",
"FarmBot Web App": "FarmBot Web App",
"FarmBot?": "FarmBot?",
"FarmEvent start time needs to be in the future, not the past.": "FarmEvent start time needs to be in the future, not the past.",
"Farmware": "Farmware",
"Farmware (plugin) details and management.": "Farmware (plugin) details and management.",
"Farmware data successfully deleted.": "Farmware data successfully deleted.",
"Farmware not found.": "Farmware not found.",
"Farmware Tools version": "Farmware Tools version",
"Feed Name": "Feed Name",
"filter": "filter",
"Filter logs": "Filter logs",
"Filters active": "Filters active",
"Find ": "Find ",
"find home": "find home",
"Find Home": "Find Home",
"FIND HOME {{axis}}": "FIND HOME {{axis}}",
"Find Home on Boot": "Find Home on Boot",
"find new features": "find new features",
"Firmware Logs:": "Firmware Logs:",
"First-party Farmware": "First-party Farmware",
"Forgot password?": "Forgot password?",
"from": "from",
"Full Name": "Full Name",
"Fun": "Fun",
"Garden Saved.": "Garden Saved.",
"General": "General",
"Get growing!": "Get growing!",
"getting started": "getting started",
"go back": "go back",
"Growing Degree Days": "Growing Degree Days",
"Hardware": "Hardware",
"Hardware setting conflict": "Hardware setting conflict",
"Harvested": "Harvested",
"Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.": "Have the browser also read aloud log messages on the \"Speak\" channel that are spoken by FarmBot.",
"Height": "Height",
"Help": "Help",
"Here is the list of all of your sequences. Click one to edit.": "Here is the list of all of your sequences. Click one to edit.",
"hide": "hide",
"Hide Webcam widget": "Hide Webcam widget",
"Historic Points?": "Historic Points?",
"Home button behavior": "Home button behavior",
"Home position adjustment travel speed (homing and calibration) in motor steps per second.": "Home position adjustment travel speed (homing and calibration) in motor steps per second.",
"HOMING": "HOMING",
"Homing and Calibration": "Homing and Calibration",
"Homing Speed (steps/s)": "Homing Speed (steps/s)",
"Hotkeys": "Hotkeys",
"hours": "hours",
"Hours": "Hours",
"HUE": "HUE",
"I agree to the": "I agree to the",
"If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.": "If encoders or end-stops are enabled, find the home position when the device powers on. Warning! This will perform homing on all axes when the device powers on. Encoders or endstops must be enabled. It is recommended to make sure homing works properly before enabling this feature.",
"If encoders or end-stops are enabled, home axis (find zero).": "If encoders or end-stops are enabled, home axis (find zero).",
"If encoders or end-stops are enabled, home axis and determine maximum.": "If encoders or end-stops are enabled, home axis and determine maximum.",
"If not using a webcam, use this setting to remove the widget from the Controls page.": "If not using a webcam, use this setting to remove the widget from the Controls page.",
"If you are sure you want to delete your account, type in your password below to continue.": "If you are sure you want to delete your account, type in your password below to continue.",
"If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.": "If you have a webcam, you can view the video stream in this widget. Press the edit button to update and save your webcam URL.",
"IF...": "IF...",
"Image": "Image",
"Image Deleted.": "Image Deleted.",
"Image loading (try refreshing)": "Image loading (try refreshing)",
"in slot": "in slot",
"Info": "Info",
"Information": "Information",
"Input is not needed for this Farmware.": "Input is not needed for this Farmware.",
"Install": "Install",
"Install new Farmware": "Install new Farmware",
"installation pending": "installation pending",
"Internationalize Web App": "Internationalize Web App",
"Internet": "Internet",
"Invalid date": "Invalid date",
"Invalid Raspberry Pi GPIO pin number.": "Invalid Raspberry Pi GPIO pin number.",
"Invert 2nd X Motor": "Invert 2nd X Motor",
"Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).": "Invert axis end-stops. Enable for normally closed (NC), disable for normally open (NO).",
"Invert direction of motor during calibration.": "Invert direction of motor during calibration.",
"Invert Encoders": "Invert Encoders",
"Invert Endstops": "Invert Endstops",
"Invert Hue Range Selection": "Invert Hue Range Selection",
"Invert Jog Buttons": "Invert Jog Buttons",
"Invert Motors": "Invert Motors",
"is": "is",
"is equal to": "is equal to",
"is greater than": "is greater than",
"is less than": "is less than",
"is not": "is not",
"is not equal to": "is not equal to",
"is unknown": "is unknown",
"ITERATION": "ITERATION",
"Keep power applied to motors. Prevents slipping from gravity in certain situations.": "Keep power applied to motors. Prevents slipping from gravity in certain situations.",
"Language": "Language",
"Last message seen ": "Last message seen ",
"LAST SEEN": "LAST SEEN",
"Lighting": "Lighting",
"Loading": "Loading",
"Loading...": "Loading...",
"Log all commands sent to firmware (clears after refresh).": "Log all commands sent to firmware (clears after refresh).",
"Log all debug received from firmware (clears after refresh).": "Log all debug received from firmware (clears after refresh).",
"Log all responses received from firmware (clears after refresh). Warning: extremely verbose.": "Log all responses received from firmware (clears after refresh). Warning: extremely verbose.",
"Logs": "Logs",
"low": "low",
"MAINTENANCE DOWNTIME": "MAINTENANCE DOWNTIME",
"Manage": "Manage",
"Manage Farmware (plugins).": "Manage Farmware (plugins).",
"Manual input": "Manual input",
"Map": "Map",
"Map Points": "Map Points",
"Mark": "Mark",
"Mark As": "Mark As",
"Mark As...": "Mark As...",
"max": "max",
"Max Missed Steps": "Max Missed Steps",
"Max Retries": "Max Retries",
"Max Speed (steps/s)": "Max Speed (steps/s)",
"Maximum travel speed after acceleration in motor steps per second.": "Maximum travel speed after acceleration in motor steps per second.",
"Memory usage": "Memory usage",
"Menu": "Menu",
"Message Broker": "Message Broker",
"Min OS version required": "Min OS version required",
"Minimum movement speed in motor steps per second. Also used for homing and calibration.": "Minimum movement speed in motor steps per second. Also used for homing and calibration.",
"Minimum Speed (steps/s)": "Minimum Speed (steps/s)",
"minutes": "minutes",
"Minutes": "Minutes",
"mm": "mm",
"Mode": "Mode",
"Month": "Month",
"Months": "Months",
"more": "more",
"more bugs!": "more bugs!",
"MORPH": "MORPH",
"Motor Coordinates (mm)": "Motor Coordinates (mm)",
"Motor position plot": "Motor position plot",
"Motors": "Motors",
"Mounted to:": "Mounted to:",
"Move": "Move",
"move {{axis}} axis": "move {{axis}} axis",
"Move FarmBot to this plant": "Move FarmBot to this plant",
"move mode": "move mode",
"Move to chosen location": "Move to chosen location",
"Move to location": "Move to location",
"Move to this coordinate": "Move to this coordinate",
"Movement out of bounds for: ": "Movement out of bounds for: ",
"Must be a positive number. Rounding up to 0.": "Must be a positive number. Rounding up to 0.",
"My Farmware": "My Farmware",
"name": "name",
"Name": "Name",
"Negative Coordinates Only": "Negative Coordinates Only",
"Negative X": "Negative X",
"Negative Y": "Negative Y",
"new garden name": "new garden name",
"New password and confirmation do not match.": "New password and confirmation do not match.",
"New Peripheral": "New Peripheral",
"New regimen ": "New regimen ",
"New Sensor": "New Sensor",
"new sequence {{ num }}": "new sequence {{ num }}",
"New Terms of Service": "New Terms of Service",
"Newer than": "Newer than",
"Next": "Next",
"No day(s) selected.": "No day(s) selected.",
"No events scheduled.": "No events scheduled.",
"No Executables": "No Executables",
"No inputs provided.": "No inputs provided.",
"No logs to display. Visit Logs page to view filters.": "No logs to display. Visit Logs page to view filters.",
"No logs yet.": "No logs yet.",
"No messages seen yet.": "No messages seen yet.",
"No meta data.": "No meta data.",
"No recent messages.": "No recent messages.",
"No Regimen selected.": "No Regimen selected.",
"No results.": "No results.",
"No saved gardens yet.": "No saved gardens yet.",
"No search results": "No search results",
"No Sequence selected.": "No Sequence selected.",
"No webcams yet. Click the edit button to add a feed URL.": "No webcams yet. Click the edit button to add a feed URL.",
"None": "None",
"normal": "normal",
"Not available when device is offline.": "Not available when device is offline.",
"Not Mounted": "Not Mounted",
"Not Set": "Not Set",
"Note: The selected timezone for your FarmBot is different than your local browser time.": "Note: The selected timezone for your FarmBot is different than your local browser time.",
"Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).": "Note: Times displayed according to FarmBot's local time, which is currently different from your browser's time. Timezone data is configurable on the Device page).",
"Number of steps missed (determined by encoder) before motor is considered to have stalled.": "Number of steps missed (determined by encoder) before motor is considered to have stalled.",
"Number of steps used for acceleration and deceleration.": "Number of steps used for acceleration and deceleration.",
"Number of times to retry a movement before stopping.": "Number of times to retry a movement before stopping.",
"off": "off",
"OFF": "OFF",
"Ok": "Ok",
"Older than": "Older than",
"on": "on",
"ON": "ON",
"open move mode panel": "open move mode panel",
"Open OpenFarm.cc in a new tab": "Open OpenFarm.cc in a new tab",
"Or view FarmBot's current location in the virtual garden.": "Or view FarmBot's current location in the virtual garden.",
"Origin": "Origin",
"Origin Location in Image": "Origin Location in Image",
"Outside of planting area. Plants must be placed within the grid.": "Outside of planting area. Plants must be placed within the grid.",
"page": "page",
"Page Not Found.": "Page Not Found.",
"Password change failed.": "Password change failed.",
"pending install": "pending install",
"Pending installation.": "Pending installation.",
"perform homing (find home)": "perform homing (find home)",
"Period End Date": "Period End Date",
"Peripheral ": "Peripheral ",
"Peripherals": "Peripherals",
"Photos": "Photos",
"Photos are viewable from the": "Photos are viewable from the",
"Photos?": "Photos?",
"pin": "pin",
"Pin": "Pin",
"Pin ": "Pin ",
"Pin Bindings": "Pin Bindings",
"Pin Guard": "Pin Guard",
"Pin Guard {{ num }}": "Pin Guard {{ num }}",
"Pin number cannot be blank.": "Pin number cannot be blank.",
"Pin numbers are required and must be positive and unique.": "Pin numbers are required and must be positive and unique.",
"Pin numbers must be less than 1000.": "Pin numbers must be less than 1000.",
"Pin numbers must be unique.": "Pin numbers must be unique.",
"Pins": "Pins",
"Pixel coordinate scale": "Pixel coordinate scale",
"Planned": "Planned",
"plant icon": "plant icon",
"Plant Type": "Plant Type",
"Planted": "Planted",
"plants": "plants",
"Plants?": "Plants?",
"Please agree to the terms.": "Please agree to the terms.",
"Please check your email for the verification link.": "Please check your email for the verification link.",
"Please check your email to confirm email address changes": "Please check your email to confirm email address changes",
"Please clear current garden first.": "Please clear current garden first.",
"Please enter a number.": "Please enter a number.",
"Please enter a URL.": "Please enter a URL.",
"Please select a sequence or action.": "Please select a sequence or action.",
"Please wait": "Please wait",
"Point Creator": "Point Creator",
"Points": "Points",
"Points?": "Points?",
"Position (mm)": "Position (mm)",
"Position (x, y, z)": "Position (x, y, z)",
"Positions": "Positions",
"Positive X": "Positive X",
"Positive Y": "Positive Y",
"Power and Reset": "Power and Reset",
"Presets:": "Presets:",
"Press \"+\" to add a plant to your garden.": "Press \"+\" to add a plant to your garden.",
"Press \"+\" to schedule an event.": "Press \"+\" to schedule an event.",
"Press edit and then the + button to add peripherals.": "Press edit and then the + button to add peripherals.",
"Press edit and then the + button to add tools.": "Press edit and then the + button to add tools.",
"Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.": "Press the + button and add your newly created sequences to a regimen via the scheduler. The regimen should include all actions needed to take care of a plant over its life.",
"Prev": "Prev",
"Privacy Policy": "Privacy Policy",
"Processing now. Results usually available in one minute.": "Processing now. Results usually available in one minute.",
"Processing Parameters": "Processing Parameters",
"Provided new and old passwords match. Password not changed.": "Provided new and old passwords match. Password not changed.",
"radius": "radius",
"Raspberry Pi Camera": "Raspberry Pi Camera",
"Raspberry Pi GPIO pin already bound or in use.": "Raspberry Pi GPIO pin already bound or in use.",
"Raspberry Pi Info": "Raspberry Pi Info",
"Raw Encoder data": "Raw Encoder data",
"Raw encoder position": "Raw encoder position",
"read sensor": "read sensor",
"Read speak logs in browser": "Read speak logs in browser",
"Read Status": "Read Status",
"Readings?": "Readings?",
"Reboot": "Reboot",
"Received": "Received",
"Received change of ownership.": "Received change of ownership.",
"Record Diagnostic": "Record Diagnostic",
"Recursive condition.": "Recursive condition.",
"Redirecting...": "Redirecting...",
"Reduction to missed step total for every good step.": "Reduction to missed step total for every good step.",
"Regimen Editor": "Regimen Editor",
"Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.": "Regimens allow FarmBot to take care of a plant throughout its entire life. A regimen consists of many sequences that are scheduled to run based on the age of the plant. Regimens are applied to plants from the farm designer (coming soon) and can be re-used on many plants growing at the same or different times. Multiple regimens can be applied to any one plant.",
"Reinstall": "Reinstall",
"Release Notes": "Release Notes",
"Remove": "Remove",
"Removed": "Removed",
"Repeats?": "Repeats?",
"Report {{ticket}} (Saved {{age}})": "Report {{ticket}} (Saved {{age}})",
"Resend Verification Email": "Resend Verification Email",
"Reserved Raspberry Pi pin may not work as expected.": "Reserved Raspberry Pi pin may not work as expected.",
"Reset hardware parameter defaults": "Reset hardware parameter defaults",
"RESTART FIRMWARE": "RESTART FIRMWARE",
"Restart the Farmduino or Arduino firmware.": "Restart the Farmduino or Arduino firmware.",
"Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.": "Restoring hardware parameter defaults will destroy the current settings, resetting them to default values.",
"Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.": "Restrict travel to negative coordinate locations. Overridden by disabling STOP AT HOME.",
"Retry": "Retry",
"Reverse the direction of encoder position reading.": "Reverse the direction of encoder position reading.",
"Row Spacing": "Row Spacing",
"Run": "Run",
"Run Farmware": "Run Farmware",
"SATURATION": "SATURATION",
"Save sequence and sync device before running.": "Save sequence and sync device before running.",
"Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.": "Save snapshot of FarmBot OS system information, including user and device identity, to the database. A code will be returned that you can provide in support requests to allow FarmBot to look up data relevant to the issue to help us identify the problem.",
"saved": "saved",
"Saved": "Saved",
"Saved Gardens": "Saved Gardens",
"Saving": "Saving",
"Scaled Encoder (mm)": "Scaled Encoder (mm)",
"Scaled Encoder (steps)": "Scaled Encoder (steps)",
"Scaled encoder position": "Scaled encoder position",
"Scan image": "Scan image",
"Scheduler": "Scheduler",
"Search events...": "Search events...",
"Search for a crop to add to your garden.": "Search for a crop to add to your garden.",
"Search OpenFarm...": "Search OpenFarm...",
"Search Regimens...": "Search Regimens...",
"Search Sequences...": "Search Sequences...",
"Search term too short": "Search term too short",
"Search your plants...": "Search your plants...",
"Searching...": "Searching...",
"seconds": "seconds",
"seconds ago": "seconds ago",
"see what FarmBot is doing": "see what FarmBot is doing",
"Seed Bin": "Seed Bin",
"Seed Tray": "Seed Tray",
"Seeder": "Seeder",
"Select a location": "Select a location",
"Select a regimen first or create one.": "Select a regimen first or create one.",
"Select a sequence first": "Select a sequence first",
"Select a sequence from the dropdown first.": "Select a sequence from the dropdown first.",
"Select all": "Select all",
"Select none": "Select none",
"Select plants": "Select plants",
"Send a log message for each sequence step.": "Send a log message for each sequence step.",
"Send a log message upon the end of sequence execution.": "Send a log message upon the end of sequence execution.",
"Send a log message upon the start of sequence execution.": "Send a log message upon the start of sequence execution.",
"Send Account Export File (Email)": "Send Account Export File (Email)",
"Sending camera configuration...": "Sending camera configuration...",
"Sending firmware configuration...": "Sending firmware configuration...",
"Sensor": "Sensor",
"Sensor History": "Sensor History",
"Sensors": "Sensors",
"Sent": "Sent",
"Sequence Name": "Sequence Name",
"Server": "Server",
"Set device timezone here.": "Set device timezone here.",
"Set the current location as zero.": "Set the current location as zero.",
"Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.": "Set the length of each axis to provide software limits. Used only if STOP AT MAX is enabled.",
"SET ZERO POSITION": "SET ZERO POSITION",
"Setup, customize, and control FarmBot from your": "Setup, customize, and control FarmBot from your",
"show": "show",
"Show a confirmation dialog when the sequence delete step icon is pressed.": "Show a confirmation dialog when the sequence delete step icon is pressed.",
"Show in list": "Show in list",
"Show Previous Period": "Show Previous Period",
"Shutdown": "Shutdown",
"Slot": "Slot",
"smartphone": "smartphone",
"Snaps a photo using the device camera. Select the camera type on the Device page.": "Snaps a photo using the device camera. Select the camera type on the Device page.",
"Snapshot current garden": "Snapshot current garden",
"Soil Moisture": "Soil Moisture",
"Soil Sensor": "Soil Sensor",
"Some {{points}} failed to delete.": "Some {{points}} failed to delete.",
"Some other issue is preventing FarmBot from working. Please see the table above for more information.": "Some other issue is preventing FarmBot from working. Please see the table above for more information.",
"Something went wrong while rendering this page.": "Something went wrong while rendering this page.",
"Sowing Method": "Sowing Method",
"Speak": "Speak",
"Speed (%)": "Speed (%)",
"Spread": "Spread",
"Spread?": "Spread?",
"Start tour": "Start tour",
"Status": "Status",
"Steps": "Steps",
"Stock sensors": "Stock sensors",
"Stock Tools": "Stock Tools",
"Stop at Home": "Stop at Home",
"Stop at Max": "Stop at Max",
"Stop at the home location of the axis.": "Stop at the home location of the axis.",
"submit": "submit",
"Success": "Success",
"Successfully configured camera!": "Successfully configured camera!",
"Sun Requirements": "Sun Requirements",
"Svg Icon": "Svg Icon",
"Swap axis minimum and maximum end-stops.": "Swap axis minimum and maximum end-stops.",
"Swap Endstops": "Swap Endstops",
"Swap jog buttons (and rotate map)": "Swap jog buttons (and rotate map)",
"Sync": "Sync",
"SYNC ERROR": "SYNC ERROR",
"SYNC NOW": "SYNC NOW",
"SYNCED": "SYNCED",
"SYNCING": "SYNCING",
"tablet": "tablet",
"Take a guided tour of the Web App.": "Take a guided tour of the Web App.",
"Take a photo": "Take a photo",
"Take and view photos": "Take and view photos",
"Take and view photos with your FarmBot's camera.": "Take and view photos with your FarmBot's camera.",
"target": "target",
"Taxon": "Taxon",
"Terms of Use": "Terms of Use",
"The device has never been seen. Most likely, there is a network connectivity issue on the device's end.": "The device has never been seen. Most likely, there is a network connectivity issue on the device's end.",
"The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.": "The Farmware will use the parameter values set via the Farmware page for any parameters that are not set in this sequence step.",
"The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.": "The Find Home step instructs the device to perform a homing command to find and set zero for the chosen axis or axes.",
"The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.": "The Mark As step allows FarmBot to programmatically edit the properties of the UTM, plants, and weeds from within a sequence. For example, you can mark a plant as \"planted\" during a seeding sequence or delete a weed after removing it.",
"The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.": "The Move Absolute step instructs FarmBot to move to the specified coordinate regardless of the current position. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Absolute where X=0 and Y=3000, then FarmBot will move to X=0, Y=3000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Absolute steps. Offsets allow you to more easily instruct FarmBot to move to a location, but offset from it by the specified amount. For example moving to just above where a peripheral is located. Using offsets lets FarmBot do the math for you.",
"The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.": "The Move Relative step instructs FarmBot to move the specified distance from its current location. For example, if FarmBot is currently at X=1000, Y=1000 and it receives a Move Relative where X=0 and Y=3000, then FarmBot will move to X=1000, Y=4000. If FarmBot must move in multiple directions, it will move diagonally. If you require straight movements along one axis at a time, use multiple Move Relative steps. Move Relative steps should be preceded by a Move Absolute step to ensure you are starting from a known location.",
"The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.": "The next item in this Farm Event will run {{timeFromNow}}, but you must first SYNC YOUR DEVICE. If you do not sync, the event will not run.",
"The next item in this Farm Event will run {{timeFromNow}}.": "The next item in this Farm Event will run {{timeFromNow}}.",
"The number of motor steps required to move the axis one millimeter.": "The number of motor steps required to move the axis one millimeter.",
"The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.": "The number of the pin to guard. This pin will be set to the specified state after the duration specified by TIMEOUT.",
"The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).": "The Read Pin step instructs FarmBot to read the current value of the specified pin. Pin Mode: Use digital for a 0 (LOW) or 1 (HIGH) response, and analog for a voltage reading (0-1023 for 0-5V).",
"The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.": "The Run Farmware step runs a Farmware package. Visit the Farmware page to install and manage Farmware.",
"The terms of service have recently changed. You must accept the new terms of service to continue using the site.": "The terms of service have recently changed. You must accept the new terms of service to continue using the site.",
"The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.": "The Wait step instructs FarmBot to wait for the specified amount of time. Use it in combination with the Pin Write step to water for a length of time.",
"The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).": "The Write Pin step instructs FarmBot to set the specified pin on the Arduino to the specified mode and value. Use the digital pin mode for on (1) and off (0) control, and analog pin mode for PWM (pulse width modulation) (0-255).",
"THEN...": "THEN...",
"There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.": "There is no access to FarmBot or the message broker. This is usually caused by outdated browsers (Internet Explorer) or firewalls that block WebSockets on port 3002.",
"These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.": "These are the most basic commands FarmBot can execute. Drag and drop them to create sequences for watering, planting seeds, measuring soil properties, and more.",
"This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.": "This account did not have a timezone set. FarmBot requires a timezone to operate. We have updated your timezone settings based on your browser. Please verify these settings in the device settings panel. Device sync is recommended.",
"This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ": "This command will not execute correctly because you do not have encoders or endstops enabled for the chosen axis. Enable endstops or encoders from the Device page for: ",
"This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?": "This Farm Event does not appear to have a valid run time. Perhaps you entered bad dates?",
"This is a list of all of your regimens. Click one to begin editing it.": "This is a list of all of your regimens. Click one to begin editing it.",
"This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.": "This is a list of all your FarmBot Tools. Click the Edit button to add, edit, or delete tools.",
"This will restart FarmBot's Raspberry Pi and controller software.": "This will restart FarmBot's Raspberry Pi and controller software.",
"This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.": "This will shutdown FarmBot's Raspberry Pi. To turn it back on, unplug FarmBot and plug it back in.",
"Ticker Notification": "Ticker Notification",
"Time in minutes to attempt connecting to WiFi before a factory reset.": "Time in minutes to attempt connecting to WiFi before a factory reset.",
"Time is not properly formatted.": "Time is not properly formatted.",
"Time period": "Time period",
"TIME ZONE": "TIME ZONE",
"Timeout (sec)": "Timeout (sec)",
"Timeout after (seconds)": "Timeout after (seconds)",
"to": "to",
"to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.": "to add the plant to the map. You can add the plant as many times as you need to before pressing DONE to finish.",
"To State": "To State",
"Toast Pop Up": "Toast Pop Up",
"Toggle various settings to customize your web app experience.": "Toggle various settings to customize your web app experience.",
"Tool": "Tool",
"Tool ": "Tool ",
"Tool Mount": "Tool Mount",
"Tool Name": "Tool Name",
"Tool Slots": "Tool Slots",
"Tool Verification": "Tool Verification",
"ToolBay ": "ToolBay ",
"Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.": "Toolbays are where you store your FarmBot Tools. Each Toolbay has Slots that you can put your Tools in, which should be reflective of your real FarmBot hardware configuration.",
"Tools": "Tools",
"Top Left": "Top Left",
"Top Right": "Top Right",
"Topics": "Topics",
"Tours": "Tours",
"Turn off to set Web App to English.": "Turn off to set Web App to English.",
"type": "type",
"Type": "Type",
"Unable to load webcam feed.": "Unable to load webcam feed.",
"Unable to properly display this step.": "Unable to properly display this step.",
"Unable to resend verification email. Are you already verified?": "Unable to resend verification email. Are you already verified?",
"Unable to save farm event.": "Unable to save farm event.",
"Unexpected error occurred, we've been notified of the problem.": "Unexpected error occurred, we've been notified of the problem.",
"unknown": "unknown",
"Unknown": "Unknown",
"Unknown Farmware": "Unknown Farmware",
"Unknown.": "Unknown.",
"UNLOCK": "UNLOCK",
"unlock device": "unlock device",
"Update": "Update",
"Updating...": "Updating...",
"uploading photo": "uploading photo",
"Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?": "Upon successful password change, your FarmBot will factory reset allowing you to configure it with the updated credentials. You will also be logged out of other browser sessions. Continue?",
"Uptime": "Uptime",
"USB Camera": "USB Camera",
"Use current location": "Use current location",
"Use Encoders for Positioning": "Use Encoders for Positioning",
"Use encoders for positioning.": "Use encoders for positioning.",
"Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.": "Use these manual control buttons to move FarmBot in realtime. Press the arrows for relative movements or type in new coordinates and press GO for an absolute movement. Tip: Press the Home button when you are done so FarmBot is ready to get back to work.",
"Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!": "Use these toggle switches to control FarmBot's peripherals in realtime. To edit and create new peripherals, press the EDIT button. Make sure to turn things off when you're done!",
"Used in another resource. Protected from deletion.": "Used in another resource. Protected from deletion.",
"v1.4 Stock Bindings": "v1.4 Stock Bindings",
"Vacuum": "Vacuum",
"value": "value",
"VALUE": "VALUE",
"Value must be greater than or equal to {{min}}.": "Value must be greater than or equal to {{min}}.",
"Value must be less than or equal to {{max}}.": "Value must be less than or equal to {{max}}.",
"Verification email resent. Please check your email!": "Verification email resent. Please check your email!",
"VERSION": "VERSION",
"Version {{ version }}": "Version {{ version }}",
"view": "view",
"View and change device settings.": "View and change device settings.",
"View and filter historical sensor reading data.": "View and filter historical sensor reading data.",
"View and filter log messages.": "View and filter log messages.",
"View crop info": "View crop info",
"View current location": "View current location",
"View FarmBot's current location using the axis position display.": "View FarmBot's current location using the axis position display.",
"View log messages": "View log messages",
"View photos your FarmBot has taken here.": "View photos your FarmBot has taken here.",
"View recent log messages here. More detailed log messages can be shown by adjusting filter settings.": "View recent log messages here. More detailed log messages can be shown by adjusting filter settings.",
"View, select, and install new Farmware.": "View, select, and install new Farmware.",
"Viewing saved garden": "Viewing saved garden",
"Warn": "Warn",
"Warning": "Warning",
"Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.": "Warning: Binding to a pin without a physical button and pull-down resistor connected may put FarmBot into an unstable state.",
"Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.": "Warning: FarmBot could not guess your timezone. We have defaulted your timezone to UTC, which is less than ideal for most users. Please select your timezone from the dropdown. Device sync is recommended.",
"Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?": "Warning: This will erase all data stored on your FarmBot's SD card, requiring you to reconfigure FarmBot so that it can reconnect to your WiFi network and a web app account. Factory resetting the device will not delete data stored in your web app account. Are you sure you wish to continue?",
"Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?": "Warning: This will reset all hardware settings to the default values. Are you sure you wish to continue?",
"WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.": "WARNING! Deleting your account will permanently delete all of your Sequences, Regimens, Events, and Farm Designer data. Upon deleting your account, FarmBot will cease to function and become inaccessible until it is paired with another web app account. To do this, you will need to reboot your FarmBot so that is goes back into configuration mode for pairing with another user account. When this happens, all of the data on your FarmBot will be overwritten with the new account's data. If the account is brand new, then FarmBot will become a blank slate.",
"Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?": "Warning! Opting in to FarmBot OS beta releases may reduce FarmBot system stability. Are you sure?",
"Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.": "Warning! This is an EXPERIMENTAL feature. This feature may be broken and may break or otherwise hinder your usage of the rest of the app. This feature may disappear or break at any time.",
"Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?": "Warning! When enabled, any unsaved changes will be discarded when refreshing or closing the page. Are you sure?",
"Water": "Water",
"Watering Nozzle": "Watering Nozzle",
"Webcam Feeds": "Webcam Feeds",
"Weeder": "Weeder",
"weeds": "weeds",
"Week": "Week",
"Weeks": "Weeks",
"Welcome to the": "Welcome to the",
"What do you need help with?": "What do you need help with?",
"What do you want to grow?": "What do you want to grow?",
"When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.": "When enabled, device resources such as sequences and regimens will be sent to the device automatically. This removes the need to push \"SYNC\" after making changes in the web app. Changes to running sequences and regimens while auto sync is enabled will result in instantaneous change.",
"When enabled, FarmBot OS will periodically check for, download, and install updates automatically.": "When enabled, FarmBot OS will periodically check for, download, and install updates automatically.",
"while your garden is applied.": "while your garden is applied.",
"Widget load failed.": "Widget load failed.",
"WiFi Strength": "WiFi Strength",
"Would you like to": "Would you like to",
"X": "X",
"X (mm)": "X (mm)",
"x and y axis": "x and y axis",
"X Axis": "X Axis",
"X position": "X position",
"Y": "Y",
"Y (mm)": "Y (mm)",
"Y Axis": "Y Axis",
"Y position": "Y position",
"Year": "Year",
"Years": "Years",
"You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.": "You are either offline, using a web browser that does not support WebSockets, or are behind a firewall that blocks port 3002. Do not attempt to debug FarmBot hardware until you solve this issue first. You will not be able to troubleshoot hardware issues without a reliable browser and internet connection.",
"You are running an old version of FarmBot OS.": "You are running an old version of FarmBot OS.",
"You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.": "You are scheduling a regimen to run today. Be aware that running a regimen too late in the day may result in skipped regimen tasks. Consider rescheduling this event to tomorrow if this is a concern.",
"You haven't made any regimens or sequences yet. Please create a": "You haven't made any regimens or sequences yet. Please create a",
"You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.": "You haven't yet taken any photos with your FarmBot. Once you do, they will show up here.",
"You may click the button below to resend the email.": "You may click the button below to resend the email.",
"You must set a timezone before using the FarmEvent feature.": "You must set a timezone before using the FarmEvent feature.",
"Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.": "Your browser is connected correctly, but we have no recent record of FarmBot connecting to the internet. This usually happens because of a bad WiFi signal in the garden, a bad password during configuration, or a very long power outage.",
"Your password is changed.": "Your password is changed.",
"Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.": "Your version of FarmBot OS is outdated and will soon no longer be supported. Please update your device as soon as possible.",
"Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.": "Your web browser is unable to communicate with the web app server. Make sure you are connected to the Internet.",
"Z": "Z",
"Z (mm)": "Z (mm)",
"Z Axis": "Z Axis",
"Z position": "Z position",
"zero {{axis}}": "zero {{axis}}",
"zoom in": "zoom in",
"zoom out": "zoom out"
},
"other_translations": {
"ACCELERATE FOR (steps)": "加速 (步骤)",
"ALLOW NEGATIVES": "允许负",
"Add": "添加",
"Bot ready": "机器人准备",
"CONTROLLER": "控制器",
"Camera": "照相机",
"Choose a species": "选择一个种类",
"Confirm Password": "确认密码",
"Could not download sync data": "无法下载同步数据",
"Crop Info": "作物信息",
"DELETE ACCOUNT": "删除帐户",
"DEVICE": "装置",
"DRAG STEP HERE": "拖一步",
"Designer": "设计师",
"EDIT": "编辑工作",
"ENABLE ENCODERS": "编码器",
"EXECUTE SCRIPT": "执行脚本",
"Error establishing socket connection": "建立套接字连接错误",
"Execute Script": "执行脚本",
"Farm Events": "农场事件",
"Forgot Password": "忘记密码",
"I agree to the terms of use": "我同意使用条款",
"INVERT ENDPOINTS": "反转端口",
"INVERT MOTORS": "反转电机",
"Import coordinates from": "进口坐标",
"LENGTH (m)": "长度(m)",
"NETWORK": "网络",
"Not Connected to bot": "没有连接到机器人",
"Pin {{num}}": "引脚 {{num}}",
"Repeats Every": "每次重复序列",
"SAVE": "保存",
"SLOT": "位置",
"STATUS": "地位",
"Send Password reset": "发送密码重置",
"Server Port": "服务器端口",
"Server URL": "服务器URL",
"Socket Connection Established": "套接字连接建立",
"Speed": "速度",
"Sync Required": "同步要求",
"TEST": "测试",
"TIMEOUT AFTER (seconds)": "超时后 (秒)",
"TOOL": "工具",
"TOOL NAME": "工具名称",
"TOOLBAY NAME": "工具名字",
"Tried to delete Farm Event": "试图删除农场事件",
"Tried to delete plant": "试图删除植物",
"Tried to save Farm Event": "试图保存农场件",
"Tried to save plant": "试图保存植物",
"Tried to update Farm Event": "试图更新农场事件",
"Unable to delete sequence": "无法删除序列",
"Unable to download device credentials": "无法下载设备凭据",
"Verify Password": "验证密码",
"calling FarmBot with credentials": "调用FarmBot与凭证",
"downloading device credentials": "下载设备凭证",
"initiating connection": "初始化连接",
"never connected to device": "没有连接到设备"
}
}