changed model list navigation

This commit is contained in:
vabene1111
2025-06-03 18:04:46 +02:00
parent 5695cacc0e
commit c648ee954c
40 changed files with 1090 additions and 39 deletions

View File

@@ -126,7 +126,7 @@
<v-list-item prepend-icon="$shopping" :title="$t('Shopping_list')" :to="{ name: 'ShoppingListPage', params: {} }"></v-list-item> <v-list-item prepend-icon="$shopping" :title="$t('Shopping_list')" :to="{ name: 'ShoppingListPage', params: {} }"></v-list-item>
<v-list-item prepend-icon="fas fa-globe" :title="$t('Import')" :to="{ name: 'RecipeImportPage', params: {} }"></v-list-item> <v-list-item prepend-icon="fas fa-globe" :title="$t('Import')" :to="{ name: 'RecipeImportPage', params: {} }"></v-list-item>
<v-list-item prepend-icon="$books" :title="$t('Books')" :to="{ name: 'BooksPage', params: {} }"></v-list-item> <v-list-item prepend-icon="$books" :title="$t('Books')" :to="{ name: 'BooksPage', params: {} }"></v-list-item>
<v-list-item prepend-icon="fa-solid fa-folder-tree" :title="$t('Database')" :to="{ name: 'ModelListPage', params: {model: 'food'} }"></v-list-item> <v-list-item prepend-icon="fa-solid fa-folder-tree" :title="$t('Database')" :to="{ name: 'DatabasePage' }"></v-list-item>
<navigation-drawer-context-menu></navigation-drawer-context-menu> <navigation-drawer-context-menu></navigation-drawer-context-menu>
</v-list> </v-list>
@@ -162,7 +162,7 @@
<v-list nav> <v-list nav>
<v-list-item prepend-icon="fa-solid fa-sliders" :to="{ name: 'SettingsPage', params: {} }" :title="$t('Settings')"></v-list-item> <v-list-item prepend-icon="fa-solid fa-sliders" :to="{ name: 'SettingsPage', params: {} }" :title="$t('Settings')"></v-list-item>
<v-list-item prepend-icon="fas fa-globe" :title="$t('Import')" :to="{ name: 'RecipeImportPage', params: {} }"></v-list-item> <v-list-item prepend-icon="fas fa-globe" :title="$t('Import')" :to="{ name: 'RecipeImportPage', params: {} }"></v-list-item>
<v-list-item prepend-icon="fa-solid fa-folder-tree" :to="{ name: 'ModelListPage', params: {model: 'food'} }" :title="$t('Database')"></v-list-item> <v-list-item prepend-icon="fa-solid fa-folder-tree" :to="{ name: 'DatabasePage' }" :title="$t('Database')"></v-list-item>
<v-list-item prepend-icon="$books" :title="$t('Books')" :to="{ name: 'BooksPage', params: {} }"></v-list-item> <v-list-item prepend-icon="$books" :title="$t('Books')" :to="{ name: 'BooksPage', params: {} }"></v-list-item>
</v-list> </v-list>
</v-bottom-sheet> </v-bottom-sheet>

View File

@@ -46,6 +46,7 @@ const routes = [
{path: '/list/:model?', component: () => import("@/pages/ModelListPage.vue"), props: true, name: 'ModelListPage'}, {path: '/list/:model?', component: () => import("@/pages/ModelListPage.vue"), props: true, name: 'ModelListPage'},
{path: '/edit/:model/:id?', component: () => import("@/pages/ModelEditPage.vue"), props: true, name: 'ModelEditPage'}, {path: '/edit/:model/:id?', component: () => import("@/pages/ModelEditPage.vue"), props: true, name: 'ModelEditPage'},
{path: '/database', component: () => import("@/pages/DatabasePage.vue"), props: true, name: 'DatabasePage'},
{path: '/ingredient-editor', component: () => import("@/pages/IngredientEditorPage.vue"), name: 'IngredientEditorPage'}, {path: '/ingredient-editor', component: () => import("@/pages/IngredientEditorPage.vue"), name: 'IngredientEditorPage'},
{path: '/property-editor', component: () => import("@/pages/PropertyEditorPage.vue"), name: 'PropertyEditorPage'}, {path: '/property-editor', component: () => import("@/pages/PropertyEditorPage.vue"), name: 'PropertyEditorPage'},

View File

@@ -0,0 +1,32 @@
<template>
<v-col cols="12" md="6" lg="4">
<v-card :prepend-icon="props.prependIcon" :title="props.title" :subtitle="props.subtitle" variant="outlined" elevation="1"
:to="props.to"
append-icon="fa-solid fa-arrow-right">
</v-card>
</v-col>
</template>
<script setup lang="ts">
import {EditorSupportedModels, GenericModel, getGenericModelFromString} from "@/types/Models.ts";
import {onBeforeMount, PropType, ref, watch} from "vue";
import {useI18n} from "vue-i18n";
import type { RouteLocationRaw } from 'vue-router';
const {t} = useI18n()
const props = defineProps({
prependIcon: {type: String, default: ''},
title: {type: String, default: ''},
subtitle: {type: String, default: ''},
to: {type: {} as PropType<RouteLocationRaw> }
})
</script>
<style scoped>
</style>

View File

@@ -0,0 +1,50 @@
<template>
<v-col cols="12" md="6" lg="4">
<v-card :prepend-icon="genericModel.model.icon" :title="$t(genericModel.model.localizationKey)" :subtitle="$t(genericModel.model.localizationKeyDescription)" variant="outlined" elevation="1"
:to="{name: 'ModelListPage', params: {model: genericModel.model.name}}"
append-icon="fa-solid fa-arrow-right">
</v-card>
</v-col>
</template>
<script setup lang="ts">
import {EditorSupportedModels, GenericModel, getGenericModelFromString} from "@/types/Models.ts";
import {onBeforeMount, PropType, ref, watch} from "vue";
import {useI18n} from "vue-i18n";
const {t} = useI18n()
const props = defineProps({
model: {
type: String as PropType<EditorSupportedModels>,
default: 'food'
},
})
const genericModel = ref({} as GenericModel)
watch(() => props.model, (newValue, oldValue) => {
if (newValue != oldValue) {
genericModel.value = getGenericModelFromString(props.model, t)
}
})
/**
* select model class before mount because template renders before onMounted is called
*/
onBeforeMount(() => {
try {
genericModel.value = getGenericModelFromString(props.model, t)
} catch (Error) {
console.error('Invalid model passed to ModelListPage, loading Food instead')
genericModel.value = getGenericModelFromString('Food', t)
}
})
</script>
<style scoped>
</style>

View File

@@ -1,15 +1,15 @@
<template> <template>
<template v-if="route.name == 'ModelListPage'"> <!-- <template v-if="route.name == 'ModelListPage'">-->
<v-divider></v-divider> <!-- <v-divider></v-divider>-->
<v-list-item v-for="m in getListModels()" <!-- <v-list-item v-for="m in getListModels()"-->
:to="{ name: 'ModelListPage', params: {model: m.name.toLowerCase()} }"> <!-- :to="{ name: 'ModelListPage', params: {model: m.name.toLowerCase()} }">-->
<template #prepend> <!-- <template #prepend>-->
<v-icon :icon="m.icon"></v-icon> <!-- <v-icon :icon="m.icon"></v-icon>-->
</template> <!-- </template>-->
{{ $t(m.localizationKey) }} <!-- {{ $t(m.localizationKey) }}-->
</v-list-item> <!-- </v-list-item>-->
</template> <!-- </template>-->
<template v-if="route.name == 'MealPlanPage'"> <template v-if="route.name == 'MealPlanPage'">
<v-divider></v-divider> <v-divider></v-divider>

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -27,10 +28,12 @@
"Auto_Planner": "", "Auto_Planner": "",
"Automate": "", "Automate": "",
"Automation": "", "Automation": "",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -60,6 +63,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -81,6 +85,7 @@
"Current_Period": "", "Current_Period": "",
"Custom Filter": "", "Custom Filter": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "", "Date": "",
"Default": "", "Default": "",
"DelayFor": "", "DelayFor": "",
@@ -127,6 +132,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "", "Food": "",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "", "FoodNotOnHand": "",
"FoodOnHand": "", "FoodOnHand": "",
@@ -166,6 +172,7 @@
"Ingredient Editor": "", "Ingredient Editor": "",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "", "IngredientInShopping": "",
"Ingredients": "", "Ingredients": "",
"Inherit": "", "Inherit": "",
@@ -175,11 +182,13 @@
"Instructions": "", "Instructions": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "", "Invites": "",
"Key_Ctrl": "", "Key_Ctrl": "",
"Key_Shift": "", "Key_Shift": "",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "", "Keywords": "",
"Last": "", "Last": "",
@@ -193,7 +202,9 @@
"Make_Ingredient": "", "Make_Ingredient": "",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "", "Manage_Books": "",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "", "Meal_Plan": "",
"Meal_Plan_Days": "", "Meal_Plan_Days": "",
"Meal_Type": "", "Meal_Type": "",
@@ -261,6 +272,7 @@
"Planned": "", "Planned": "",
"Planner": "", "Planner": "",
"Planner_Settings": "", "Planner_Settings": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -272,7 +284,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "", "Protected": "",
"Proteins": "", "Proteins": "",
@@ -286,6 +300,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "", "Recently_Viewed": "",
"Recipe": "", "Recipe": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "", "Recipe_Book": "",
"Recipe_Image": "", "Recipe_Image": "",
@@ -306,6 +323,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "", "Save_and_View": "",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"Search Settings": "", "Search Settings": "",
@@ -325,6 +343,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "", "Shopping_Categories": "",
"Shopping_Category": "", "Shopping_Category": "",
@@ -345,10 +364,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "", "Starting_Day": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_Name": "", "Step_Name": "",
"Step_Type": "", "Step_Type": "",
"Step_start_time": "", "Step_start_time": "",
@@ -361,6 +382,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoriesOnly": "", "SupermarketCategoriesOnly": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -381,6 +404,8 @@
"Undefined": "", "Undefined": "",
"Unit": "", "Unit": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Units": "", "Units": "",
"Unrated": "", "Unrated": "",
@@ -396,9 +421,12 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"Users": "", "Users": "",
"Valid Until": "", "Valid Until": "",
"View": "", "View": "",
"ViewLogHelp": "",
"View_Recipes": "", "View_Recipes": "",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -27,10 +28,12 @@
"Auto_Planner": "Автоматичен плановик", "Auto_Planner": "Автоматичен плановик",
"Automate": "Автоматизация", "Automate": "Автоматизация",
"Automation": "Автоматизация", "Automation": "Автоматизация",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Книжен пазар", "Bookmarklet": "Книжен пазар",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -60,6 +63,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Копиране", "Copy": "Копиране",
@@ -78,6 +82,7 @@
"Current_Period": "Текущ период", "Current_Period": "Текущ период",
"Custom Filter": "Персонализиран филтър", "Custom Filter": "Персонализиран филтър",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Дата", "Date": "Дата",
"Default": "", "Default": "",
"DelayFor": "Закъснение за {hours} часа", "DelayFor": "Закъснение за {hours} часа",
@@ -124,6 +129,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Храна", "Food": "Храна",
"FoodHelp": "",
"FoodInherit": "Хранителни наследствени полета", "FoodInherit": "Хранителни наследствени полета",
"FoodNotOnHand": "Нямате {храна} под ръка.", "FoodNotOnHand": "Нямате {храна} под ръка.",
"FoodOnHand": "Имате {храна} под ръка.", "FoodOnHand": "Имате {храна} под ръка.",
@@ -162,6 +168,7 @@
"Ingredient": "", "Ingredient": "",
"Ingredient Editor": "Редактор на съставки", "Ingredient Editor": "Редактор на съставки",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Тази съставка е във вашия списък за пазаруване.", "IngredientInShopping": "Тази съставка е във вашия списък за пазаруване.",
"Ingredients": "Съставки", "Ingredients": "Съставки",
"Inherit": "Наследете", "Inherit": "Наследете",
@@ -171,10 +178,12 @@
"Instructions": "Инструкции", "Instructions": "Инструкции",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Вътрешен", "Internal": "Вътрешен",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Контрол", "Key_Ctrl": "Контрол",
"Key_Shift": "Превключване", "Key_Shift": "Превключване",
"Keyword": "Ключова дума", "Keyword": "Ключова дума",
"KeywordHelp": "",
"Keyword_Alias": "Псевдоним на ключова дума", "Keyword_Alias": "Псевдоним на ключова дума",
"Keywords": "Ключови думи", "Keywords": "Ключови думи",
"Last": "", "Last": "",
@@ -188,7 +197,9 @@
"Make_Ingredient": "Направете съставка", "Make_Ingredient": "Направете съставка",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Управление на Книги", "Manage_Books": "Управление на Книги",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "План на хранене", "Meal_Plan": "План на хранене",
"Meal_Plan_Days": "Бъдещи планове за хранене", "Meal_Plan_Days": "Бъдещи планове за хранене",
"Meal_Type": "Вид хранене", "Meal_Type": "Вид хранене",
@@ -254,6 +265,7 @@
"Planned": "Планирано", "Planned": "Планирано",
"Planner": "Планировчик", "Planner": "Планировчик",
"Planner_Settings": "Настройки на планировчика", "Planner_Settings": "Настройки на планировчика",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -265,7 +277,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Защитен", "Protected": "Защитен",
"Proteins": "Протеини (белтъчини)", "Proteins": "Протеини (белтъчини)",
@@ -279,6 +293,9 @@
"Ratings": "Рейтинги", "Ratings": "Рейтинги",
"Recently_Viewed": "Наскоро разгледани", "Recently_Viewed": "Наскоро разгледани",
"Recipe": "Рецепта", "Recipe": "Рецепта",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Книга с рецепти", "Recipe_Book": "Книга с рецепти",
"Recipe_Image": "Изображение на рецептата", "Recipe_Image": "Изображение на рецептата",
@@ -299,6 +316,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Запазете и прегледайте", "Save_and_View": "Запазете и прегледайте",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Търсене", "Search": "Търсене",
"Search Settings": "Настройки търсене", "Search Settings": "Настройки търсене",
@@ -318,6 +336,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Категории за пазаруване", "Shopping_Categories": "Категории за пазаруване",
"Shopping_Category": "Категория за пазаруване", "Shopping_Category": "Категория за пазаруване",
@@ -338,10 +357,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Начален ден от седмицата", "Starting_Day": "Начален ден от седмицата",
"Step": "Стъпка", "Step": "Стъпка",
"StepHelp": "",
"Step_Name": "Стъпка Име", "Step_Name": "Стъпка Име",
"Step_Type": "Стъпка Тип", "Step_Type": "Стъпка Тип",
"Step_start_time": "Стъпка Начално време", "Step_start_time": "Стъпка Начално време",
@@ -354,6 +375,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Супермаркет", "Supermarket": "Супермаркет",
"SupermarketCategoriesOnly": "Само категории супермаркети", "SupermarketCategoriesOnly": "Само категории супермаркети",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Име на супермаркет", "SupermarketName": "Име на супермаркет",
"Supermarkets": "Супермаркети", "Supermarkets": "Супермаркети",
"System": "", "System": "",
@@ -374,6 +397,8 @@
"Undefined": "Недефиниран", "Undefined": "Недефиниран",
"Unit": "Единица", "Unit": "Единица",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Псевдоним на единица", "Unit_Alias": "Псевдоним на единица",
"Units": "Единици", "Units": "Единици",
"Unrated": "Без оценка", "Unrated": "Без оценка",
@@ -389,7 +414,10 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "потребител", "User": "потребител",
"UserFileHelp": "",
"UserHelp": "",
"View": "Изглед", "View": "Изглед",
"ViewLogHelp": "",
"View_Recipes": "Вижте рецепти", "View_Recipes": "Вижте рецепти",
"Viewed": "", "Viewed": "",
"Waiting": "Очакване", "Waiting": "Очакване",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "", "API": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "", "Account": "",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Moveu tots els ingredients al pas més adequat.", "Auto_Sort_Help": "Moveu tots els ingredients al pas més adequat.",
"Automate": "", "Automate": "",
"Automation": "", "Automation": "",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "", "Back": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "", "Conversion": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "", "CustomThemeHelp": "",
"Data_Import_Info": "", "Data_Import_Info": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "", "Datatype": "",
"Date": "", "Date": "",
"Day": "", "Day": "",
@@ -166,6 +171,7 @@
"First": "", "First": "",
"First_name": "", "First_name": "",
"Food": "", "Food": "",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "", "FoodNotOnHand": "",
"FoodOnHand": "", "FoodOnHand": "",
@@ -209,6 +215,7 @@
"Ingredient Editor": "Editor d'ingredients", "Ingredient Editor": "Editor d'ingredients",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "", "IngredientInShopping": "",
"Ingredients": "", "Ingredients": "",
"Inherit": "", "Inherit": "",
@@ -220,11 +227,13 @@
"Instructions": "", "Instructions": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "", "Invites": "",
"Key_Ctrl": "", "Key_Ctrl": "",
"Key_Shift": "", "Key_Shift": "",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "", "Keywords": "",
"Language": "", "Language": "",
@@ -243,7 +252,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gestioneu els llibres", "Manage_Books": "Gestioneu els llibres",
"Manage_Emails": "", "Manage_Emails": "",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Pla d'àpats", "Meal_Plan": "Pla d'àpats",
"Meal_Plan_Days": "", "Meal_Plan_Days": "",
"Meal_Type": "", "Meal_Type": "",
@@ -323,6 +334,7 @@
"Planned": "", "Planned": "",
"Planner": "", "Planner": "",
"Planner_Settings": "", "Planner_Settings": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -339,7 +351,9 @@
"Properties_Food_Amount": "", "Properties_Food_Amount": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "", "Property": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "", "Protected": "",
"Proteins": "", "Proteins": "",
@@ -353,6 +367,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "Vistos recentment", "Recently_Viewed": "Vistos recentment",
"Recipe": "", "Recipe": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "", "Recipe_Book": "",
"Recipe_Image": "Imatge de la recepta", "Recipe_Image": "Imatge de la recepta",
@@ -373,6 +390,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Graveu-ho i mostreu-ho", "Save_and_View": "Graveu-ho i mostreu-ho",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"Search Settings": "", "Search Settings": "",
@@ -395,6 +413,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "", "ShoppingBackgroundSyncWarning": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "", "Shopping_Categories": "",
"Shopping_Category": "", "Shopping_Category": "",
@@ -419,6 +438,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "", "Space_Cosmetic_Settings": "",
"Split": "", "Split": "",
@@ -426,6 +446,7 @@
"StartDate": "", "StartDate": "",
"Starting_Day": "", "Starting_Day": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_Name": "Nom del pas", "Step_Name": "Nom del pas",
"Step_Type": "Tipus de pas", "Step_Type": "Tipus de pas",
"Step_start_time": "Hora d'inici", "Step_start_time": "Hora d'inici",
@@ -440,6 +461,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoriesOnly": "", "SupermarketCategoriesOnly": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -464,6 +487,8 @@
"Undo": "", "Undo": "",
"Unit": "", "Unit": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Unit_Replace": "", "Unit_Replace": "",
"Units": "", "Units": "",
@@ -488,10 +513,13 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"Username": "", "Username": "",
"Users": "", "Users": "",
"Valid Until": "", "Valid Until": "",
"View": "", "View": "",
"ViewLogHelp": "",
"View_Recipes": "Mostreu les receptes", "View_Recipes": "Mostreu les receptes",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Účet", "Account": "Účet",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Přiřadit všechny ingredience k nejlépe vyhovujícímu kroku.", "Auto_Sort_Help": "Přiřadit všechny ingredience k nejlépe vyhovujícímu kroku.",
"Automate": "Automatizovat", "Automate": "Automatizovat",
"Automation": "Automatizace", "Automation": "Automatizace",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Zpět", "Back": "Zpět",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Skript v záložce", "Bookmarklet": "Skript v záložce",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "Převod", "Conversion": "Převod",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopírovat", "Copy": "Kopírovat",
@@ -103,6 +107,7 @@
"CustomThemeHelp": "Přepsat styly vybraného motivu nahráním vlastního souboru CSS.", "CustomThemeHelp": "Přepsat styly vybraného motivu nahráním vlastního souboru CSS.",
"Data_Import_Info": "Rozšiřte svůj prostor o seznamy potravin, jednotek a dalších položek spravovaných komunitou, a vylepšete tak svoji sbírku receptů.", "Data_Import_Info": "Rozšiřte svůj prostor o seznamy potravin, jednotek a dalších položek spravovaných komunitou, a vylepšete tak svoji sbírku receptů.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Datový typ", "Datatype": "Datový typ",
"Date": "Datum", "Date": "Datum",
"Day": "Den", "Day": "Den",
@@ -166,6 +171,7 @@
"First": "", "First": "",
"First_name": "Jméno", "First_name": "Jméno",
"Food": "Potravina", "Food": "Potravina",
"FoodHelp": "",
"FoodInherit": "Propisovatelná pole potraviny", "FoodInherit": "Propisovatelná pole potraviny",
"FoodNotOnHand": "Nemáte {food} k dispozici.", "FoodNotOnHand": "Nemáte {food} k dispozici.",
"FoodOnHand": "{food} máte k dispozici.", "FoodOnHand": "{food} máte k dispozici.",
@@ -209,6 +215,7 @@
"Ingredient Editor": "Editace ingrediencí", "Ingredient Editor": "Editace ingrediencí",
"Ingredient Overview": "Přehled ingrediencí", "Ingredient Overview": "Přehled ingrediencí",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Tato ingredience je na vašem nákupním seznamu.", "IngredientInShopping": "Tato ingredience je na vašem nákupním seznamu.",
"Ingredients": "Ingredience", "Ingredients": "Ingredience",
"Inherit": "Propsat", "Inherit": "Propsat",
@@ -219,11 +226,13 @@
"Instructions": "Instrukce", "Instructions": "Instrukce",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interní", "Internal": "Interní",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Pozvánky", "Invites": "Pozvánky",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Štítek", "Keyword": "Štítek",
"KeywordHelp": "",
"Keyword_Alias": "Přezdívka štítku", "Keyword_Alias": "Přezdívka štítku",
"Keywords": "Štítky", "Keywords": "Štítky",
"Language": "Jazyk", "Language": "Jazyk",
@@ -242,7 +251,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Spravovat kuchařky", "Manage_Books": "Spravovat kuchařky",
"Manage_Emails": "Spravovat emaily", "Manage_Emails": "Spravovat emaily",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Jídelníček", "Meal_Plan": "Jídelníček",
"Meal_Plan_Days": "Budoucí jídelníčky", "Meal_Plan_Days": "Budoucí jídelníčky",
"Meal_Type": "Druh jídla", "Meal_Type": "Druh jídla",
@@ -321,6 +332,7 @@
"Planned": "Naplánované", "Planned": "Naplánované",
"Planner": "Plánovač", "Planner": "Plánovač",
"Planner_Settings": "Nastavení plánovače", "Planner_Settings": "Nastavení plánovače",
"Planning&Shopping": "",
"Plural": "Množné číslo", "Plural": "Množné číslo",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -337,7 +349,9 @@
"Properties_Food_Amount": "Množství nutriční vlastnosti", "Properties_Food_Amount": "Množství nutriční vlastnosti",
"Properties_Food_Unit": "Jednotka nutriční vlastnosti", "Properties_Food_Unit": "Jednotka nutriční vlastnosti",
"Property": "Nutriční vlastnost", "Property": "Nutriční vlastnost",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Editovat nutriční vlastnosti", "Property_Editor": "Editovat nutriční vlastnosti",
"Protected": "Chráněný", "Protected": "Chráněný",
"Proteins": "Proteiny", "Proteins": "Proteiny",
@@ -351,6 +365,9 @@
"Ratings": "Hodnocení", "Ratings": "Hodnocení",
"Recently_Viewed": "Naposledy prohlížené", "Recently_Viewed": "Naposledy prohlížené",
"Recipe": "Recept", "Recipe": "Recept",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Kuchařka", "Recipe_Book": "Kuchařka",
"Recipe_Image": "Obrázek k receptu", "Recipe_Image": "Obrázek k receptu",
@@ -371,6 +388,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Uložit a zobrazit", "Save_and_View": "Uložit a zobrazit",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Hledat", "Search": "Hledat",
"Search Settings": "Nastavení vyhledávání", "Search Settings": "Nastavení vyhledávání",
@@ -392,6 +410,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Kategorie nákupního seznamu", "Shopping_Categories": "Kategorie nákupního seznamu",
"Shopping_Category": "Kategorie nákupního seznamu", "Shopping_Category": "Kategorie nákupního seznamu",
@@ -415,6 +434,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Některá kosmetická nastavení mohou měnit správci prostoru a budou mít přednost před nastavením klienta pro daný prostor.", "Space_Cosmetic_Settings": "Některá kosmetická nastavení mohou měnit správci prostoru a budou mít přednost před nastavením klienta pro daný prostor.",
"Split": "", "Split": "",
@@ -422,6 +442,7 @@
"StartDate": "Počáteční datum", "StartDate": "Počáteční datum",
"Starting_Day": "První den v týdnu", "Starting_Day": "První den v týdnu",
"Step": "Krok", "Step": "Krok",
"StepHelp": "",
"Step_Name": "Název kroku", "Step_Name": "Název kroku",
"Step_Type": "Druh kroku", "Step_Type": "Druh kroku",
"Step_start_time": "Nastav počáteční čas", "Step_start_time": "Nastav počáteční čas",
@@ -436,6 +457,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Obchod", "Supermarket": "Obchod",
"SupermarketCategoriesOnly": "Pouze kategorie obchodu", "SupermarketCategoriesOnly": "Pouze kategorie obchodu",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Název obchodu", "SupermarketName": "Název obchodu",
"Supermarkets": "Obchody", "Supermarkets": "Obchody",
"System": "", "System": "",
@@ -458,6 +481,8 @@
"Undefined": "Neurčeno", "Undefined": "Neurčeno",
"Unit": "Jednotka", "Unit": "Jednotka",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Přezdívka jednotky", "Unit_Alias": "Přezdívka jednotky",
"Unit_Replace": "Nahrazení v jednotce", "Unit_Replace": "Nahrazení v jednotce",
"Units": "Jednotky", "Units": "Jednotky",
@@ -481,10 +506,13 @@
"Use_Plural_Unit_Always": "Vždy použít množné číslo pro jednotku", "Use_Plural_Unit_Always": "Vždy použít množné číslo pro jednotku",
"Use_Plural_Unit_Simple": "Dynamicky použít množné číslo pro jednotku", "Use_Plural_Unit_Simple": "Dynamicky použít množné číslo pro jednotku",
"User": "Uživatel", "User": "Uživatel",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Uživatelské jméno", "Username": "Uživatelské jméno",
"Users": "Uživatelé", "Users": "Uživatelé",
"Valid Until": "Platné do", "Valid Until": "Platné do",
"View": "Zobrazit", "View": "Zobrazit",
"ViewLogHelp": "",
"View_Recipes": "Zobrazit recepty", "View_Recipes": "Zobrazit recepty",
"Viewed": "", "Viewed": "",
"Waiting": "Čekající", "Waiting": "Čekající",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Bruger", "Account": "Bruger",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Flyt alle ingredienser til mest egnede trin.", "Auto_Sort_Help": "Flyt alle ingredienser til mest egnede trin.",
"Automate": "Automatiser", "Automate": "Automatiser",
"Automation": "Automatisering", "Automation": "Automatisering",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Tilbage", "Back": "Tilbage",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Bogmærke", "Bookmarklet": "Bogmærke",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -72,6 +75,7 @@
"Conversion": "Konversion", "Conversion": "Konversion",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopier", "Copy": "Kopier",
@@ -96,6 +100,7 @@
"Custom Filter": "Tilpasset filter", "Custom Filter": "Tilpasset filter",
"Data_Import_Info": "Udbyg dit Space og gør din opskriftsamling bedre ved at importere en netværkskurateret liste af ingredienser, enheder og mere.", "Data_Import_Info": "Udbyg dit Space og gør din opskriftsamling bedre ved at importere en netværkskurateret liste af ingredienser, enheder og mere.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Datatype", "Datatype": "Datatype",
"Date": "Dato", "Date": "Dato",
"Day": "Dag", "Day": "Dag",
@@ -154,6 +159,7 @@
"First": "", "First": "",
"First_name": "Fornavn", "First_name": "Fornavn",
"Food": "Mad", "Food": "Mad",
"FoodHelp": "",
"FoodInherit": "Nedarvelige mad felter", "FoodInherit": "Nedarvelige mad felter",
"FoodNotOnHand": "Du har ikke {food} til rådighed.", "FoodNotOnHand": "Du har ikke {food} til rådighed.",
"FoodOnHand": "Du har {food} til rådighed.", "FoodOnHand": "Du har {food} til rådighed.",
@@ -197,6 +203,7 @@
"Ingredient Editor": "Ingrediens redigeringsværktøj", "Ingredient Editor": "Ingrediens redigeringsværktøj",
"Ingredient Overview": "Ingrediensoversigt", "Ingredient Overview": "Ingrediensoversigt",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Denne ingrediens er i din indkøbsliste.", "IngredientInShopping": "Denne ingrediens er i din indkøbsliste.",
"Ingredients": "Ingredienser", "Ingredients": "Ingredienser",
"Inherit": "Nedarve", "Inherit": "Nedarve",
@@ -207,11 +214,13 @@
"Instructions": "Instruktioner", "Instructions": "Instruktioner",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interne", "Internal": "Interne",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Invitationer", "Invites": "Invitationer",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Nøgleord", "Keyword": "Nøgleord",
"KeywordHelp": "",
"Keyword_Alias": "Alternativt navn til nøgleord", "Keyword_Alias": "Alternativt navn til nøgleord",
"Keywords": "Nøgleord", "Keywords": "Nøgleord",
"Language": "Sprog", "Language": "Sprog",
@@ -229,7 +238,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Administrer bøger", "Manage_Books": "Administrer bøger",
"Manage_Emails": "Håndter Emails", "Manage_Emails": "Håndter Emails",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Madplan", "Meal_Plan": "Madplan",
"Meal_Plan_Days": "Fremtidige madplaner", "Meal_Plan_Days": "Fremtidige madplaner",
"Meal_Type": "Måltidstype", "Meal_Type": "Måltidstype",
@@ -306,6 +317,7 @@
"Planned": "Planlagt", "Planned": "Planlagt",
"Planner": "Planlægger", "Planner": "Planlægger",
"Planner_Settings": "Planlægger indstillinger", "Planner_Settings": "Planlægger indstillinger",
"Planning&Shopping": "",
"Plural": "Flertal", "Plural": "Flertal",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -321,7 +333,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Egenskab", "Property": "Egenskab",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Beskyttet", "Protected": "Beskyttet",
"Proteins": "Proteiner", "Proteins": "Proteiner",
@@ -335,6 +349,9 @@
"Ratings": "Bedømmelser", "Ratings": "Bedømmelser",
"Recently_Viewed": "Vist for nylig", "Recently_Viewed": "Vist for nylig",
"Recipe": "Opskrift", "Recipe": "Opskrift",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Opskriftsbog", "Recipe_Book": "Opskriftsbog",
"Recipe_Image": "Opskriftsbillede", "Recipe_Image": "Opskriftsbillede",
@@ -355,6 +372,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Gem & Vis", "Save_and_View": "Gem & Vis",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Søg", "Search": "Søg",
"Search Settings": "Søgningsindstillinger", "Search Settings": "Søgningsindstillinger",
@@ -376,6 +394,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Indkøbskategorier", "Shopping_Categories": "Indkøbskategorier",
"Shopping_Category": "Indkøbskategori", "Shopping_Category": "Indkøbskategori",
@@ -396,12 +415,14 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Opdel rækker i separate trin.", "Split_All_Steps": "Opdel rækker i separate trin.",
"StartDate": "Startdato", "StartDate": "Startdato",
"Starting_Day": "Første dag på ugen", "Starting_Day": "Første dag på ugen",
"Step": "Trin", "Step": "Trin",
"StepHelp": "",
"Step_Name": "Trin navn", "Step_Name": "Trin navn",
"Step_Type": "Trin type", "Step_Type": "Trin type",
"Step_start_time": "Trin starttid", "Step_start_time": "Trin starttid",
@@ -416,6 +437,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarked", "Supermarket": "Supermarked",
"SupermarketCategoriesOnly": "Kun Supermarked kategorier", "SupermarketCategoriesOnly": "Kun Supermarked kategorier",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Navn på supermarked", "SupermarketName": "Navn på supermarked",
"Supermarkets": "Supermarkeder", "Supermarkets": "Supermarkeder",
"System": "", "System": "",
@@ -438,6 +461,8 @@
"Undefined": "Ikke defineret", "Undefined": "Ikke defineret",
"Unit": "Enhed", "Unit": "Enhed",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Alternativt navn til enhed", "Unit_Alias": "Alternativt navn til enhed",
"Unit_Replace": "Erstat enhed", "Unit_Replace": "Erstat enhed",
"Units": "Enheder", "Units": "Enheder",
@@ -461,10 +486,13 @@
"Use_Plural_Unit_Always": "Benyt altid flertalsform for enheder", "Use_Plural_Unit_Always": "Benyt altid flertalsform for enheder",
"Use_Plural_Unit_Simple": "Brug flertalsform dynamisk for enheder", "Use_Plural_Unit_Simple": "Brug flertalsform dynamisk for enheder",
"User": "Bruger", "User": "Bruger",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Brugernavn", "Username": "Brugernavn",
"Users": "Brugere", "Users": "Brugere",
"Valid Until": "Gyldig indtil", "Valid Until": "Gyldig indtil",
"View": "Vis", "View": "Vis",
"ViewLogHelp": "",
"View_Recipes": "Vis opskrifter", "View_Recipes": "Vis opskrifter",
"Viewed": "", "Viewed": "",
"Waiting": "Vente", "Waiting": "Vente",

View File

@@ -2,6 +2,7 @@
"AI": "AI", "AI": "AI",
"AIImportSubtitle": "Verwende AI um Fotos von Rezepten zu importieren.", "AIImportSubtitle": "Verwende AI um Fotos von Rezepten zu importieren.",
"API": "API", "API": "API",
"AccessTokenHelp": "Zugriffsschlüssel für die REST Schnittstelle. ",
"Access_Token": "Zugriffstoken", "Access_Token": "Zugriffstoken",
"Account": "Konto", "Account": "Konto",
"Actions": "Aktionen", "Actions": "Aktionen",
@@ -35,11 +36,13 @@
"Auto_Sort_Help": "Verschiebe alle Zutaten zu dem Schritt, der am Besten passt.", "Auto_Sort_Help": "Verschiebe alle Zutaten zu dem Schritt, der am Besten passt.",
"Automate": "Automatisieren", "Automate": "Automatisieren",
"Automation": "Automatisierung", "Automation": "Automatisierung",
"AutomationHelp": "Mit Automatisierungen können Änderungen an z.B. Rezepten oder Zutaten vorgenommen werden wenn diese Importiert werden.",
"Available": "Verfügbar", "Available": "Verfügbar",
"AvailableCategories": "Verfügbare Kategorien", "AvailableCategories": "Verfügbare Kategorien",
"Back": "Zurück", "Back": "Zurück",
"BaseUnit": "Basiseinheit", "BaseUnit": "Basiseinheit",
"BaseUnitHelp": "Optionale Standardeinheit zur automatischen Umrechnung", "BaseUnitHelp": "Optionale Standardeinheit zur automatischen Umrechnung",
"Basics": "Grundlagen",
"Book": "Buch", "Book": "Buch",
"Bookmarklet": "Lesezeichen", "Bookmarklet": "Lesezeichen",
"BookmarkletHelp1": "Schiebe den Knopf in deine Lesezeichenleiste", "BookmarkletHelp1": "Schiebe den Knopf in deine Lesezeichenleiste",
@@ -75,6 +78,7 @@
"Conversion": "Umrechnung", "Conversion": "Umrechnung",
"ConversionsHelp": "Mit Umrechnungen kann die Menge einens Lebensmittels in verschiedenen Einheiten ausgerechnet werden. Aktuell wird dies nur zur berechnung von Eigenschaften verwendet, später jedoch sollen auch andere Funktionen von Tandoor davon profitieren.", "ConversionsHelp": "Mit Umrechnungen kann die Menge einens Lebensmittels in verschiedenen Einheiten ausgerechnet werden. Aktuell wird dies nur zur berechnung von Eigenschaften verwendet, später jedoch sollen auch andere Funktionen von Tandoor davon profitieren.",
"CookLog": "Kochprotokoll", "CookLog": "Kochprotokoll",
"CookLogHelp": "Einträge im Kochprotokoll für Rezepte.",
"Cooked": "Gekocht", "Cooked": "Gekocht",
"Copied": "Kopiert", "Copied": "Kopiert",
"Copy": "Kopieren", "Copy": "Kopieren",
@@ -106,6 +110,7 @@
"CustomThemeHelp": "Überschreiben Sie die Stile des ausgewählten Themes, indem Sie eine eigene CSS-Datei hochladen.", "CustomThemeHelp": "Überschreiben Sie die Stile des ausgewählten Themes, indem Sie eine eigene CSS-Datei hochladen.",
"Data_Import_Info": "Verbessern Sie Ihren Space, indem Sie eine von der Community kuratierte Liste von Lebensmitteln, Einheiten und mehr importieren, um Ihre Rezeptsammlung zu verbessern.", "Data_Import_Info": "Verbessern Sie Ihren Space, indem Sie eine von der Community kuratierte Liste von Lebensmitteln, Einheiten und mehr importieren, um Ihre Rezeptsammlung zu verbessern.",
"Database": "Datenbank", "Database": "Datenbank",
"DatabaseHelp": "Tandoor verwendet verschiedene Objekte um Rezepte, Einkaufslisten, Essenspläne und mehr zu erstellen. Hier können alle diese Objekte verwaltet werden. ",
"Datatype": "Datentyp", "Datatype": "Datentyp",
"Date": "Datum", "Date": "Datum",
"Day": "Tag", "Day": "Tag",
@@ -169,6 +174,7 @@
"First": "Erstes", "First": "Erstes",
"First_name": "Vorname", "First_name": "Vorname",
"Food": "Lebensmittel", "Food": "Lebensmittel",
"FoodHelp": "Lebensmittel sind die wichtigste Grundlage für Rezepte in Tandoor. Sie werden mit Einheiten und Mengen zu Zutaten in Rezepten zusammengesetzt. Außerdem können Sie für Einkaufslisten, Eigenschaften und vieles mehr genutzt werden. ",
"FoodInherit": "Lebensmittel vererbbare Felder", "FoodInherit": "Lebensmittel vererbbare Felder",
"FoodNotOnHand": "Sie haben {food} nicht vorrätig.", "FoodNotOnHand": "Sie haben {food} nicht vorrätig.",
"FoodOnHand": "Sie haben {food} vorrätig.", "FoodOnHand": "Sie haben {food} vorrätig.",
@@ -212,6 +218,7 @@
"Ingredient Editor": "Zutateneditor", "Ingredient Editor": "Zutateneditor",
"Ingredient Overview": "Zutatenübersicht", "Ingredient Overview": "Zutatenübersicht",
"IngredientEditorHelp": "Mit dem Zutateneditor können alle Zutaten die ein bestimmtes Lebensmittel und/oder eine bestimmte Einheit benutzen auf einmal editiert werden. Dies ist praktisch um Fehler zu korrigieren oder mehrere Rezepte auf einmal zu bearbeiten.", "IngredientEditorHelp": "Mit dem Zutateneditor können alle Zutaten die ein bestimmtes Lebensmittel und/oder eine bestimmte Einheit benutzen auf einmal editiert werden. Dies ist praktisch um Fehler zu korrigieren oder mehrere Rezepte auf einmal zu bearbeiten.",
"IngredientHelp": "Eine Zutat besteht in der Regel aus Menge, Einheit und Lebensmittel, wobei Menge und Einheit optional sind. Außerdem kann Sie eine Notiz enthalten oder als Überschrift dargestellt werden.",
"IngredientInShopping": "Diese Zutat befindet sich auf Ihrer Einkaufsliste.", "IngredientInShopping": "Diese Zutat befindet sich auf Ihrer Einkaufsliste.",
"Ingredients": "Zutaten", "Ingredients": "Zutaten",
"Inherit": "Vererben", "Inherit": "Vererben",
@@ -223,11 +230,13 @@
"Instructions": "Anleitung", "Instructions": "Anleitung",
"InstructionsEditHelp": "Hier klicken um eine Anleitung hinzuzufügen.", "InstructionsEditHelp": "Hier klicken um eine Anleitung hinzuzufügen.",
"Internal": "Intern", "Internal": "Intern",
"InviteLinkHelp": "Links zum einladen neuer Nutzer in einen Space.",
"Invite_Link": "Einladungs Link", "Invite_Link": "Einladungs Link",
"Invites": "Einladungen", "Invites": "Einladungen",
"Key_Ctrl": "Strg", "Key_Ctrl": "Strg",
"Key_Shift": "Umschalttaste", "Key_Shift": "Umschalttaste",
"Keyword": "Schlüsselwort", "Keyword": "Schlüsselwort",
"KeywordHelp": "Schlagworte können verwendet werden um deine Rezeptsammlung zu strukturieren. ",
"Keyword_Alias": "Schlagwort Alias", "Keyword_Alias": "Schlagwort Alias",
"Keywords": "Schlagwörter", "Keywords": "Schlagwörter",
"Language": "Sprache", "Language": "Sprache",
@@ -246,7 +255,9 @@
"ManageSubscription": "Tarfi verwalten", "ManageSubscription": "Tarfi verwalten",
"Manage_Books": "Bücher verwalten", "Manage_Books": "Bücher verwalten",
"Manage_Emails": "E-Mails verwalten", "Manage_Emails": "E-Mails verwalten",
"MealPlanHelp": "Ein Speiseplan ist ein Eintrag im Kalender zur Planung von Mahlzeiten. Er muss entweder ein Rezept oder einen Titel erhalten und kann mit der Einkaufsliste verknüpft werden. ",
"MealPlanShoppingHelp": "Einträge auf der Einkaufsliste können zur besseren Sortierung zu einem Plan gehören. Wird ein Plan mit einem Rezept erstellt, können die Zutaten automatisch auf die Einkaufsliste gesetzt werden (Einstellung).", "MealPlanShoppingHelp": "Einträge auf der Einkaufsliste können zur besseren Sortierung zu einem Plan gehören. Wird ein Plan mit einem Rezept erstellt, können die Zutaten automatisch auf die Einkaufsliste gesetzt werden (Einstellung).",
"MealTypeHelp": "Mahlzeiten dienen der sortierung/kategorisierung von Speiseplänen. ",
"Meal_Plan": "Speiseplan", "Meal_Plan": "Speiseplan",
"Meal_Plan_Days": "Zukünftige Essenspläne", "Meal_Plan_Days": "Zukünftige Essenspläne",
"Meal_Type": "Mahlzeit", "Meal_Type": "Mahlzeit",
@@ -326,6 +337,7 @@
"Planned": "Geplant", "Planned": "Geplant",
"Planner": "Planer", "Planner": "Planer",
"Planner_Settings": "Einstellungen Essensplan", "Planner_Settings": "Einstellungen Essensplan",
"Planning&Shopping": "Planen & Einkaufen",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "Verschieben", "Postpone": "Verschieben",
"PostponedUntil": "Verschoben bis", "PostponedUntil": "Verschoben bis",
@@ -343,7 +355,9 @@
"Properties_Food_Amount": "Eigenschaften: Lebensmittelmenge", "Properties_Food_Amount": "Eigenschaften: Lebensmittelmenge",
"Properties_Food_Unit": "Eigenschaft Einheit", "Properties_Food_Unit": "Eigenschaft Einheit",
"Property": "Eigenschaft", "Property": "Eigenschaft",
"PropertyHelp": "Kombination aus Eigenschaft und Lebensmittel/Rezept und Menge. ",
"PropertyType": "Eigenschafts Typ", "PropertyType": "Eigenschafts Typ",
"PropertyTypeHelp": "Eigenschaften erlauben es verschiedene Werte (Nährwerte, Preise, ...) für einzelne Lebensmittel oder ganze Rezepte zu erfassen. ",
"Property_Editor": "Eigenschaften bearbeiten", "Property_Editor": "Eigenschaften bearbeiten",
"Protected": "Geschützt", "Protected": "Geschützt",
"Proteins": "Proteine", "Proteins": "Proteine",
@@ -357,6 +371,9 @@
"Ratings": "Bewertungen", "Ratings": "Bewertungen",
"Recently_Viewed": "Kürzlich angesehen", "Recently_Viewed": "Kürzlich angesehen",
"Recipe": "Rezept", "Recipe": "Rezept",
"RecipeBookEntryHelp": "Rezeptbucheinträge verknpüfen Rezepte mit bestimmten Positionen in Büchern. ",
"RecipeBookHelp": "Rezeptbücher enthalten Rezeptbucheinträge oder können über hinterlegte gespeicherte Suchen automatisch gefüllt werden. ",
"RecipeHelp": "Rezepte sind die Grundlage von Tandoor und bestehen aus allgemeinen Informationen und Schritten, die wiederrum aus Zutaten, Texten und mehr bestehen. ",
"RecipeStepsHelp": "Zutaten, Anleitungen und mehr können unter dem Tab Schritte hinzugefügt werden.", "RecipeStepsHelp": "Zutaten, Anleitungen und mehr können unter dem Tab Schritte hinzugefügt werden.",
"Recipe_Book": "Kochbuch", "Recipe_Book": "Kochbuch",
"Recipe_Image": "Rezeptbild", "Recipe_Image": "Rezeptbild",
@@ -377,6 +394,7 @@
"Save/Load": "Speichern/Laden", "Save/Load": "Speichern/Laden",
"Save_and_View": "Speichern & Ansehen", "Save_and_View": "Speichern & Ansehen",
"SavedSearch": "Gespeicherte Suche", "SavedSearch": "Gespeicherte Suche",
"SavedSearchHelp": "Gespeicherte Suchen können genutzt werden um bestimmte Suchkriterien zu speichern und später schnell wieder aufzurufen oder um Rezeptbücher automatisch zu befüllen. ",
"ScalableNumber": "Skalierbare Zahl", "ScalableNumber": "Skalierbare Zahl",
"Search": "Suchen", "Search": "Suchen",
"Search Settings": "Sucheinstellungen", "Search Settings": "Sucheinstellungen",
@@ -399,6 +417,7 @@
"ShopNow": "Jetzt kaufen", "ShopNow": "Jetzt kaufen",
"ShoppingBackgroundSyncWarning": "Schlechte Netzwerkverbindung, Warten auf Synchronisation ...", "ShoppingBackgroundSyncWarning": "Schlechte Netzwerkverbindung, Warten auf Synchronisation ...",
"ShoppingListEntry": "Einkaufslisten Eintrag", "ShoppingListEntry": "Einkaufslisten Eintrag",
"ShoppingListEntryHelp": "Einträge auf der Einkaufsliste können manuell oder automatisch durch Rezepte und Essenspläne erstellt werden.",
"ShoppingListRecipe": "Einkaufslisten Rezepte", "ShoppingListRecipe": "Einkaufslisten Rezepte",
"Shopping_Categories": "Einkaufskategorien", "Shopping_Categories": "Einkaufskategorien",
"Shopping_Category": "Einkaufskategorie", "Shopping_Category": "Einkaufskategorie",
@@ -423,6 +442,7 @@
"SpaceLimitReached": "Dieser Space hat ein Limit erreicht. Es können keine neuen Objekte von diesem Typ angelegt werden.", "SpaceLimitReached": "Dieser Space hat ein Limit erreicht. Es können keine neuen Objekte von diesem Typ angelegt werden.",
"SpaceMemberHelp": "Füge Benutzer hinzu indem du Einladungen erstellst und Sie an die gewünschte Person sendest.", "SpaceMemberHelp": "Füge Benutzer hinzu indem du Einladungen erstellst und Sie an die gewünschte Person sendest.",
"SpaceMembers": "Space Mitglieder", "SpaceMembers": "Space Mitglieder",
"SpaceMembersHelp": "Benutzer und Ihre Rechte in einem Space.",
"SpaceSettings": "Space Einstellungen", "SpaceSettings": "Space Einstellungen",
"Space_Cosmetic_Settings": "Einige optische Einstellungen können von Administratoren des Bereichs geändert werden und setzen die Client-Einstellungen für diesen Bereich außer Kraft.", "Space_Cosmetic_Settings": "Einige optische Einstellungen können von Administratoren des Bereichs geändert werden und setzen die Client-Einstellungen für diesen Bereich außer Kraft.",
"Split": "Aufteilen", "Split": "Aufteilen",
@@ -430,6 +450,7 @@
"StartDate": "Startdatum", "StartDate": "Startdatum",
"Starting_Day": "Wochenbeginn am", "Starting_Day": "Wochenbeginn am",
"Step": "Schritt", "Step": "Schritt",
"StepHelp": "Schritte enthalten Zutaten (bestehend aus Meng/Einheit/Lebensmittel) sowie Anweisungen, Fotos und weitere Informationen für den jeweiligen Rezeptschritt.",
"Step_Name": "Schritt Name", "Step_Name": "Schritt Name",
"Step_Type": "Schritt Typ", "Step_Type": "Schritt Typ",
"Step_start_time": "Schritt Startzeit", "Step_start_time": "Schritt Startzeit",
@@ -444,6 +465,8 @@
"Sunday": "Sonntag", "Sunday": "Sonntag",
"Supermarket": "Supermarkt", "Supermarket": "Supermarkt",
"SupermarketCategoriesOnly": "Nur Supermarktkategorien", "SupermarketCategoriesOnly": "Nur Supermarktkategorien",
"SupermarketCategoryHelp": "Kategorien beschreiben Bereiche in Supermärkten (z.B. Backen, Fleisch, ...). Sie werden mit Lebensmitteln und Supermärkten verküpft um automatisch zu sortieren/filtern.",
"SupermarketHelp": "In Supermärkten können Kategorien zugeordnet werden um die Einkaufsliste automatisch zu sortieren oder zu filtern. ",
"SupermarketName": "Name Supermarkt", "SupermarketName": "Name Supermarkt",
"Supermarkets": "Supermärkte", "Supermarkets": "Supermärkte",
"System": "System", "System": "System",
@@ -468,6 +491,8 @@
"Undo": "Rückgängig", "Undo": "Rückgängig",
"Unit": "Einheit", "Unit": "Einheit",
"UnitConversion": "Umrechnung", "UnitConversion": "Umrechnung",
"UnitConversionHelp": "Individuelle Umwandlungen erlauben es individuelle Einheiten allgemein oder eines bestimmten Lebensmittels umzurechnen. Beispielsweise kann man so 1 Tasse Mehl in 125g umrechnen. Tandoor kann automatisch innerhalb der Gewichts und innerhalb der Volumen Einheiten umrechenn, wenn die Einheiten die richtigen Basiseinheiten hinterlegt haben. Umwandlungen werden für die Berechnung von Eigenschaften benötigt.",
"UnitHelp": "Einheiten bilden mit Lebensmitteln und Mengen Zutaten. Sie können nach den eigenen Vorlieben benannt und standardisierten Einheiten zur automatischen umrechnung zugeordnet werden. Auch an anderen Stellen dienen Sie zur Beschreibung von Mengen (z.B. Einkaufslisten, Umrechnungen, Eigenschaften). ",
"Unit_Alias": "Einheit Alias", "Unit_Alias": "Einheit Alias",
"Unit_Replace": "Einheit Ersetzen", "Unit_Replace": "Einheit Ersetzen",
"Units": "Einheiten", "Units": "Einheiten",
@@ -492,10 +517,13 @@
"Use_Plural_Unit_Always": "Pluralform der Maßeinheit immer verwenden", "Use_Plural_Unit_Always": "Pluralform der Maßeinheit immer verwenden",
"Use_Plural_Unit_Simple": "Pluralform der Maßeinheit dynamisch anpassen", "Use_Plural_Unit_Simple": "Pluralform der Maßeinheit dynamisch anpassen",
"User": "Benutzer", "User": "Benutzer",
"UserFileHelp": "Dateien die in den Space hochgeladen wurden. ",
"UserHelp": "Benutzer sind die Mitglieder deines Spaces.",
"Username": "Benutzerkennung", "Username": "Benutzerkennung",
"Users": "Benutzer", "Users": "Benutzer",
"Valid Until": "Gültig bis", "Valid Until": "Gültig bis",
"View": "Ansicht", "View": "Ansicht",
"ViewLogHelp": "Verlauf angesehener Rezepte. ",
"View_Recipes": "Rezepte Ansehen", "View_Recipes": "Rezepte Ansehen",
"Viewed": "Angesehen", "Viewed": "Angesehen",
"Waiting": "Wartezeit", "Waiting": "Wartezeit",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Λογαριασμός", "Account": "Λογαριασμός",
"Actions": "", "Actions": "",
@@ -32,11 +33,13 @@
"Auto_Sort_Help": "Μετακίνηση όλων των υλικών στο καταλληλότερο βήμα.", "Auto_Sort_Help": "Μετακίνηση όλων των υλικών στο καταλληλότερο βήμα.",
"Automate": "Αυτοματοποίηση", "Automate": "Αυτοματοποίηση",
"Automation": "Αυτοματισμός", "Automation": "Αυτοματισμός",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Πίσω", "Back": "Πίσω",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Bookmarklet", "Bookmarklet": "Bookmarklet",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -71,6 +74,7 @@
"Conversion": "Μετατροπή", "Conversion": "Μετατροπή",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Αντιγραφή", "Copy": "Αντιγραφή",
@@ -95,6 +99,7 @@
"Custom Filter": "Προσαρμοσμένο φίλτρο", "Custom Filter": "Προσαρμοσμένο φίλτρο",
"Data_Import_Info": "Βελτιώστε τον χώρο και τη συλλογή συνταγών σας κάνοντας εισαγωγή μιας λίστας από φαγητά, μονάδες μέτρησης κ.α., επιμελημένη από την κοινότητα.", "Data_Import_Info": "Βελτιώστε τον χώρο και τη συλλογή συνταγών σας κάνοντας εισαγωγή μιας λίστας από φαγητά, μονάδες μέτρησης κ.α., επιμελημένη από την κοινότητα.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Τύπος δεδομένων", "Datatype": "Τύπος δεδομένων",
"Date": "Ημερομηνία", "Date": "Ημερομηνία",
"Day": "Ημέρα", "Day": "Ημέρα",
@@ -150,6 +155,7 @@
"First": "", "First": "",
"First_name": "Όνομα", "First_name": "Όνομα",
"Food": "Φαγητό", "Food": "Φαγητό",
"FoodHelp": "",
"FoodInherit": "Πεδία φαγητών που κληρονομούνται", "FoodInherit": "Πεδία φαγητών που κληρονομούνται",
"FoodNotOnHand": "Δεν έχετε το φαγητό {food} διαθέσιμο.", "FoodNotOnHand": "Δεν έχετε το φαγητό {food} διαθέσιμο.",
"FoodOnHand": "Έχετε το φαγητό {food} διαθέσιμο.", "FoodOnHand": "Έχετε το φαγητό {food} διαθέσιμο.",
@@ -192,6 +198,7 @@
"Ingredient Editor": "Επεξεργαστής συστατικών", "Ingredient Editor": "Επεξεργαστής συστατικών",
"Ingredient Overview": "Σύνοψη υλικών", "Ingredient Overview": "Σύνοψη υλικών",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Αυτό το υλικό είναι στη λίστα αγορών.", "IngredientInShopping": "Αυτό το υλικό είναι στη λίστα αγορών.",
"Ingredients": "Υλικά", "Ingredients": "Υλικά",
"Inherit": "Κληρονόμηση", "Inherit": "Κληρονόμηση",
@@ -202,11 +209,13 @@
"Instructions": "Οδηγίες", "Instructions": "Οδηγίες",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Εσωτερική", "Internal": "Εσωτερική",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Προσκλήσεις", "Invites": "Προσκλήσεις",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Λέξη κλειδί", "Keyword": "Λέξη κλειδί",
"KeywordHelp": "",
"Keyword_Alias": "Ψευδώνυμο λέξης-κλειδί", "Keyword_Alias": "Ψευδώνυμο λέξης-κλειδί",
"Keywords": "Λέξεις κλειδιά", "Keywords": "Λέξεις κλειδιά",
"Language": "Γλώσσα", "Language": "Γλώσσα",
@@ -224,7 +233,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Διαχείριση βιβλίων", "Manage_Books": "Διαχείριση βιβλίων",
"Manage_Emails": "Διαχείριση email", "Manage_Emails": "Διαχείριση email",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Πρόγραμμα γευμάτων", "Meal_Plan": "Πρόγραμμα γευμάτων",
"Meal_Plan_Days": "Μελλοντικά προγράμματα γευμάτων", "Meal_Plan_Days": "Μελλοντικά προγράμματα γευμάτων",
"Meal_Type": "Είδος γεύματος", "Meal_Type": "Είδος γεύματος",
@@ -298,6 +309,7 @@
"Planned": "Προγραμματισμένα", "Planned": "Προγραμματισμένα",
"Planner": "Σχεδιαστής", "Planner": "Σχεδιαστής",
"Planner_Settings": "Επιλογές σχεδιαστή", "Planner_Settings": "Επιλογές σχεδιαστή",
"Planning&Shopping": "",
"Plural": "Πληθυντικός", "Plural": "Πληθυντικός",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -313,7 +325,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Ιδιότητα", "Property": "Ιδιότητα",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Προστατευμένο", "Protected": "Προστατευμένο",
"Proteins": "Πρωτεΐνες", "Proteins": "Πρωτεΐνες",
@@ -327,6 +341,9 @@
"Ratings": "Βαθμολογίες", "Ratings": "Βαθμολογίες",
"Recently_Viewed": "Προβλήθηκαν πρόσφατα", "Recently_Viewed": "Προβλήθηκαν πρόσφατα",
"Recipe": "Συνταγή", "Recipe": "Συνταγή",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Βιβλίο συνταγών", "Recipe_Book": "Βιβλίο συνταγών",
"Recipe_Image": "Εικόνα συνταγής", "Recipe_Image": "Εικόνα συνταγής",
@@ -347,6 +364,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Αποθήκευση και προβολή", "Save_and_View": "Αποθήκευση και προβολή",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Αναζήτηση", "Search": "Αναζήτηση",
"Search Settings": "Επιλογές αναζήτησης", "Search Settings": "Επιλογές αναζήτησης",
@@ -368,6 +386,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Κατηγορίες αγορών", "Shopping_Categories": "Κατηγορίες αγορών",
"Shopping_Category": "Κατηγορία αγορών", "Shopping_Category": "Κατηγορία αγορών",
@@ -388,11 +407,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Διαχωρισμός όλων των γραμμών σε χωριστά βήματα.", "Split_All_Steps": "Διαχωρισμός όλων των γραμμών σε χωριστά βήματα.",
"Starting_Day": "Πρώτη μέρα της εβδομάδας", "Starting_Day": "Πρώτη μέρα της εβδομάδας",
"Step": "Βήμα", "Step": "Βήμα",
"StepHelp": "",
"Step_Name": "Όνομα βήματος", "Step_Name": "Όνομα βήματος",
"Step_Type": "Είδος βήματος", "Step_Type": "Είδος βήματος",
"Step_start_time": "Χρόνος αρχής βήματος", "Step_start_time": "Χρόνος αρχής βήματος",
@@ -407,6 +428,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "Μόνο κατηγορίες supermarket", "SupermarketCategoriesOnly": "Μόνο κατηγορίες supermarket",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Όνομα supermarket", "SupermarketName": "Όνομα supermarket",
"Supermarkets": "Supermarket", "Supermarkets": "Supermarket",
"System": "", "System": "",
@@ -428,6 +451,8 @@
"Undefined": "Απροσδιόριστο", "Undefined": "Απροσδιόριστο",
"Unit": "Μονάδα μέτρησης", "Unit": "Μονάδα μέτρησης",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Ψευδώνυμο μονάδας μέτρησης", "Unit_Alias": "Ψευδώνυμο μονάδας μέτρησης",
"Units": "Μονάδες μέτρησης", "Units": "Μονάδες μέτρησης",
"Unpin": "Αφαίρεση καρφιτσώματος", "Unpin": "Αφαίρεση καρφιτσώματος",
@@ -450,10 +475,13 @@
"Use_Plural_Unit_Always": "Να χρησιμοποιείται πάντα ο πληθυντικός για τη μονάδα μέτρησης", "Use_Plural_Unit_Always": "Να χρησιμοποιείται πάντα ο πληθυντικός για τη μονάδα μέτρησης",
"Use_Plural_Unit_Simple": "Να επιλέγεται δυναμικά ο πληθυντικός για τη μονάδα μέτρησης", "Use_Plural_Unit_Simple": "Να επιλέγεται δυναμικά ο πληθυντικός για τη μονάδα μέτρησης",
"User": "Χρήστης", "User": "Χρήστης",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Όνομα χρήστη", "Username": "Όνομα χρήστη",
"Users": "Χρήστες", "Users": "Χρήστες",
"Valid Until": "Ισχύει έως", "Valid Until": "Ισχύει έως",
"View": "Προβολή", "View": "Προβολή",
"ViewLogHelp": "",
"View_Recipes": "Προβολή συνταγών", "View_Recipes": "Προβολή συνταγών",
"Viewed": "", "Viewed": "",
"Waiting": "Αναμονή", "Waiting": "Αναμονή",

View File

@@ -2,6 +2,7 @@
"AI": "AI", "AI": "AI",
"AIImportSubtitle": "Use AI to import images of recipes.", "AIImportSubtitle": "Use AI to import images of recipes.",
"API": "API", "API": "API",
"AccessTokenHelp": "Access keys for the REST API.",
"Access_Token": "Access Token", "Access_Token": "Access Token",
"Account": "Account", "Account": "Account",
"Actions": "Actions", "Actions": "Actions",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Move all ingredients to the best fitting step.", "Auto_Sort_Help": "Move all ingredients to the best fitting step.",
"Automate": "Automate", "Automate": "Automate",
"Automation": "Automation", "Automation": "Automation",
"AutomationHelp": "Automations allow you to, depending on the type, apply some automatic changes to recipes, ingredients, ... for example during recipe imports. ",
"Available": "Available", "Available": "Available",
"AvailableCategories": "Available Categories", "AvailableCategories": "Available Categories",
"Back": "Back", "Back": "Back",
"BaseUnit": "Base Unit", "BaseUnit": "Base Unit",
"BaseUnitHelp": "Standard unit for automatic unit conversion", "BaseUnitHelp": "Standard unit for automatic unit conversion",
"Basics": "Basics",
"Book": "Book", "Book": "Book",
"Bookmarklet": "Bookmarklet", "Bookmarklet": "Bookmarklet",
"BookmarkletHelp1": "Drag the following button to your bookmarks bar", "BookmarkletHelp1": "Drag the following button to your bookmarks bar",
@@ -73,6 +76,7 @@
"Conversion": "Conversion", "Conversion": "Conversion",
"ConversionsHelp": "With conversions you can calculate the amount of a food in different units. Currently this is only used for property calculation, later it might also be used in other parts of tandoor. ", "ConversionsHelp": "With conversions you can calculate the amount of a food in different units. Currently this is only used for property calculation, later it might also be used in other parts of tandoor. ",
"CookLog": "Cook Log", "CookLog": "Cook Log",
"CookLogHelp": "Entries in the cook log for recipes. ",
"Cooked": "Cooked", "Cooked": "Cooked",
"Copied": "Copied", "Copied": "Copied",
"Copy": "Copy", "Copy": "Copy",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "Override styles of the selected theme by uploading a custom CSS file.", "CustomThemeHelp": "Override styles of the selected theme by uploading a custom CSS file.",
"Data_Import_Info": "Enhance your Space by importing a community curated list of foods, units and more to improve your recipe collection.", "Data_Import_Info": "Enhance your Space by importing a community curated list of foods, units and more to improve your recipe collection.",
"Database": "Database", "Database": "Database",
"DatabaseHelp": "Tandoor uses many different things in order for you to create recipes, shopping list, meal plans and more. Here you can manage all of these models.",
"Datatype": "Datatype", "Datatype": "Datatype",
"Date": "Date", "Date": "Date",
"Day": "Day", "Day": "Day",
@@ -167,6 +172,7 @@
"First": "First", "First": "First",
"First_name": "First Name", "First_name": "First Name",
"Food": "Food", "Food": "Food",
"FoodHelp": "Foods are the most important foundation of Tandoor. Together with units and their repective amounts they make about recipe ingredients. They can also be used for shopping, properties and much more. ",
"FoodInherit": "Food Inheritable Fields", "FoodInherit": "Food Inheritable Fields",
"FoodNotOnHand": "You do not have {food} on hand.", "FoodNotOnHand": "You do not have {food} on hand.",
"FoodOnHand": "You have {food} on hand.", "FoodOnHand": "You have {food} on hand.",
@@ -210,6 +216,7 @@
"Ingredient Editor": "Ingredient Editor", "Ingredient Editor": "Ingredient Editor",
"Ingredient Overview": "Ingredient Overview", "Ingredient Overview": "Ingredient Overview",
"IngredientEditorHelp": "With the ingredient editor you can edit all Ingredients that use a certain Food and/or Unit at once. This can be used to easily correct errors or change multiple recipes at once.", "IngredientEditorHelp": "With the ingredient editor you can edit all Ingredients that use a certain Food and/or Unit at once. This can be used to easily correct errors or change multiple recipes at once.",
"IngredientHelp": "Ingredients usually consist of a quantity, unit and food, with quantity and unit being optional. It can also contain a note or be used as a header. ",
"IngredientInShopping": "This ingredient is in your shopping list.", "IngredientInShopping": "This ingredient is in your shopping list.",
"Ingredients": "Ingredients", "Ingredients": "Ingredients",
"Inherit": "Inherit", "Inherit": "Inherit",
@@ -221,11 +228,13 @@
"Instructions": "Instructions", "Instructions": "Instructions",
"InstructionsEditHelp": "Click here to add instructions. ", "InstructionsEditHelp": "Click here to add instructions. ",
"Internal": "Internal", "Internal": "Internal",
"InviteLinkHelp": "Links to invite new people to your space. ",
"Invite_Link": "Invite Link", "Invite_Link": "Invite Link",
"Invites": "Invites", "Invites": "Invites",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Keyword", "Keyword": "Keyword",
"KeywordHelp": "Keywords can be used to organize you recipe collection.",
"Keyword_Alias": "Keyword Alias", "Keyword_Alias": "Keyword Alias",
"Keywords": "Keywords", "Keywords": "Keywords",
"Language": "Language", "Language": "Language",
@@ -244,7 +253,9 @@
"ManageSubscription": "Manage subscription", "ManageSubscription": "Manage subscription",
"Manage_Books": "Manage Books", "Manage_Books": "Manage Books",
"Manage_Emails": "Manage Emails", "Manage_Emails": "Manage Emails",
"MealPlanHelp": "A Mealplan is a calendar entry used to plan meals. It must contain a recipe or title and can be linked to shopping lists. ",
"MealPlanShoppingHelp": "Entries on you Shopping List can be related to a Mealplan to sort your list or update/delete them all at once. When creating a Mealplan with a Recipe Shopping List entries for that recipe can be created automatically (setting). ", "MealPlanShoppingHelp": "Entries on you Shopping List can be related to a Mealplan to sort your list or update/delete them all at once. When creating a Mealplan with a Recipe Shopping List entries for that recipe can be created automatically (setting). ",
"MealTypeHelp": "Mealtypes allow you to sort your meal plans. ",
"Meal_Plan": "Meal Plan", "Meal_Plan": "Meal Plan",
"Meal_Plan_Days": "Future meal plans", "Meal_Plan_Days": "Future meal plans",
"Meal_Type": "Meal type", "Meal_Type": "Meal type",
@@ -324,6 +335,7 @@
"Planned": "Planned", "Planned": "Planned",
"Planner": "Planner", "Planner": "Planner",
"Planner_Settings": "Planner settings", "Planner_Settings": "Planner settings",
"Planning&Shopping": "Planning & Shopping",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "Postpone", "Postpone": "Postpone",
"PostponedUntil": "Postponoed until", "PostponedUntil": "Postponoed until",
@@ -341,7 +353,9 @@
"Properties_Food_Amount": "Properties Food Amount", "Properties_Food_Amount": "Properties Food Amount",
"Properties_Food_Unit": "Properties Food Unit", "Properties_Food_Unit": "Properties Food Unit",
"Property": "Property", "Property": "Property",
"PropertyHelp": "Combination of property type, food/recipe and amount",
"PropertyType": "Property Type", "PropertyType": "Property Type",
"PropertyTypeHelp": "Properties allow you to track different values (nutrition, prices, ...) for individual foods or complete recipes. ",
"Property_Editor": "Property Editor", "Property_Editor": "Property Editor",
"Protected": "Protected", "Protected": "Protected",
"Proteins": "Proteins", "Proteins": "Proteins",
@@ -355,6 +369,9 @@
"Ratings": "Ratings", "Ratings": "Ratings",
"Recently_Viewed": "Recently Viewed", "Recently_Viewed": "Recently Viewed",
"Recipe": "Recipe", "Recipe": "Recipe",
"RecipeBookEntryHelp": "Recipe book entries link recipes to specific locations in books. ",
"RecipeBookHelp": "Recipebooks contain recipe book entries or can be automatically populated by using saved search filters. ",
"RecipeHelp": "Recipes are the foundation of Tandoor and consist of general information and steps, made up of ingredients, instructions and more. ",
"RecipeStepsHelp": "Ingredients, Instructions and more can be edited in the tab Steps.", "RecipeStepsHelp": "Ingredients, Instructions and more can be edited in the tab Steps.",
"Recipe_Book": "Recipe Book", "Recipe_Book": "Recipe Book",
"Recipe_Image": "Recipe Image", "Recipe_Image": "Recipe Image",
@@ -375,6 +392,7 @@
"Save/Load": "Save/Load", "Save/Load": "Save/Load",
"Save_and_View": "Save & View", "Save_and_View": "Save & View",
"SavedSearch": "Saved Search", "SavedSearch": "Saved Search",
"SavedSearchHelp": "Saved searches can be used to save search filters to easily retrieve them later or automatically populate recipe books. ",
"ScalableNumber": "Scalable Number", "ScalableNumber": "Scalable Number",
"Search": "Search", "Search": "Search",
"Search Settings": "Search Settings", "Search Settings": "Search Settings",
@@ -397,6 +415,7 @@
"ShopNow": "Shop now", "ShopNow": "Shop now",
"ShoppingBackgroundSyncWarning": "Bad network, waiting to sync ...", "ShoppingBackgroundSyncWarning": "Bad network, waiting to sync ...",
"ShoppingListEntry": "Shoppinglist Entry", "ShoppingListEntry": "Shoppinglist Entry",
"ShoppingListEntryHelp": "Shopping list entries can be created manually or trough recipes and meal plans.",
"ShoppingListRecipe": "Shoppinglist Recipe", "ShoppingListRecipe": "Shoppinglist Recipe",
"Shopping_Categories": "Shopping Categories", "Shopping_Categories": "Shopping Categories",
"Shopping_Category": "Shopping Category", "Shopping_Category": "Shopping Category",
@@ -421,6 +440,7 @@
"SpaceLimitReached": "This Space has reached a limit. No more objects of this type can be created.", "SpaceLimitReached": "This Space has reached a limit. No more objects of this type can be created.",
"SpaceMemberHelp": "Add users to your space by creating an Invite Link and sending it to the person you want to add.", "SpaceMemberHelp": "Add users to your space by creating an Invite Link and sending it to the person you want to add.",
"SpaceMembers": "Space Members", "SpaceMembers": "Space Members",
"SpaceMembersHelp": "Users and theire permissions in a space. ",
"SpaceSettings": "Space Settings", "SpaceSettings": "Space Settings",
"Space_Cosmetic_Settings": "Some cosmetic settings can be changed by space administrators and will override client settings for that space.", "Space_Cosmetic_Settings": "Some cosmetic settings can be changed by space administrators and will override client settings for that space.",
"Split": "Split", "Split": "Split",
@@ -428,6 +448,7 @@
"StartDate": "Start Date", "StartDate": "Start Date",
"Starting_Day": "Starting day of the week", "Starting_Day": "Starting day of the week",
"Step": "Step", "Step": "Step",
"StepHelp": "Steps contain ingredients (made up of quantity/unit/food), instructions, images and more information about that step in a recipe. ",
"Step_Name": "Step Name", "Step_Name": "Step Name",
"Step_Type": "Step Type", "Step_Type": "Step Type",
"Step_start_time": "Step start time", "Step_start_time": "Step start time",
@@ -442,6 +463,8 @@
"Sunday": "Sunday", "Sunday": "Sunday",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "Supermarket Categories Only", "SupermarketCategoriesOnly": "Supermarket Categories Only",
"SupermarketCategoryHelp": "Kategories describe areas in supermarkets (e.g. Fruits, Deli, ...). They can be linked to foods and supermarkets for automatic sorting/filtering.",
"SupermarketHelp": "With supermarkets you can link categories to automatically sort and filter shopping lists. ",
"SupermarketName": "Supermarket Name", "SupermarketName": "Supermarket Name",
"Supermarkets": "Supermarkets", "Supermarkets": "Supermarkets",
"System": "System", "System": "System",
@@ -466,6 +489,8 @@
"Undo": "Undo", "Undo": "Undo",
"Unit": "Unit", "Unit": "Unit",
"UnitConversion": "Unit Conversion", "UnitConversion": "Unit Conversion",
"UnitConversionHelp": "Unit conversion allow you to convert individual units in general or only for a certain food. You can for example convert 1 cup of flour into 125 grams. Tandoor can then automatically convert within the different weight or volume units, if the units have the correct base units. Unit conversions are used for property calculations.",
"UnitHelp": "Units, together with foods and quantities make up ingredients.They can be named according to your personal preference and linked to standardized units for automatic conversion. Addionally they give context to quantities in many places like shopping lists, conversions and properties. ",
"Unit_Alias": "Unit Alias", "Unit_Alias": "Unit Alias",
"Unit_Replace": "Unit Replace", "Unit_Replace": "Unit Replace",
"Units": "Units", "Units": "Units",
@@ -490,10 +515,13 @@
"Use_Plural_Unit_Always": "Use plural form for unit always", "Use_Plural_Unit_Always": "Use plural form for unit always",
"Use_Plural_Unit_Simple": "Use plural form for unit dynamically", "Use_Plural_Unit_Simple": "Use plural form for unit dynamically",
"User": "User", "User": "User",
"UserFileHelp": "Files uploaded to the space. ",
"UserHelp": "Users are the members of your space. ",
"Username": "Username", "Username": "Username",
"Users": "Users", "Users": "Users",
"Valid Until": "Valid Until", "Valid Until": "Valid Until",
"View": "View", "View": "View",
"ViewLogHelp": "History of viewed recipes. ",
"View_Recipes": "View Recipes", "View_Recipes": "View Recipes",
"Viewed": "Viewed", "Viewed": "Viewed",
"Waiting": "Waiting", "Waiting": "Waiting",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Cuenta", "Account": "Cuenta",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Mueva todos los ingredientes al paso que mejor se adapte.", "Auto_Sort_Help": "Mueva todos los ingredientes al paso que mejor se adapte.",
"Automate": "Automatizar", "Automate": "Automatizar",
"Automation": "Automatización", "Automation": "Automatización",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Atrás", "Back": "Atrás",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Marcadores", "Bookmarklet": "Marcadores",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "Conversión", "Conversion": "Conversión",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copiar", "Copy": "Copiar",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "Anular los estilos del tema seleccionado cargando un archivo CSS personalizado.", "CustomThemeHelp": "Anular los estilos del tema seleccionado cargando un archivo CSS personalizado.",
"Data_Import_Info": "Mejora tu Espacio importando listas de alimentos, unidades y más seleccionados por la comunidad, para mejorar tu colección de recetas.", "Data_Import_Info": "Mejora tu Espacio importando listas de alimentos, unidades y más seleccionados por la comunidad, para mejorar tu colección de recetas.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Tipo de Datos", "Datatype": "Tipo de Datos",
"Date": "Fecha", "Date": "Fecha",
"Day": "Día", "Day": "Día",
@@ -167,6 +172,7 @@
"First": "", "First": "",
"First_name": "Nombre", "First_name": "Nombre",
"Food": "Alimento", "Food": "Alimento",
"FoodHelp": "",
"FoodInherit": "Campos heredables", "FoodInherit": "Campos heredables",
"FoodNotOnHand": "No tienes {food} comprado.", "FoodNotOnHand": "No tienes {food} comprado.",
"FoodOnHand": "Ya tienes {food} comprado.", "FoodOnHand": "Ya tienes {food} comprado.",
@@ -210,6 +216,7 @@
"Ingredient Editor": "Ingredientes", "Ingredient Editor": "Ingredientes",
"Ingredient Overview": "Vistazo de Ingredientes", "Ingredient Overview": "Vistazo de Ingredientes",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Este ingrediente ya esta en la lista de la compra.", "IngredientInShopping": "Este ingrediente ya esta en la lista de la compra.",
"Ingredients": "Ingredientes", "Ingredients": "Ingredientes",
"Inherit": "Heredar", "Inherit": "Heredar",
@@ -221,11 +228,13 @@
"Instructions": "Instrucciones", "Instructions": "Instrucciones",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interno", "Internal": "Interno",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Invitaciones", "Invites": "Invitaciones",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Palabra clave", "Keyword": "Palabra clave",
"KeywordHelp": "",
"Keyword_Alias": "Alias Etiquetas", "Keyword_Alias": "Alias Etiquetas",
"Keywords": "Palabras clave", "Keywords": "Palabras clave",
"Language": "Lenguaje", "Language": "Lenguaje",
@@ -244,7 +253,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Manejar libros", "Manage_Books": "Manejar libros",
"Manage_Emails": "Administrar Correos", "Manage_Emails": "Administrar Correos",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Régimen de comida", "Meal_Plan": "Régimen de comida",
"Meal_Plan_Days": "Planes de comida a futuro", "Meal_Plan_Days": "Planes de comida a futuro",
"Meal_Type": "Tipo de comida", "Meal_Type": "Tipo de comida",
@@ -324,6 +335,7 @@
"Planned": "Planeado", "Planned": "Planeado",
"Planner": "Planificador", "Planner": "Planificador",
"Planner_Settings": "Opciones del planificador", "Planner_Settings": "Opciones del planificador",
"Planning&Shopping": "",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -339,7 +351,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Propiedad", "Property": "Propiedad",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Editor de Propiedades", "Property_Editor": "Editor de Propiedades",
"Protected": "Protegido", "Protected": "Protegido",
"Proteins": "Proteinas", "Proteins": "Proteinas",
@@ -353,6 +367,9 @@
"Ratings": "Calificaciones", "Ratings": "Calificaciones",
"Recently_Viewed": "Visto recientemente", "Recently_Viewed": "Visto recientemente",
"Recipe": "Receta", "Recipe": "Receta",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Libro de recetas", "Recipe_Book": "Libro de recetas",
"Recipe_Image": "Imagen de la receta", "Recipe_Image": "Imagen de la receta",
@@ -373,6 +390,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Grabar y mostrar", "Save_and_View": "Grabar y mostrar",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Buscar", "Search": "Buscar",
"Search Settings": "Buscar ajustes", "Search Settings": "Buscar ajustes",
@@ -395,6 +413,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Red defectuosa, esperando para sincronizar ...", "ShoppingBackgroundSyncWarning": "Red defectuosa, esperando para sincronizar ...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Categorías Compras", "Shopping_Categories": "Categorías Compras",
"Shopping_Category": "Categoría Compras", "Shopping_Category": "Categoría Compras",
@@ -419,6 +438,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Algunos ajustes de apariencia pueden ser cambiados por los administradores del espacio y anularán los ajustes del cliente para ese espacio.", "Space_Cosmetic_Settings": "Algunos ajustes de apariencia pueden ser cambiados por los administradores del espacio y anularán los ajustes del cliente para ese espacio.",
"Split": "", "Split": "",
@@ -426,6 +446,7 @@
"StartDate": "Fecha de Inicio", "StartDate": "Fecha de Inicio",
"Starting_Day": "Día de comienzo de la semana", "Starting_Day": "Día de comienzo de la semana",
"Step": "Paso", "Step": "Paso",
"StepHelp": "",
"Step_Name": "Nombre Paso", "Step_Name": "Nombre Paso",
"Step_Type": "Tipo Paso", "Step_Type": "Tipo Paso",
"Step_start_time": "Hora de inicio", "Step_start_time": "Hora de inicio",
@@ -440,6 +461,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermercado", "Supermarket": "Supermercado",
"SupermarketCategoriesOnly": "Sólo categorías de supermercado", "SupermarketCategoriesOnly": "Sólo categorías de supermercado",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Nombre del Supermercado", "SupermarketName": "Nombre del Supermercado",
"Supermarkets": "Supermercados", "Supermarkets": "Supermercados",
"System": "", "System": "",
@@ -464,6 +487,8 @@
"Undo": "Deshacer", "Undo": "Deshacer",
"Unit": "Unidad", "Unit": "Unidad",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Unidad alias", "Unit_Alias": "Unidad alias",
"Unit_Replace": "Sustituir Unidad", "Unit_Replace": "Sustituir Unidad",
"Units": "Unidades", "Units": "Unidades",
@@ -488,10 +513,13 @@
"Use_Plural_Unit_Always": "Usar plural para unidades siempre", "Use_Plural_Unit_Always": "Usar plural para unidades siempre",
"Use_Plural_Unit_Simple": "Usar plural para unidades dinámicamente", "Use_Plural_Unit_Simple": "Usar plural para unidades dinámicamente",
"User": "Usuario", "User": "Usuario",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nombre de Usuario", "Username": "Nombre de Usuario",
"Users": "Usuarios", "Users": "Usuarios",
"Valid Until": "Valido Hasta", "Valid Until": "Valido Hasta",
"View": "Mostrar", "View": "Mostrar",
"ViewLogHelp": "",
"View_Recipes": "Mostrar recetas", "View_Recipes": "Mostrar recetas",
"Viewed": "", "Viewed": "",
"Waiting": "esperando", "Waiting": "esperando",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -20,10 +21,12 @@
"Auto_Planner": "Automaattinen Suunnittelija", "Auto_Planner": "Automaattinen Suunnittelija",
"Automate": "Automatisoi", "Automate": "Automatisoi",
"Automation": "Automaatio", "Automation": "Automaatio",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -46,6 +49,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopioi", "Copy": "Kopioi",
@@ -61,6 +65,7 @@
"Ctrl+K": "", "Ctrl+K": "",
"Current_Period": "Nykyinen Jakso", "Current_Period": "Nykyinen Jakso",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Päivämäärä", "Date": "Päivämäärä",
"Default": "", "Default": "",
"Delete": "Poista", "Delete": "Poista",
@@ -101,6 +106,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Ruoka", "Food": "Ruoka",
"FoodHelp": "",
"Food_Alias": "Ruoan nimimerkki", "Food_Alias": "Ruoan nimimerkki",
"Friday": "", "Friday": "",
"GettingStarted": "", "GettingStarted": "",
@@ -124,12 +130,15 @@
"Information": "Tiedot", "Information": "Tiedot",
"Ingredient": "", "Ingredient": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"Ingredients": "Ainesosat", "Ingredients": "Ainesosat",
"Instructions": "Ohjeet", "Instructions": "Ohjeet",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"KeywordHelp": "",
"Keyword_Alias": "Avainsana-alias", "Keyword_Alias": "Avainsana-alias",
"Keywords": "Avainsanat", "Keywords": "Avainsanat",
"Last": "", "Last": "",
@@ -143,7 +152,9 @@
"Make_Ingredient": "Valmista Ainesosa", "Make_Ingredient": "Valmista Ainesosa",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Hallinnoi kirjoja", "Manage_Books": "Hallinnoi kirjoja",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Ateriasuunnitelma", "Meal_Plan": "Ateriasuunnitelma",
"Meal_Plan_Days": "Tulevat ruokasuunnitelmat", "Meal_Plan_Days": "Tulevat ruokasuunnitelmat",
"Meal_Type": "Ateriatyyppi", "Meal_Type": "Ateriatyyppi",
@@ -196,6 +207,7 @@
"Plan_Show_How_Many_Periods": "Kuinka monta jaksoa näyttää", "Plan_Show_How_Many_Periods": "Kuinka monta jaksoa näyttää",
"Planner": "Suunnittelija", "Planner": "Suunnittelija",
"Planner_Settings": "Suunnittelijan asetukset", "Planner_Settings": "Suunnittelijan asetukset",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -207,7 +219,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Proteins": "Proteiinit", "Proteins": "Proteiinit",
"RandomOrder": "", "RandomOrder": "",
@@ -216,6 +230,9 @@
"Rating": "Luokitus", "Rating": "Luokitus",
"Recently_Viewed": "Äskettäin katsotut", "Recently_Viewed": "Äskettäin katsotut",
"Recipe": "Resepti", "Recipe": "Resepti",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Keittokirja", "Recipe_Book": "Keittokirja",
"Recipe_Image": "Reseptin Kuva", "Recipe_Image": "Reseptin Kuva",
@@ -233,6 +250,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Tallenna & Katso", "Save_and_View": "Tallenna & Katso",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Haku", "Search": "Haku",
"Search Settings": "Hakuasetukset", "Search Settings": "Hakuasetukset",
@@ -250,6 +268,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Ostoskategoriat", "Shopping_Categories": "Ostoskategoriat",
"Shopping_Category": "Ostosluokka", "Shopping_Category": "Ostosluokka",
@@ -267,10 +286,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Viikon aloituspäivä", "Starting_Day": "Viikon aloituspäivä",
"Step": "Vaihe", "Step": "Vaihe",
"StepHelp": "",
"Step_Name": "Vaiheen Nimi", "Step_Name": "Vaiheen Nimi",
"Step_Type": "Vaiheen Tyyppi", "Step_Type": "Vaiheen Tyyppi",
"Step_start_time": "Vaiheen aloitusaika", "Step_start_time": "Vaiheen aloitusaika",
@@ -280,6 +301,8 @@
"Success": "Onnistui", "Success": "Onnistui",
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"System": "", "System": "",
"Table": "", "Table": "",
"Table_of_Contents": "Sisällysluettelo", "Table_of_Contents": "Sisällysluettelo",
@@ -296,6 +319,8 @@
"Type": "Tyyppi", "Type": "Tyyppi",
"Unit": "Yksikkö", "Unit": "Yksikkö",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Yksikköalias", "Unit_Alias": "Yksikköalias",
"Unrated": "Luokittelematon", "Unrated": "Luokittelematon",
"Up": "", "Up": "",
@@ -309,7 +334,10 @@
"Use_Plural_Food_Simple": "", "Use_Plural_Food_Simple": "",
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"UserFileHelp": "",
"UserHelp": "",
"View": "Katso", "View": "Katso",
"ViewLogHelp": "",
"View_Recipes": "Näytä Reseptit", "View_Recipes": "Näytä Reseptit",
"Viewed": "", "Viewed": "",
"Waiting": "Odottaa", "Waiting": "Odottaa",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Compte", "Account": "Compte",
"Actions": "", "Actions": "",
@@ -34,11 +35,13 @@
"Auto_Sort_Help": "Déplacer tous les ingrédients à létape la mieux adaptée.", "Auto_Sort_Help": "Déplacer tous les ingrédients à létape la mieux adaptée.",
"Automate": "Automatiser", "Automate": "Automatiser",
"Automation": "Automatisation", "Automation": "Automatisation",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Retour", "Back": "Retour",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Signet", "Bookmarklet": "Signet",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -72,6 +75,7 @@
"Conversion": "Conversion", "Conversion": "Conversion",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copier", "Copy": "Copier",
@@ -103,6 +107,7 @@
"CustomThemeHelp": "Remplacer les styles du thème sélectionné en téléchargeant un fichier CSS personnalisé.", "CustomThemeHelp": "Remplacer les styles du thème sélectionné en téléchargeant un fichier CSS personnalisé.",
"Data_Import_Info": "Améliorez votre groupe en important des données partagées par la communauté afin d'améliorer vos collections de recettes : listes d'aliments, unités et plus encore.", "Data_Import_Info": "Améliorez votre groupe en important des données partagées par la communauté afin d'améliorer vos collections de recettes : listes d'aliments, unités et plus encore.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Type de donnée", "Datatype": "Type de donnée",
"Date": "Date", "Date": "Date",
"Day": "Jour", "Day": "Jour",
@@ -166,6 +171,7 @@
"First": "", "First": "",
"First_name": "Prénom", "First_name": "Prénom",
"Food": "Aliment", "Food": "Aliment",
"FoodHelp": "",
"FoodInherit": "Ingrédient hérité", "FoodInherit": "Ingrédient hérité",
"FoodNotOnHand": "Laliment {food} nest pas disponible.", "FoodNotOnHand": "Laliment {food} nest pas disponible.",
"FoodOnHand": "Laliment {food} est disponible.", "FoodOnHand": "Laliment {food} est disponible.",
@@ -209,6 +215,7 @@
"Ingredient Editor": "Éditeur dingrédients", "Ingredient Editor": "Éditeur dingrédients",
"Ingredient Overview": "Aperçu des ingrédients", "Ingredient Overview": "Aperçu des ingrédients",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Cet ingrédient est dans votre liste de courses.", "IngredientInShopping": "Cet ingrédient est dans votre liste de courses.",
"Ingredients": "Ingrédients", "Ingredients": "Ingrédients",
"Inherit": "Hériter", "Inherit": "Hériter",
@@ -220,11 +227,13 @@
"Instructions": "Instructions", "Instructions": "Instructions",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interne", "Internal": "Interne",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Invitations", "Invites": "Invitations",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Maj", "Key_Shift": "Maj",
"Keyword": "Mot-clé", "Keyword": "Mot-clé",
"KeywordHelp": "",
"Keyword_Alias": "Alias de mot-clé", "Keyword_Alias": "Alias de mot-clé",
"Keywords": "Mots-clés", "Keywords": "Mots-clés",
"Language": "Langue", "Language": "Langue",
@@ -243,7 +252,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gérer les livres", "Manage_Books": "Gérer les livres",
"Manage_Emails": "Gérer les e-mails", "Manage_Emails": "Gérer les e-mails",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Menu de la semaine", "Meal_Plan": "Menu de la semaine",
"Meal_Plan_Days": "Futurs menus", "Meal_Plan_Days": "Futurs menus",
"Meal_Type": "Type de repas", "Meal_Type": "Type de repas",
@@ -323,6 +334,7 @@
"Planned": "Planifié", "Planned": "Planifié",
"Planner": "Planificateur", "Planner": "Planificateur",
"Planner_Settings": "Paramètres du planificateur", "Planner_Settings": "Paramètres du planificateur",
"Planning&Shopping": "",
"Plural": "Pluriel", "Plural": "Pluriel",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -339,7 +351,9 @@
"Properties_Food_Amount": "Propriété Quantité de nourriture", "Properties_Food_Amount": "Propriété Quantité de nourriture",
"Properties_Food_Unit": "Propriété Unité de nourriture", "Properties_Food_Unit": "Propriété Unité de nourriture",
"Property": "Propriété", "Property": "Propriété",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Editeur de propriétés", "Property_Editor": "Editeur de propriétés",
"Protected": "Protégé", "Protected": "Protégé",
"Proteins": "Protéines", "Proteins": "Protéines",
@@ -353,6 +367,9 @@
"Ratings": "Notes", "Ratings": "Notes",
"Recently_Viewed": "Vu récemment", "Recently_Viewed": "Vu récemment",
"Recipe": "Recette", "Recipe": "Recette",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Livre de recettes", "Recipe_Book": "Livre de recettes",
"Recipe_Image": "Image de la recette", "Recipe_Image": "Image de la recette",
@@ -373,6 +390,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Sauvegarder et visualiser", "Save_and_View": "Sauvegarder et visualiser",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Rechercher", "Search": "Rechercher",
"Search Settings": "Paramètres de recherche", "Search Settings": "Paramètres de recherche",
@@ -395,6 +413,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Mauvais réseau, en attente de synchronisation ...", "ShoppingBackgroundSyncWarning": "Mauvais réseau, en attente de synchronisation ...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Catégories de courses", "Shopping_Categories": "Catégories de courses",
"Shopping_Category": "Catégorie de courses", "Shopping_Category": "Catégorie de courses",
@@ -419,6 +438,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Certains paramètres cosmétiques peuvent être modifiés par un administrateur de l'espace et seront prioritaires sur les paramètres des utilisateurs pour cet espace.", "Space_Cosmetic_Settings": "Certains paramètres cosmétiques peuvent être modifiés par un administrateur de l'espace et seront prioritaires sur les paramètres des utilisateurs pour cet espace.",
"Split": "", "Split": "",
@@ -426,6 +446,7 @@
"StartDate": "Date de début", "StartDate": "Date de début",
"Starting_Day": "Jour de début de la semaine", "Starting_Day": "Jour de début de la semaine",
"Step": "Étape", "Step": "Étape",
"StepHelp": "",
"Step_Name": "Nom de létape", "Step_Name": "Nom de létape",
"Step_Type": "Type détape", "Step_Type": "Type détape",
"Step_start_time": "Heure de début de létape", "Step_start_time": "Heure de début de létape",
@@ -439,6 +460,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarché", "Supermarket": "Supermarché",
"SupermarketCategoriesOnly": "Catégories de supermarché uniquement", "SupermarketCategoriesOnly": "Catégories de supermarché uniquement",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Nom du supermarché", "SupermarketName": "Nom du supermarché",
"Supermarkets": "Supermarchés", "Supermarkets": "Supermarchés",
"System": "", "System": "",
@@ -463,6 +486,8 @@
"Undo": "annuler", "Undo": "annuler",
"Unit": "Unité", "Unit": "Unité",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Alias pour les unités", "Unit_Alias": "Alias pour les unités",
"Unit_Replace": "Remplacer l'Unité", "Unit_Replace": "Remplacer l'Unité",
"Units": "Unités", "Units": "Unités",
@@ -487,10 +512,13 @@
"Use_Plural_Unit_Always": "Toujours utiliser la forme plurielle pour les unités", "Use_Plural_Unit_Always": "Toujours utiliser la forme plurielle pour les unités",
"Use_Plural_Unit_Simple": "Utiliser la forme plurielle pour les unités de manière dynamique", "Use_Plural_Unit_Simple": "Utiliser la forme plurielle pour les unités de manière dynamique",
"User": "Utilisateur", "User": "Utilisateur",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nom dutilisateur", "Username": "Nom dutilisateur",
"Users": "Utilisateurs", "Users": "Utilisateurs",
"Valid Until": "Valide jusquau", "Valid Until": "Valide jusquau",
"View": "Voir", "View": "Voir",
"ViewLogHelp": "",
"View_Recipes": "Voir les recettes", "View_Recipes": "Voir les recettes",
"Viewed": "", "Viewed": "",
"Waiting": "Attente", "Waiting": "Attente",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "חשבון", "Account": "חשבון",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "העברת כל המרכיבים למיקום המתאים ביותר.", "Auto_Sort_Help": "העברת כל המרכיבים למיקום המתאים ביותר.",
"Automate": "אוטומט", "Automate": "אוטומט",
"Automation": "אוטומטציה", "Automation": "אוטומטציה",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "חזור", "Back": "חזור",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "סימניה", "Bookmarklet": "סימניה",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "עברית", "Conversion": "עברית",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "העתקה", "Copy": "העתקה",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "העלאה של קובץ CSS מותאם אישית תדרוס את העיצוב של הערכת נושא שנבחרה.", "CustomThemeHelp": "העלאה של קובץ CSS מותאם אישית תדרוס את העיצוב של הערכת נושא שנבחרה.",
"Data_Import_Info": "שפר את המרחב שלך ע\"י ייבוא רשימת משאבים קהילתית כמו מאכלים, ערכים ועוד.", "Data_Import_Info": "שפר את המרחב שלך ע\"י ייבוא רשימת משאבים קהילתית כמו מאכלים, ערכים ועוד.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "סוג מידע", "Datatype": "סוג מידע",
"Date": "תאריך", "Date": "תאריך",
"Day": "יום", "Day": "יום",
@@ -167,6 +172,7 @@
"First": "", "First": "",
"First_name": "שם פרטי", "First_name": "שם פרטי",
"Food": "אוכל", "Food": "אוכל",
"FoodHelp": "",
"FoodInherit": "ערכי מזון", "FoodInherit": "ערכי מזון",
"FoodNotOnHand": "אין {food} ברשותך.", "FoodNotOnHand": "אין {food} ברשותך.",
"FoodOnHand": "יש {food} ברשותך.", "FoodOnHand": "יש {food} ברשותך.",
@@ -210,6 +216,7 @@
"Ingredient Editor": "עורך המרכיב", "Ingredient Editor": "עורך המרכיב",
"Ingredient Overview": "סקירת רכיב", "Ingredient Overview": "סקירת רכיב",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "רכיב זה ברשימת הקניות.", "IngredientInShopping": "רכיב זה ברשימת הקניות.",
"Ingredients": "מרכיבים", "Ingredients": "מרכיבים",
"Inherit": "ירושה", "Inherit": "ירושה",
@@ -221,11 +228,13 @@
"Instructions": "הוראות", "Instructions": "הוראות",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "פנימי", "Internal": "פנימי",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "הזמנות", "Invites": "הזמנות",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "מילת מפתח", "Keyword": "מילת מפתח",
"KeywordHelp": "",
"Keyword_Alias": "שם כינוי למילת מפתח", "Keyword_Alias": "שם כינוי למילת מפתח",
"Keywords": "מילות מפתח", "Keywords": "מילות מפתח",
"Language": "שפה", "Language": "שפה",
@@ -244,7 +253,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "נהל ספרים", "Manage_Books": "נהל ספרים",
"Manage_Emails": "נהל כתובות דואר אלקטרוני", "Manage_Emails": "נהל כתובות דואר אלקטרוני",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "תוכנית ארוחה", "Meal_Plan": "תוכנית ארוחה",
"Meal_Plan_Days": "תכנון אוכל עתידי", "Meal_Plan_Days": "תכנון אוכל עתידי",
"Meal_Type": "סוג אוכל", "Meal_Type": "סוג אוכל",
@@ -324,6 +335,7 @@
"Planned": "מתוכנן", "Planned": "מתוכנן",
"Planner": "מתכנן", "Planner": "מתכנן",
"Planner_Settings": "הגדרות מתכנן", "Planner_Settings": "הגדרות מתכנן",
"Planning&Shopping": "",
"Plural": "רבים", "Plural": "רבים",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -340,7 +352,9 @@
"Properties_Food_Amount": "הגדרות כמות אוכל", "Properties_Food_Amount": "הגדרות כמות אוכל",
"Properties_Food_Unit": "הגדרות יחידת אוכל", "Properties_Food_Unit": "הגדרות יחידת אוכל",
"Property": "נכס", "Property": "נכס",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "עורך ערכים", "Property_Editor": "עורך ערכים",
"Protected": "מוגן", "Protected": "מוגן",
"Proteins": "פרוטאינים", "Proteins": "פרוטאינים",
@@ -354,6 +368,9 @@
"Ratings": "דירוג", "Ratings": "דירוג",
"Recently_Viewed": "נצפו לאחרונה", "Recently_Viewed": "נצפו לאחרונה",
"Recipe": "מתכון", "Recipe": "מתכון",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "ספר מתכון", "Recipe_Book": "ספר מתכון",
"Recipe_Image": "תמונת מתכון", "Recipe_Image": "תמונת מתכון",
@@ -374,6 +391,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "שמור וצפה", "Save_and_View": "שמור וצפה",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "חיפוש", "Search": "חיפוש",
"Search Settings": "חיפוש הגדרות", "Search Settings": "חיפוש הגדרות",
@@ -396,6 +414,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "בעיית תקשורת, מחכה לסנכון...", "ShoppingBackgroundSyncWarning": "בעיית תקשורת, מחכה לסנכון...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "קטגוריות קניות", "Shopping_Categories": "קטגוריות קניות",
"Shopping_Category": "קטגוריית קניות", "Shopping_Category": "קטגוריית קניות",
@@ -420,6 +439,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "חלק מהגדרות הקוסמטיות יכולות להיות מעודכנות על ידי מנהל המרחב וידרסו את הגדרות הקליינט עבור מרחב זה.", "Space_Cosmetic_Settings": "חלק מהגדרות הקוסמטיות יכולות להיות מעודכנות על ידי מנהל המרחב וידרסו את הגדרות הקליינט עבור מרחב זה.",
"Split": "", "Split": "",
@@ -427,6 +447,7 @@
"StartDate": "תאריך התחלה", "StartDate": "תאריך התחלה",
"Starting_Day": "יום תחילת השבוע", "Starting_Day": "יום תחילת השבוע",
"Step": "צעד", "Step": "צעד",
"StepHelp": "",
"Step_Name": "שם צעד", "Step_Name": "שם צעד",
"Step_Type": "סוג צעד", "Step_Type": "סוג צעד",
"Step_start_time": "זמן התחלת הצעד", "Step_start_time": "זמן התחלת הצעד",
@@ -441,6 +462,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "סופר מרקט", "Supermarket": "סופר מרקט",
"SupermarketCategoriesOnly": "קטגוריות סופרמרקט בלבד", "SupermarketCategoriesOnly": "קטגוריות סופרמרקט בלבד",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "שם סופרמרקט", "SupermarketName": "שם סופרמרקט",
"Supermarkets": "סופרמרקטים", "Supermarkets": "סופרמרקטים",
"System": "", "System": "",
@@ -465,6 +488,8 @@
"Undo": "שחזר", "Undo": "שחזר",
"Unit": "ערך", "Unit": "ערך",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "שם כינוי ליחידה", "Unit_Alias": "שם כינוי ליחידה",
"Unit_Replace": "החלף יחידה", "Unit_Replace": "החלף יחידה",
"Units": "יחידות", "Units": "יחידות",
@@ -489,10 +514,13 @@
"Use_Plural_Unit_Always": "תמיד השתמש ברבים ליחידות", "Use_Plural_Unit_Always": "תמיד השתמש ברבים ליחידות",
"Use_Plural_Unit_Simple": "השתמש ברבים ליחידות בצורה דינאמית", "Use_Plural_Unit_Simple": "השתמש ברבים ליחידות בצורה דינאמית",
"User": "משתמש", "User": "משתמש",
"UserFileHelp": "",
"UserHelp": "",
"Username": "שם משתמש", "Username": "שם משתמש",
"Users": "משתמשים", "Users": "משתמשים",
"Valid Until": "פעיל עד", "Valid Until": "פעיל עד",
"View": "תצוגה", "View": "תצוגה",
"ViewLogHelp": "",
"View_Recipes": "הצג מתכונים", "View_Recipes": "הצג מתכונים",
"Viewed": "", "Viewed": "",
"Waiting": "המתנה", "Waiting": "המתנה",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Fiók", "Account": "Fiók",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Az összes összetevőt helyezze át a legmegfelelőbb lépéshez.", "Auto_Sort_Help": "Az összes összetevőt helyezze át a legmegfelelőbb lépéshez.",
"Automate": "Automatizálás", "Automate": "Automatizálás",
"Automation": "Automatizálás", "Automation": "Automatizálás",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Vissza", "Back": "Vissza",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Könyvjelző", "Bookmarklet": "Könyvjelző",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -72,6 +75,7 @@
"Conversion": "Konverzió", "Conversion": "Konverzió",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Másolás", "Copy": "Másolás",
@@ -95,6 +99,7 @@
"Custom Filter": "Egyéni szűrő", "Custom Filter": "Egyéni szűrő",
"Data_Import_Info": "Bővítse Terét alapanyagok, mértékegységek és egyebek közösség által összeállított listájának importálásával, hogy ezzel is javítsa a receptgyűjteményét.", "Data_Import_Info": "Bővítse Terét alapanyagok, mértékegységek és egyebek közösség által összeállított listájának importálásával, hogy ezzel is javítsa a receptgyűjteményét.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Adattípus", "Datatype": "Adattípus",
"Date": "Dátum", "Date": "Dátum",
"Day": "Nap", "Day": "Nap",
@@ -150,6 +155,7 @@
"First": "", "First": "",
"First_name": "Keresztnév", "First_name": "Keresztnév",
"Food": "Alapanyag", "Food": "Alapanyag",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "Önnek {food} nincs készleten.", "FoodNotOnHand": "Önnek {food} nincs készleten.",
"FoodOnHand": "Önnek {food} van készleten.", "FoodOnHand": "Önnek {food} van készleten.",
@@ -193,6 +199,7 @@
"Ingredient Editor": "Hozzávalók szerkesztője", "Ingredient Editor": "Hozzávalók szerkesztője",
"Ingredient Overview": "Hozzávalók áttekintése", "Ingredient Overview": "Hozzávalók áttekintése",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Ez a hozzávaló szerepel a bevásárlólistán.", "IngredientInShopping": "Ez a hozzávaló szerepel a bevásárlólistán.",
"Ingredients": "Hozzávalók", "Ingredients": "Hozzávalók",
"Inherit": "", "Inherit": "",
@@ -203,11 +210,13 @@
"Instructions": "Elkészítés", "Instructions": "Elkészítés",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Belső", "Internal": "Belső",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Meghívók", "Invites": "Meghívók",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Kulcsszó", "Keyword": "Kulcsszó",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "Kulcsszavak", "Keywords": "Kulcsszavak",
"Language": "Nyelv", "Language": "Nyelv",
@@ -225,7 +234,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Könyvek kezelése", "Manage_Books": "Könyvek kezelése",
"Manage_Emails": "Levelezés kezelése", "Manage_Emails": "Levelezés kezelése",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Menüterv", "Meal_Plan": "Menüterv",
"Meal_Plan_Days": "Jövőbeni menütervek", "Meal_Plan_Days": "Jövőbeni menütervek",
"Meal_Type": "Étkezés", "Meal_Type": "Étkezés",
@@ -300,6 +311,7 @@
"Planned": "Tervezett", "Planned": "Tervezett",
"Planner": "Tervező", "Planner": "Tervező",
"Planner_Settings": "Tervező beállításai", "Planner_Settings": "Tervező beállításai",
"Planning&Shopping": "",
"Plural": "Többes szám", "Plural": "Többes szám",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -315,7 +327,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Tulajdonság", "Property": "Tulajdonság",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Védett", "Protected": "Védett",
"Proteins": "Fehérjék", "Proteins": "Fehérjék",
@@ -329,6 +343,9 @@
"Ratings": "Értékelések", "Ratings": "Értékelések",
"Recently_Viewed": "Nemrég megtekintett", "Recently_Viewed": "Nemrég megtekintett",
"Recipe": "Recept", "Recipe": "Recept",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Szakácskönyv", "Recipe_Book": "Szakácskönyv",
"Recipe_Image": "Receptkép", "Recipe_Image": "Receptkép",
@@ -349,6 +366,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Mentés & megtekintés", "Save_and_View": "Mentés & megtekintés",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Keresés", "Search": "Keresés",
"Search Settings": "Keresési beállítások", "Search Settings": "Keresési beállítások",
@@ -370,6 +388,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Vásárlási kategóriák", "Shopping_Categories": "Vásárlási kategóriák",
"Shopping_Category": "Vásárlási kategória", "Shopping_Category": "Vásárlási kategória",
@@ -390,12 +409,14 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Ossza fel az összes sort különálló lépésekbe.", "Split_All_Steps": "Ossza fel az összes sort különálló lépésekbe.",
"StartDate": "Kezdés dátuma", "StartDate": "Kezdés dátuma",
"Starting_Day": "A hét kezdőnapja", "Starting_Day": "A hét kezdőnapja",
"Step": "Lépés", "Step": "Lépés",
"StepHelp": "",
"Step_Name": "Lépés neve", "Step_Name": "Lépés neve",
"Step_Type": "Lépés típusa", "Step_Type": "Lépés típusa",
"Step_start_time": "A lépés kezdési ideje", "Step_start_time": "A lépés kezdési ideje",
@@ -409,6 +430,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Szupermarket", "Supermarket": "Szupermarket",
"SupermarketCategoriesOnly": "Csak a szupermarket kategóriák", "SupermarketCategoriesOnly": "Csak a szupermarket kategóriák",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Szupermarket neve", "SupermarketName": "Szupermarket neve",
"Supermarkets": "Szupermarketek", "Supermarkets": "Szupermarketek",
"System": "", "System": "",
@@ -430,6 +453,8 @@
"Undefined": "Meghatározatlan", "Undefined": "Meghatározatlan",
"Unit": "Mennyiségi egység", "Unit": "Mennyiségi egység",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Unit_Replace": "Mértékegység helyettesítés", "Unit_Replace": "Mértékegység helyettesítés",
"Units": "Mennyiségi egységek", "Units": "Mennyiségi egységek",
@@ -452,10 +477,13 @@
"Use_Plural_Unit_Always": "Mindig többes számot használjon az mértékegységhez", "Use_Plural_Unit_Always": "Mindig többes számot használjon az mértékegységhez",
"Use_Plural_Unit_Simple": "A mértékegység többes számának dinamikus beállítása", "Use_Plural_Unit_Simple": "A mértékegység többes számának dinamikus beállítása",
"User": "Felhasználó", "User": "Felhasználó",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Felhasználónév", "Username": "Felhasználónév",
"Users": "Felhasználók", "Users": "Felhasználók",
"Valid Until": "Érvényes", "Valid Until": "Érvényes",
"View": "Nézet", "View": "Nézet",
"ViewLogHelp": "",
"View_Recipes": "Receptek megjelenítése", "View_Recipes": "Receptek megjelenítése",
"Viewed": "", "Viewed": "",
"Waiting": "Várakozás", "Waiting": "Várakozás",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -17,10 +18,12 @@
"AllRecipes": "", "AllRecipes": "",
"AppImportSubtitle": "", "AppImportSubtitle": "",
"Automate": "Ավտոմատացնել", "Automate": "Ավտոմատացնել",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -38,6 +41,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -48,6 +52,7 @@
"CreatedBy": "", "CreatedBy": "",
"Ctrl+K": "", "Ctrl+K": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "", "Date": "",
"Default": "", "Default": "",
"Delete": "", "Delete": "",
@@ -81,6 +86,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Սննդամթերք", "Food": "Սննդամթերք",
"FoodHelp": "",
"Friday": "", "Friday": "",
"GettingStarted": "", "GettingStarted": "",
"HeaderWarning": "", "HeaderWarning": "",
@@ -99,9 +105,12 @@
"Information": "Տեղեկություն", "Information": "Տեղեկություն",
"Ingredient": "", "Ingredient": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"Ingredients": "", "Ingredients": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"KeywordHelp": "",
"Keywords": "", "Keywords": "",
"Last": "", "Last": "",
"Link": "", "Link": "",
@@ -112,7 +121,9 @@
"Logout": "", "Logout": "",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Կարգավորել Գրքերը", "Manage_Books": "Կարգավորել Գրքերը",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Ճաշացուցակ", "Meal_Plan": "Ճաշացուցակ",
"Merge": "Միացնել", "Merge": "Միացնել",
"MergeAutomateHelp": "", "MergeAutomateHelp": "",
@@ -144,6 +155,7 @@
"Owner": "", "Owner": "",
"Parent": "Ծնող", "Parent": "Ծնող",
"PerPage": "", "PerPage": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -153,7 +165,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Proteins": "", "Proteins": "",
"RandomOrder": "", "RandomOrder": "",
@@ -162,6 +176,9 @@
"Rating": "", "Rating": "",
"Recently_Viewed": "Վերջերս դիտած", "Recently_Viewed": "Վերջերս դիտած",
"Recipe": "Բաղադրատոմս", "Recipe": "Բաղադրատոմս",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Բաղադրատոմսերի գիրք", "Recipe_Book": "Բաղադրատոմսերի գիրք",
"Recipe_Image": "Բաղադրատոմսի նկար", "Recipe_Image": "Բաղադրատոմսի նկար",
@@ -178,6 +195,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Պահպանել և Դիտել", "Save_and_View": "Պահպանել և Դիտել",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"SelectAll": "", "SelectAll": "",
@@ -194,6 +212,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Category": "Գնումների կատեգորիա", "Shopping_Category": "Գնումների կատեգորիա",
"Shopping_list": "Գնումների ցուցակ", "Shopping_list": "Գնումների ցուցակ",
@@ -208,9 +227,11 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_start_time": "Քայլի սկսելու ժամանակը", "Step_start_time": "Քայլի սկսելու ժամանակը",
"Steps": "", "Steps": "",
"StepsOverview": "", "StepsOverview": "",
@@ -218,6 +239,8 @@
"Success": "", "Success": "",
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"System": "", "System": "",
"Table": "", "Table": "",
"Table_of_Contents": "Բովանդակություն", "Table_of_Contents": "Բովանդակություն",
@@ -228,6 +251,8 @@
"Today": "", "Today": "",
"Tuesday": "", "Tuesday": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Up": "", "Up": "",
"Update": "", "Update": "",
"UpgradeNow": "", "UpgradeNow": "",
@@ -239,7 +264,10 @@
"Use_Plural_Food_Simple": "", "Use_Plural_Food_Simple": "",
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"UserFileHelp": "",
"UserHelp": "",
"View": "Դիտել", "View": "Դիտել",
"ViewLogHelp": "",
"View_Recipes": "Դիտել բաղադրատոմսերը", "View_Recipes": "Դիտել բաղադրատոմսերը",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "", "API": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "", "Account": "",
"Actions": "", "Actions": "",
@@ -29,10 +30,12 @@
"Auto_Planner": "", "Auto_Planner": "",
"Automate": "", "Automate": "",
"Automation": "Automatis", "Automation": "Automatis",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -64,6 +67,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Salin", "Copy": "Salin",
@@ -86,6 +90,7 @@
"Current_Period": "", "Current_Period": "",
"Custom Filter": "", "Custom Filter": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Tanggal", "Date": "Tanggal",
"Day": "", "Day": "",
"Days": "", "Days": "",
@@ -139,6 +144,7 @@
"First": "", "First": "",
"First_name": "", "First_name": "",
"Food": "", "Food": "",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "", "FoodNotOnHand": "",
"FoodOnHand": "", "FoodOnHand": "",
@@ -180,6 +186,7 @@
"Ingredient Editor": "Editor Bahan", "Ingredient Editor": "Editor Bahan",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "", "IngredientInShopping": "",
"Ingredients": "bahan-bahan", "Ingredients": "bahan-bahan",
"Inherit": "", "Inherit": "",
@@ -189,11 +196,13 @@
"Instructions": "", "Instructions": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "", "Invites": "",
"Key_Ctrl": "", "Key_Ctrl": "",
"Key_Shift": "", "Key_Shift": "",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "Kata Kunci", "Keywords": "Kata Kunci",
"Language": "", "Language": "",
@@ -210,7 +219,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Kelola Buku", "Manage_Books": "Kelola Buku",
"Manage_Emails": "", "Manage_Emails": "",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "rencana makan", "Meal_Plan": "rencana makan",
"Meal_Plan_Days": "", "Meal_Plan_Days": "",
"Meal_Type": "", "Meal_Type": "",
@@ -280,6 +291,7 @@
"Planned": "", "Planned": "",
"Planner": "", "Planner": "",
"Planner_Settings": "", "Planner_Settings": "",
"Planning&Shopping": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
"Preferences": "", "Preferences": "",
@@ -292,7 +304,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Terlindung", "Protected": "Terlindung",
"Proteins": "Protein", "Proteins": "Protein",
@@ -306,6 +320,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "baru saja dilihat", "Recently_Viewed": "baru saja dilihat",
"Recipe": "", "Recipe": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "", "Recipe_Book": "",
"Recipe_Image": "Gambar Resep", "Recipe_Image": "Gambar Resep",
@@ -326,6 +343,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Simpan & Lihat", "Save_and_View": "Simpan & Lihat",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Mencari", "Search": "Mencari",
"Search Settings": "Pengaturan Pencarian", "Search Settings": "Pengaturan Pencarian",
@@ -347,6 +365,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Kategori Belanja", "Shopping_Categories": "Kategori Belanja",
"Shopping_Category": "Kategori Belanja", "Shopping_Category": "Kategori Belanja",
@@ -367,10 +386,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "", "Starting_Day": "",
"Step": "Melangkah", "Step": "Melangkah",
"StepHelp": "",
"Step_Name": "Nama Langkah", "Step_Name": "Nama Langkah",
"Step_Type": "Tipe Langkah", "Step_Type": "Tipe Langkah",
"Step_start_time": "Langkah waktu mulai", "Step_start_time": "Langkah waktu mulai",
@@ -385,6 +406,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "", "SupermarketCategoriesOnly": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -406,6 +429,8 @@
"Undefined": "", "Undefined": "",
"Unit": "", "Unit": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Units": "", "Units": "",
"Unrated": "", "Unrated": "",
@@ -420,10 +445,13 @@
"Use_Fractions_Help": "", "Use_Fractions_Help": "",
"Use_Kj": "", "Use_Kj": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"Username": "", "Username": "",
"Users": "", "Users": "",
"Valid Until": "", "Valid Until": "",
"View": "Melihat", "View": "Melihat",
"ViewLogHelp": "",
"View_Recipes": "Lihat Resep", "View_Recipes": "Lihat Resep",
"Viewed": "", "Viewed": "",
"Waiting": "Menunggu", "Waiting": "Menunggu",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "", "API": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "", "Account": "",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "", "Auto_Sort_Help": "",
"Automate": "", "Automate": "",
"Automation": "", "Automation": "",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "", "Back": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "", "Conversion": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "", "CustomThemeHelp": "",
"Data_Import_Info": "", "Data_Import_Info": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "", "Datatype": "",
"Date": "", "Date": "",
"Day": "", "Day": "",
@@ -166,6 +171,7 @@
"First": "", "First": "",
"First_name": "", "First_name": "",
"Food": "", "Food": "",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "", "FoodNotOnHand": "",
"FoodOnHand": "", "FoodOnHand": "",
@@ -209,6 +215,7 @@
"Ingredient Editor": "", "Ingredient Editor": "",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "", "IngredientInShopping": "",
"Ingredients": "", "Ingredients": "",
"Inherit": "", "Inherit": "",
@@ -220,11 +227,13 @@
"Instructions": "", "Instructions": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "", "Invites": "",
"Key_Ctrl": "", "Key_Ctrl": "",
"Key_Shift": "", "Key_Shift": "",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "", "Keywords": "",
"Language": "", "Language": "",
@@ -243,7 +252,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "", "Manage_Books": "",
"Manage_Emails": "", "Manage_Emails": "",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "", "Meal_Plan": "",
"Meal_Plan_Days": "", "Meal_Plan_Days": "",
"Meal_Type": "", "Meal_Type": "",
@@ -323,6 +334,7 @@
"Planned": "", "Planned": "",
"Planner": "", "Planner": "",
"Planner_Settings": "", "Planner_Settings": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -339,7 +351,9 @@
"Properties_Food_Amount": "", "Properties_Food_Amount": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "", "Property": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "", "Protected": "",
"Proteins": "", "Proteins": "",
@@ -353,6 +367,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "", "Recently_Viewed": "",
"Recipe": "", "Recipe": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "", "Recipe_Book": "",
"Recipe_Image": "", "Recipe_Image": "",
@@ -373,6 +390,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "", "Save_and_View": "",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"Search Settings": "", "Search Settings": "",
@@ -395,6 +413,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "", "ShoppingBackgroundSyncWarning": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "", "Shopping_Categories": "",
"Shopping_Category": "", "Shopping_Category": "",
@@ -418,6 +437,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "", "Space_Cosmetic_Settings": "",
"Split": "", "Split": "",
@@ -425,6 +445,7 @@
"StartDate": "", "StartDate": "",
"Starting_Day": "", "Starting_Day": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_Name": "", "Step_Name": "",
"Step_Type": "", "Step_Type": "",
"Step_start_time": "", "Step_start_time": "",
@@ -439,6 +460,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoriesOnly": "", "SupermarketCategoriesOnly": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -463,6 +486,8 @@
"Undo": "", "Undo": "",
"Unit": "", "Unit": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Unit_Replace": "", "Unit_Replace": "",
"Units": "", "Units": "",
@@ -487,10 +512,13 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"Username": "", "Username": "",
"Users": "", "Users": "",
"Valid Until": "", "Valid Until": "",
"View": "", "View": "",
"ViewLogHelp": "",
"View_Recipes": "", "View_Recipes": "",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Account", "Account": "Account",
"Actions": "", "Actions": "",
@@ -33,10 +34,12 @@
"Auto_Sort_Help": "Sposta tutti gli ingredienti allo step più adatto.", "Auto_Sort_Help": "Sposta tutti gli ingredienti allo step più adatto.",
"Automate": "Automatizza", "Automate": "Automatizza",
"Automation": "Automazione", "Automation": "Automazione",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Segnalibro", "Bookmarklet": "Segnalibro",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -68,6 +71,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copia", "Copy": "Copia",
@@ -90,6 +94,7 @@
"Current_Period": "Periodo attuale", "Current_Period": "Periodo attuale",
"Custom Filter": "Filtro personalizzato", "Custom Filter": "Filtro personalizzato",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Data", "Date": "Data",
"Day": "Giorno", "Day": "Giorno",
"Days": "Giorni", "Days": "Giorni",
@@ -144,6 +149,7 @@
"First": "", "First": "",
"First_name": "Nome", "First_name": "Nome",
"Food": "Alimento", "Food": "Alimento",
"FoodHelp": "",
"FoodInherit": "Campi ereditabili dagli Alimenti", "FoodInherit": "Campi ereditabili dagli Alimenti",
"FoodNotOnHand": "Non hai {food} a disposizione.", "FoodNotOnHand": "Non hai {food} a disposizione.",
"FoodOnHand": "Hai {food} a disposizione.", "FoodOnHand": "Hai {food} a disposizione.",
@@ -185,6 +191,7 @@
"Ingredient Editor": "Editor Ingredienti", "Ingredient Editor": "Editor Ingredienti",
"Ingredient Overview": "Panoramica Ingredienti", "Ingredient Overview": "Panoramica Ingredienti",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Questo ingrediente è nella tua lista della spesa.", "IngredientInShopping": "Questo ingrediente è nella tua lista della spesa.",
"Ingredients": "Ingredienti", "Ingredients": "Ingredienti",
"Inherit": "Eredita", "Inherit": "Eredita",
@@ -194,11 +201,13 @@
"Instructions": "Istruzioni", "Instructions": "Istruzioni",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interno", "Internal": "Interno",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Inviti", "Invites": "Inviti",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Maiusc", "Key_Shift": "Maiusc",
"Keyword": "Parola chiave", "Keyword": "Parola chiave",
"KeywordHelp": "",
"Keyword_Alias": "Alias Parola Chiave", "Keyword_Alias": "Alias Parola Chiave",
"Keywords": "Parole chiave", "Keywords": "Parole chiave",
"Language": "Lingua", "Language": "Lingua",
@@ -215,7 +224,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gestisci Libri", "Manage_Books": "Gestisci Libri",
"Manage_Emails": "Gestisci email", "Manage_Emails": "Gestisci email",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Piano alimentare", "Meal_Plan": "Piano alimentare",
"Meal_Plan_Days": "Piani alimentari futuri", "Meal_Plan_Days": "Piani alimentari futuri",
"Meal_Type": "Tipo di pasto", "Meal_Type": "Tipo di pasto",
@@ -287,6 +298,7 @@
"Planned": "Pianificato", "Planned": "Pianificato",
"Planner": "Planner", "Planner": "Planner",
"Planner_Settings": "Impostazioni planner", "Planner_Settings": "Impostazioni planner",
"Planning&Shopping": "",
"Plural": "Plurale", "Plural": "Plurale",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -300,7 +312,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Protetto", "Protected": "Protetto",
"Proteins": "Proteine", "Proteins": "Proteine",
@@ -314,6 +328,9 @@
"Ratings": "Valutazioni", "Ratings": "Valutazioni",
"Recently_Viewed": "Visualizzato di recente", "Recently_Viewed": "Visualizzato di recente",
"Recipe": "Ricetta", "Recipe": "Ricetta",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Libro di Ricette", "Recipe_Book": "Libro di Ricette",
"Recipe_Image": "Immagine ricetta", "Recipe_Image": "Immagine ricetta",
@@ -334,6 +351,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Salva & Mostra", "Save_and_View": "Salva & Mostra",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Cerca", "Search": "Cerca",
"Search Settings": "Impostazioni di ricerca", "Search Settings": "Impostazioni di ricerca",
@@ -355,6 +373,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Categorie di spesa", "Shopping_Categories": "Categorie di spesa",
"Shopping_Category": "Categoria Spesa", "Shopping_Category": "Categoria Spesa",
@@ -375,11 +394,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Divide tutte le righe in step separati.", "Split_All_Steps": "Divide tutte le righe in step separati.",
"Starting_Day": "Giorno di inizio della settimana", "Starting_Day": "Giorno di inizio della settimana",
"Step": "Step", "Step": "Step",
"StepHelp": "",
"Step_Name": "Nome dello Step", "Step_Name": "Nome dello Step",
"Step_Type": "Tipo di Step", "Step_Type": "Tipo di Step",
"Step_start_time": "Ora di inizio dello Step", "Step_start_time": "Ora di inizio dello Step",
@@ -394,6 +415,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermercato", "Supermarket": "Supermercato",
"SupermarketCategoriesOnly": "Solo categorie supermercati", "SupermarketCategoriesOnly": "Solo categorie supermercati",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Nome supermercato", "SupermarketName": "Nome supermercato",
"Supermarkets": "Supermercati", "Supermarkets": "Supermercati",
"System": "", "System": "",
@@ -415,6 +438,8 @@
"Undefined": "Non definito", "Undefined": "Non definito",
"Unit": "Unità di misura", "Unit": "Unità di misura",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Alias Unità", "Unit_Alias": "Alias Unità",
"Units": "Unità di misura", "Units": "Unità di misura",
"Unpin": "Non fissare", "Unpin": "Non fissare",
@@ -435,10 +460,13 @@
"Use_Plural_Unit_Always": "Usa sempre il plurale per le unità di misura", "Use_Plural_Unit_Always": "Usa sempre il plurale per le unità di misura",
"Use_Plural_Unit_Simple": "Usa dinamicamente il plurale per le unità di misura", "Use_Plural_Unit_Simple": "Usa dinamicamente il plurale per le unità di misura",
"User": "Utente", "User": "Utente",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nome utente", "Username": "Nome utente",
"Users": "Utenti", "Users": "Utenti",
"Valid Until": "Valido fino", "Valid Until": "Valido fino",
"View": "Mostra", "View": "Mostra",
"ViewLogHelp": "",
"View_Recipes": "Mostra ricette", "View_Recipes": "Mostra ricette",
"Viewed": "", "Viewed": "",
"Waiting": "Attesa", "Waiting": "Attesa",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "", "API": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "", "Account": "",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "", "Auto_Sort_Help": "",
"Automate": "", "Automate": "",
"Automation": "", "Automation": "",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "", "Back": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -72,6 +75,7 @@
"Conversion": "", "Conversion": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -96,6 +100,7 @@
"Custom Filter": "", "Custom Filter": "",
"Data_Import_Info": "", "Data_Import_Info": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "", "Datatype": "",
"Date": "", "Date": "",
"Day": "", "Day": "",
@@ -152,6 +157,7 @@
"First": "", "First": "",
"First_name": "", "First_name": "",
"Food": "", "Food": "",
"FoodHelp": "",
"FoodInherit": "", "FoodInherit": "",
"FoodNotOnHand": "", "FoodNotOnHand": "",
"FoodOnHand": "", "FoodOnHand": "",
@@ -195,6 +201,7 @@
"Ingredient Editor": "Ingredientų redaktorius", "Ingredient Editor": "Ingredientų redaktorius",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "", "IngredientInShopping": "",
"Ingredients": "", "Ingredients": "",
"Inherit": "", "Inherit": "",
@@ -205,11 +212,13 @@
"Instructions": "", "Instructions": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "", "Invites": "",
"Key_Ctrl": "", "Key_Ctrl": "",
"Key_Shift": "", "Key_Shift": "",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "", "Keywords": "",
"Language": "", "Language": "",
@@ -227,7 +236,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Tvarkyti knygas", "Manage_Books": "Tvarkyti knygas",
"Manage_Emails": "", "Manage_Emails": "",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Maisto planas", "Meal_Plan": "Maisto planas",
"Meal_Plan_Days": "", "Meal_Plan_Days": "",
"Meal_Type": "", "Meal_Type": "",
@@ -304,6 +315,7 @@
"Planned": "", "Planned": "",
"Planner": "", "Planner": "",
"Planner_Settings": "", "Planner_Settings": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -319,7 +331,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "", "Property": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "", "Protected": "",
"Proteins": "", "Proteins": "",
@@ -333,6 +347,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "Neseniai Žiūrėta", "Recently_Viewed": "Neseniai Žiūrėta",
"Recipe": "", "Recipe": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "", "Recipe_Book": "",
"Recipe_Image": "Recepto nuotrauka", "Recipe_Image": "Recepto nuotrauka",
@@ -353,6 +370,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Išsaugoti ir peržiūrėti", "Save_and_View": "Išsaugoti ir peržiūrėti",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"Search Settings": "", "Search Settings": "",
@@ -374,6 +392,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "", "Shopping_Categories": "",
"Shopping_Category": "", "Shopping_Category": "",
@@ -394,12 +413,14 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "", "Split_All_Steps": "",
"StartDate": "", "StartDate": "",
"Starting_Day": "", "Starting_Day": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_Name": "Žingsnio pavadinimas", "Step_Name": "Žingsnio pavadinimas",
"Step_Type": "Žingsnio tipas", "Step_Type": "Žingsnio tipas",
"Step_start_time": "Žingsnio pradžios laikas", "Step_start_time": "Žingsnio pradžios laikas",
@@ -414,6 +435,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoriesOnly": "", "SupermarketCategoriesOnly": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -436,6 +459,8 @@
"Undefined": "", "Undefined": "",
"Unit": "", "Unit": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Unit_Replace": "", "Unit_Replace": "",
"Units": "", "Units": "",
@@ -459,10 +484,13 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"Username": "", "Username": "",
"Users": "", "Users": "",
"Valid Until": "", "Valid Until": "",
"View": "", "View": "",
"ViewLogHelp": "",
"View_Recipes": "Žiūrėti receptus", "View_Recipes": "Žiūrėti receptus",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "", "Account": "",
"Actions": "", "Actions": "",
@@ -33,10 +34,12 @@
"Auto_Sort_Help": "Flytt alle ingredienser til det mest passende steget.", "Auto_Sort_Help": "Flytt alle ingredienser til det mest passende steget.",
"Automate": "Automatiser", "Automate": "Automatiser",
"Automation": "Automatiser", "Automation": "Automatiser",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -70,6 +73,7 @@
"Conversion": "Omregn enhet", "Conversion": "Omregn enhet",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopier", "Copy": "Kopier",
@@ -93,6 +97,7 @@
"Current_Period": "Gjeldende periode", "Current_Period": "Gjeldende periode",
"Custom Filter": "Egendefinert Filter", "Custom Filter": "Egendefinert Filter",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Data-type", "Datatype": "Data-type",
"Date": "Dato", "Date": "Dato",
"Day": "Dag", "Day": "Dag",
@@ -148,6 +153,7 @@
"First": "", "First": "",
"First_name": "Fornavn", "First_name": "Fornavn",
"Food": "Matretter", "Food": "Matretter",
"FoodHelp": "",
"FoodInherit": "Arvbare felt for matvarer", "FoodInherit": "Arvbare felt for matvarer",
"FoodNotOnHand": "Du har ikke {food} på lager.", "FoodNotOnHand": "Du har ikke {food} på lager.",
"FoodOnHand": "Du har {food} på lager.", "FoodOnHand": "Du har {food} på lager.",
@@ -190,6 +196,7 @@
"Ingredient Editor": "Ingrediens Behandler", "Ingredient Editor": "Ingrediens Behandler",
"Ingredient Overview": "", "Ingredient Overview": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Denne ingrediensen er i handlekurven din.", "IngredientInShopping": "Denne ingrediensen er i handlekurven din.",
"Ingredients": "Ingredienser", "Ingredients": "Ingredienser",
"Inherit": "Arve", "Inherit": "Arve",
@@ -200,11 +207,13 @@
"Instructions": "Instruksjoner", "Instructions": "Instruksjoner",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Invitasjoner", "Invites": "Invitasjoner",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Nøkkelord", "Keyword": "Nøkkelord",
"KeywordHelp": "",
"Keyword_Alias": "Nøkkelord Alias", "Keyword_Alias": "Nøkkelord Alias",
"Keywords": "Nøkkelord", "Keywords": "Nøkkelord",
"Language": "Språk", "Language": "Språk",
@@ -222,7 +231,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Administrer bøker", "Manage_Books": "Administrer bøker",
"Manage_Emails": "Administrer e-poster", "Manage_Emails": "Administrer e-poster",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Måltidsplan", "Meal_Plan": "Måltidsplan",
"Meal_Plan_Days": "Fremtidige måltidsplaner", "Meal_Plan_Days": "Fremtidige måltidsplaner",
"Meal_Type": "Måltidstype", "Meal_Type": "Måltidstype",
@@ -296,6 +307,7 @@
"Planned": "", "Planned": "",
"Planner": "Planlegger", "Planner": "Planlegger",
"Planner_Settings": "Planleggingsinstilliger", "Planner_Settings": "Planleggingsinstilliger",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -311,7 +323,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Egenskap", "Property": "Egenskap",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Beskyttet", "Protected": "Beskyttet",
"Proteins": "Protein", "Proteins": "Protein",
@@ -325,6 +339,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "Nylig vist", "Recently_Viewed": "Nylig vist",
"Recipe": "Oppskrift", "Recipe": "Oppskrift",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Oppskriftsbok", "Recipe_Book": "Oppskriftsbok",
"Recipe_Image": "Oppskriftsbilde", "Recipe_Image": "Oppskriftsbilde",
@@ -345,6 +362,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Lagre og vis", "Save_and_View": "Lagre og vis",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Søk", "Search": "Søk",
"Search Settings": "Søk Instillinger", "Search Settings": "Søk Instillinger",
@@ -366,6 +384,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Butikk Kategorier", "Shopping_Categories": "Butikk Kategorier",
"Shopping_Category": "Butikk Kategori", "Shopping_Category": "Butikk Kategori",
@@ -386,11 +405,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "", "Split_All_Steps": "",
"Starting_Day": "Dag uken skal state på", "Starting_Day": "Dag uken skal state på",
"Step": "Steg", "Step": "Steg",
"StepHelp": "",
"Step_Name": "Trinn navn", "Step_Name": "Trinn navn",
"Step_Type": "Trinn type", "Step_Type": "Trinn type",
"Step_start_time": "Trinn starttid", "Step_start_time": "Trinn starttid",
@@ -405,6 +426,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Butikk", "Supermarket": "Butikk",
"SupermarketCategoriesOnly": "Kun Butikkategorier", "SupermarketCategoriesOnly": "Kun Butikkategorier",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Butikk Navn", "SupermarketName": "Butikk Navn",
"Supermarkets": "Butikker", "Supermarkets": "Butikker",
"System": "", "System": "",
@@ -426,6 +449,8 @@
"Undefined": "Udefinert", "Undefined": "Udefinert",
"Unit": "Enhet", "Unit": "Enhet",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Enhet Alias", "Unit_Alias": "Enhet Alias",
"Units": "Enhet", "Units": "Enhet",
"Unpin": "Løsne", "Unpin": "Løsne",
@@ -448,10 +473,13 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "Bruker", "User": "Bruker",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Brukernavn", "Username": "Brukernavn",
"Users": "Brukere", "Users": "Brukere",
"Valid Until": "", "Valid Until": "",
"View": "Visning", "View": "Visning",
"ViewLogHelp": "",
"View_Recipes": "Vis oppskrifter", "View_Recipes": "Vis oppskrifter",
"Viewed": "", "Viewed": "",
"Waiting": "Venter", "Waiting": "Venter",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Account", "Account": "Account",
"Actions": "", "Actions": "",
@@ -34,11 +35,13 @@
"Auto_Sort_Help": "Verplaats alle ingrediënten naar de best passende stap.", "Auto_Sort_Help": "Verplaats alle ingrediënten naar de best passende stap.",
"Automate": "Automatiseer", "Automate": "Automatiseer",
"Automation": "Automatisering", "Automation": "Automatisering",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Terug", "Back": "Terug",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Bladwijzer", "Bookmarklet": "Bladwijzer",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "Omrekening", "Conversion": "Omrekening",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopie", "Copy": "Kopie",
@@ -97,6 +101,7 @@
"Custom Filter": "Aangepast filter", "Custom Filter": "Aangepast filter",
"Data_Import_Info": "Verbeter je Space door een door de community samengestelde lijst van voedingsmiddelen, eenheden en meer te importeren om je receptenverzameling te verbeteren.", "Data_Import_Info": "Verbeter je Space door een door de community samengestelde lijst van voedingsmiddelen, eenheden en meer te importeren om je receptenverzameling te verbeteren.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Datatype", "Datatype": "Datatype",
"Date": "Datum", "Date": "Datum",
"Day": "Dag", "Day": "Dag",
@@ -152,6 +157,7 @@
"First": "", "First": "",
"First_name": "Voornaam", "First_name": "Voornaam",
"Food": "Ingrediënt", "Food": "Ingrediënt",
"FoodHelp": "",
"FoodInherit": "Eten erfbare velden", "FoodInherit": "Eten erfbare velden",
"FoodNotOnHand": "Je hebt {food} niet op voorraad.", "FoodNotOnHand": "Je hebt {food} niet op voorraad.",
"FoodOnHand": "Je hebt {fookd} op voorraad.", "FoodOnHand": "Je hebt {fookd} op voorraad.",
@@ -194,6 +200,7 @@
"Ingredient Editor": "Ingrediënten editor", "Ingredient Editor": "Ingrediënten editor",
"Ingredient Overview": "Ingrediëntenlijst", "Ingredient Overview": "Ingrediëntenlijst",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Dit ingrediënt staat op je boodschappenlijst.", "IngredientInShopping": "Dit ingrediënt staat op je boodschappenlijst.",
"Ingredients": "Ingrediënten", "Ingredients": "Ingrediënten",
"Inherit": "Erf", "Inherit": "Erf",
@@ -204,11 +211,13 @@
"Instructions": "Instructies", "Instructions": "Instructies",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interne", "Internal": "Interne",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Uitnodigingen", "Invites": "Uitnodigingen",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Etiket", "Keyword": "Etiket",
"KeywordHelp": "",
"Keyword_Alias": "Etiket Alias", "Keyword_Alias": "Etiket Alias",
"Keywords": "Etiketten", "Keywords": "Etiketten",
"Language": "Taal", "Language": "Taal",
@@ -226,7 +235,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Beheer boeken", "Manage_Books": "Beheer boeken",
"Manage_Emails": "E-mail beheren", "Manage_Emails": "E-mail beheren",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Maaltijdplan", "Meal_Plan": "Maaltijdplan",
"Meal_Plan_Days": "Toekomstige maaltijdplannen", "Meal_Plan_Days": "Toekomstige maaltijdplannen",
"Meal_Type": "Maaltype", "Meal_Type": "Maaltype",
@@ -300,6 +311,7 @@
"Planned": "Gepland", "Planned": "Gepland",
"Planner": "Planner", "Planner": "Planner",
"Planner_Settings": "Planner instellingen", "Planner_Settings": "Planner instellingen",
"Planning&Shopping": "",
"Plural": "Meervoud", "Plural": "Meervoud",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -315,7 +327,9 @@
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"Property": "Eigenschap", "Property": "Eigenschap",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Beschermd", "Protected": "Beschermd",
"Proteins": "Eiwitten", "Proteins": "Eiwitten",
@@ -329,6 +343,9 @@
"Ratings": "Waardering", "Ratings": "Waardering",
"Recently_Viewed": "Recent bekeken", "Recently_Viewed": "Recent bekeken",
"Recipe": "Recept", "Recipe": "Recept",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Kookboek", "Recipe_Book": "Kookboek",
"Recipe_Image": "Afbeelding Recept", "Recipe_Image": "Afbeelding Recept",
@@ -349,6 +366,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Sla op & Bekijk", "Save_and_View": "Sla op & Bekijk",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Zoeken", "Search": "Zoeken",
"Search Settings": "Zoekinstellingen", "Search Settings": "Zoekinstellingen",
@@ -370,6 +388,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Boodschappen categorieën", "Shopping_Categories": "Boodschappen categorieën",
"Shopping_Category": "Boodschappencategorie", "Shopping_Category": "Boodschappencategorie",
@@ -390,11 +409,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Splits alle rijen in aparte stappen.", "Split_All_Steps": "Splits alle rijen in aparte stappen.",
"Starting_Day": "Eerste dag van de week", "Starting_Day": "Eerste dag van de week",
"Step": "Stap", "Step": "Stap",
"StepHelp": "",
"Step_Name": "Stap Naam", "Step_Name": "Stap Naam",
"Step_Type": "Stap Type", "Step_Type": "Stap Type",
"Step_start_time": "Starttijd stap", "Step_start_time": "Starttijd stap",
@@ -409,6 +430,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarkt", "Supermarket": "Supermarkt",
"SupermarketCategoriesOnly": "Alleen supermarkt categorieën", "SupermarketCategoriesOnly": "Alleen supermarkt categorieën",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Naam supermarkt", "SupermarketName": "Naam supermarkt",
"Supermarkets": "Supermarkten", "Supermarkets": "Supermarkten",
"System": "", "System": "",
@@ -430,6 +453,8 @@
"Undefined": "Ongedefinieerd", "Undefined": "Ongedefinieerd",
"Unit": "Eenheid", "Unit": "Eenheid",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Eenheid Alias", "Unit_Alias": "Eenheid Alias",
"Units": "Eenheden", "Units": "Eenheden",
"Unpin": "Pin losmaken", "Unpin": "Pin losmaken",
@@ -452,10 +477,13 @@
"Use_Plural_Unit_Always": "Gebruik altijd de meervoudsvorm voor eenheden", "Use_Plural_Unit_Always": "Gebruik altijd de meervoudsvorm voor eenheden",
"Use_Plural_Unit_Simple": "Gebruik meervoudsvorm voor eenheden dynamisch", "Use_Plural_Unit_Simple": "Gebruik meervoudsvorm voor eenheden dynamisch",
"User": "Gebruiker", "User": "Gebruiker",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Gebruikersnaam", "Username": "Gebruikersnaam",
"Users": "Gebruikers", "Users": "Gebruikers",
"Valid Until": "Geldig tot", "Valid Until": "Geldig tot",
"View": "Bekijk", "View": "Bekijk",
"ViewLogHelp": "",
"View_Recipes": "Bekijk Recepten", "View_Recipes": "Bekijk Recepten",
"Viewed": "", "Viewed": "",
"Waiting": "Wachten", "Waiting": "Wachten",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Konto", "Account": "Konto",
"Actions": "", "Actions": "",
@@ -34,11 +35,13 @@
"Auto_Sort_Help": "Przenieś wszystkie składniki do najlepiej dopasowanego kroku.", "Auto_Sort_Help": "Przenieś wszystkie składniki do najlepiej dopasowanego kroku.",
"Automate": "Automatyzacja", "Automate": "Automatyzacja",
"Automation": "Automatyzacja", "Automation": "Automatyzacja",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Z powrotem", "Back": "Z powrotem",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Skryptozakładka", "Bookmarklet": "Skryptozakładka",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -74,6 +77,7 @@
"Conversion": "Konwersja", "Conversion": "Konwersja",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopiuj", "Copy": "Kopiuj",
@@ -105,6 +109,7 @@
"CustomThemeHelp": "Zastąp style wybranego motywu, przesyłając własny plik CSS.", "CustomThemeHelp": "Zastąp style wybranego motywu, przesyłając własny plik CSS.",
"Data_Import_Info": "Wzbogać swoją Przestrzeń, importując wyselekcjonowaną przez społeczność listę żywności, jednostek i nie tylko, aby ulepszyć swoją kolekcję przepisów.", "Data_Import_Info": "Wzbogać swoją Przestrzeń, importując wyselekcjonowaną przez społeczność listę żywności, jednostek i nie tylko, aby ulepszyć swoją kolekcję przepisów.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Typ danych", "Datatype": "Typ danych",
"Date": "Data", "Date": "Data",
"Day": "Dzień", "Day": "Dzień",
@@ -168,6 +173,7 @@
"First": "", "First": "",
"First_name": "Imię", "First_name": "Imię",
"Food": "Żywność", "Food": "Żywność",
"FoodHelp": "",
"FoodInherit": "Pola dziedziczone w żywności", "FoodInherit": "Pola dziedziczone w żywności",
"FoodNotOnHand": "Nie posiadasz {food}.", "FoodNotOnHand": "Nie posiadasz {food}.",
"FoodOnHand": "Posiadasz {food}.", "FoodOnHand": "Posiadasz {food}.",
@@ -211,6 +217,7 @@
"Ingredient Editor": "Edytor składników", "Ingredient Editor": "Edytor składników",
"Ingredient Overview": "Przegląd składników", "Ingredient Overview": "Przegląd składników",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Ten składnik znajduje się na Twojej liście zakupów.", "IngredientInShopping": "Ten składnik znajduje się na Twojej liście zakupów.",
"Ingredients": "Składniki", "Ingredients": "Składniki",
"Inherit": "Dziedziczenie", "Inherit": "Dziedziczenie",
@@ -222,11 +229,13 @@
"Instructions": "Instrukcje", "Instructions": "Instrukcje",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Wewnętrzne", "Internal": "Wewnętrzne",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Zaprasza", "Invites": "Zaprasza",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Słowo kluczowe", "Keyword": "Słowo kluczowe",
"KeywordHelp": "",
"Keyword_Alias": "Alias słowa kluczowego", "Keyword_Alias": "Alias słowa kluczowego",
"Keywords": "Słowa kluczowe", "Keywords": "Słowa kluczowe",
"Language": "Język", "Language": "Język",
@@ -245,7 +254,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Zarządzaj książkami", "Manage_Books": "Zarządzaj książkami",
"Manage_Emails": "Zarządzaj e-mailami", "Manage_Emails": "Zarządzaj e-mailami",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Plan posiłków", "Meal_Plan": "Plan posiłków",
"Meal_Plan_Days": "Przyszłe plany posiłków", "Meal_Plan_Days": "Przyszłe plany posiłków",
"Meal_Type": "Rodzaj posiłku", "Meal_Type": "Rodzaj posiłku",
@@ -325,6 +336,7 @@
"Planned": "Zaplanowane", "Planned": "Zaplanowane",
"Planner": "Terminarz", "Planner": "Terminarz",
"Planner_Settings": "Ustawienia terminarza", "Planner_Settings": "Ustawienia terminarza",
"Planning&Shopping": "",
"Plural": "Liczba mnoga", "Plural": "Liczba mnoga",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -341,7 +353,9 @@
"Properties_Food_Amount": "Właściwości ilości żywności", "Properties_Food_Amount": "Właściwości ilości żywności",
"Properties_Food_Unit": "Właściwości jednostek żywności", "Properties_Food_Unit": "Właściwości jednostek żywności",
"Property": "Właściwość", "Property": "Właściwość",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Edytor właściwości", "Property_Editor": "Edytor właściwości",
"Protected": "Chroniony", "Protected": "Chroniony",
"Proteins": "Białka", "Proteins": "Białka",
@@ -355,6 +369,9 @@
"Ratings": "Oceny", "Ratings": "Oceny",
"Recently_Viewed": "Ostatnio oglądane", "Recently_Viewed": "Ostatnio oglądane",
"Recipe": "Przepis", "Recipe": "Przepis",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Książka z przepisami", "Recipe_Book": "Książka z przepisami",
"Recipe_Image": "Obrazek dla przepisu", "Recipe_Image": "Obrazek dla przepisu",
@@ -375,6 +392,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Zapisz i wyświetl", "Save_and_View": "Zapisz i wyświetl",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Szukaj", "Search": "Szukaj",
"Search Settings": "Ustawienia wyszukiwania", "Search Settings": "Ustawienia wyszukiwania",
@@ -397,6 +415,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Słaba sieć, oczekiwanie na synchronizację...", "ShoppingBackgroundSyncWarning": "Słaba sieć, oczekiwanie na synchronizację...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Kategorie zakupów", "Shopping_Categories": "Kategorie zakupów",
"Shopping_Category": "Kategoria zakupów", "Shopping_Category": "Kategoria zakupów",
@@ -421,6 +440,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Administratorzy przestrzeni mogą zmienić niektóre ustawienia kosmetyczne, które zastąpią ustawienia klienta dla tej przestrzeni.", "Space_Cosmetic_Settings": "Administratorzy przestrzeni mogą zmienić niektóre ustawienia kosmetyczne, które zastąpią ustawienia klienta dla tej przestrzeni.",
"Split": "", "Split": "",
@@ -428,6 +448,7 @@
"StartDate": "Data początkowa", "StartDate": "Data początkowa",
"Starting_Day": "Dzień rozpoczęcia tygodnia", "Starting_Day": "Dzień rozpoczęcia tygodnia",
"Step": "Krok", "Step": "Krok",
"StepHelp": "",
"Step_Name": "Nazwa kroku", "Step_Name": "Nazwa kroku",
"Step_Type": "Typ kroku", "Step_Type": "Typ kroku",
"Step_start_time": "Czas rozpoczęcia kroku", "Step_start_time": "Czas rozpoczęcia kroku",
@@ -442,6 +463,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "Tylko kategorie supermarketów", "SupermarketCategoriesOnly": "Tylko kategorie supermarketów",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Nazwa supermarketu", "SupermarketName": "Nazwa supermarketu",
"Supermarkets": "Supermarkety", "Supermarkets": "Supermarkety",
"System": "", "System": "",
@@ -466,6 +489,8 @@
"Undo": "Cofnij", "Undo": "Cofnij",
"Unit": "Jednostka", "Unit": "Jednostka",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Alias jednostek", "Unit_Alias": "Alias jednostek",
"Unit_Replace": "Zastąp jednostkę", "Unit_Replace": "Zastąp jednostkę",
"Units": "Jednostki", "Units": "Jednostki",
@@ -490,10 +515,13 @@
"Use_Plural_Unit_Always": "Zawsze używaj liczby mnogiej dla jednostki", "Use_Plural_Unit_Always": "Zawsze używaj liczby mnogiej dla jednostki",
"Use_Plural_Unit_Simple": "Dynamicznie używaj liczby mnogiej dla jednostki", "Use_Plural_Unit_Simple": "Dynamicznie używaj liczby mnogiej dla jednostki",
"User": "Użytkownik", "User": "Użytkownik",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nazwa użytkownika", "Username": "Nazwa użytkownika",
"Users": "Użytkownicy", "Users": "Użytkownicy",
"Valid Until": "Ważne do", "Valid Until": "Ważne do",
"View": "Pogląd", "View": "Pogląd",
"ViewLogHelp": "",
"View_Recipes": "Przeglądaj przepisy", "View_Recipes": "Przeglądaj przepisy",
"Viewed": "", "Viewed": "",
"Waiting": "Oczekiwanie", "Waiting": "Oczekiwanie",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -28,10 +29,12 @@
"Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.", "Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.",
"Automate": "Automatizar", "Automate": "Automatizar",
"Automation": "Automação", "Automation": "Automação",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -59,6 +62,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copiar", "Copy": "Copiar",
@@ -80,6 +84,7 @@
"Current_Period": "Período atual", "Current_Period": "Período atual",
"Custom Filter": "", "Custom Filter": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Data", "Date": "Data",
"Decimals": "Casas decimais", "Decimals": "Casas decimais",
"Default": "", "Default": "",
@@ -126,6 +131,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Comida", "Food": "Comida",
"FoodHelp": "",
"FoodInherit": "Campos herdados por comida", "FoodInherit": "Campos herdados por comida",
"FoodNotOnHand": "Não têm {food} disponível.", "FoodNotOnHand": "Não têm {food} disponível.",
"FoodOnHand": "Tem {food} disponível.", "FoodOnHand": "Tem {food} disponível.",
@@ -157,6 +163,7 @@
"Ingredient": "", "Ingredient": "",
"Ingredient Editor": "Editor de Ingredientes", "Ingredient Editor": "Editor de Ingredientes",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Este ingrediente está na sua lista de compras.", "IngredientInShopping": "Este ingrediente está na sua lista de compras.",
"Ingredients": "Ingredientes", "Ingredients": "Ingredientes",
"Inherit": "Herdado", "Inherit": "Herdado",
@@ -167,10 +174,12 @@
"Instructions": "Instruções", "Instructions": "Instruções",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interno", "Internal": "Interno",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Palavra Chave", "Keyword": "Palavra Chave",
"KeywordHelp": "",
"Keyword_Alias": "Alcunha da palavra-chave", "Keyword_Alias": "Alcunha da palavra-chave",
"Keywords": "Palavras-chave", "Keywords": "Palavras-chave",
"Language": "Linguagem", "Language": "Linguagem",
@@ -185,7 +194,9 @@
"Make_Ingredient": "Fazer ingrediente", "Make_Ingredient": "Fazer ingrediente",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gerenciar Livros", "Manage_Books": "Gerenciar Livros",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Plano de Refeição", "Meal_Plan": "Plano de Refeição",
"Meal_Plan_Days": "Planos de alimentação futuros", "Meal_Plan_Days": "Planos de alimentação futuros",
"Meal_Type": "Tipo de refeição", "Meal_Type": "Tipo de refeição",
@@ -249,6 +260,7 @@
"Planned": "Planeado", "Planned": "Planeado",
"Planner": "Planeador", "Planner": "Planeador",
"Planner_Settings": "Definições do planeador", "Planner_Settings": "Definições do planeador",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -262,7 +274,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Protegido", "Protected": "Protegido",
"Proteins": "Proteínas", "Proteins": "Proteínas",
@@ -276,6 +290,9 @@
"Ratings": "Avaliações", "Ratings": "Avaliações",
"Recently_Viewed": "Vistos Recentemente", "Recently_Viewed": "Vistos Recentemente",
"Recipe": "Receita", "Recipe": "Receita",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Livro de Receitas", "Recipe_Book": "Livro de Receitas",
"Recipe_Image": "Imagem da Receita", "Recipe_Image": "Imagem da Receita",
@@ -295,6 +312,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Gravar & Ver", "Save_and_View": "Gravar & Ver",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Pesquisar", "Search": "Pesquisar",
"Search Settings": "Definições de Pesquisa", "Search Settings": "Definições de Pesquisa",
@@ -313,6 +331,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Categorias de Compras", "Shopping_Categories": "Categorias de Compras",
"Shopping_Category": "Categoria de Compras", "Shopping_Category": "Categoria de Compras",
@@ -332,10 +351,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Dia de início da semana", "Starting_Day": "Dia de início da semana",
"Step": "Passo", "Step": "Passo",
"StepHelp": "",
"Step_Name": "Nome do Passo", "Step_Name": "Nome do Passo",
"Step_Type": "Tipo do passo", "Step_Type": "Tipo do passo",
"Step_start_time": "Hora de Inicio do passo", "Step_start_time": "Hora de Inicio do passo",
@@ -348,6 +369,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermercado", "Supermarket": "Supermercado",
"SupermarketCategoriesOnly": "Apenas categorias do supermercado", "SupermarketCategoriesOnly": "Apenas categorias do supermercado",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "Supermercados", "Supermarkets": "Supermercados",
"System": "", "System": "",
@@ -368,6 +391,8 @@
"Undefined": "Não definido", "Undefined": "Não definido",
"Unit": "Unidade", "Unit": "Unidade",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Alcunha da unidade", "Unit_Alias": "Alcunha da unidade",
"Units": "Unidades", "Units": "Unidades",
"Unrated": "Sem classificação", "Unrated": "Sem classificação",
@@ -385,7 +410,10 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "Utilizador", "User": "Utilizador",
"UserFileHelp": "",
"UserHelp": "",
"View": "Vista", "View": "Vista",
"ViewLogHelp": "",
"View_Recipes": "Ver Receitas", "View_Recipes": "Ver Receitas",
"Viewed": "", "Viewed": "",
"Waiting": "Em espera", "Waiting": "Em espera",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Conta", "Account": "Conta",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.", "Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.",
"Automate": "Automatizar", "Automate": "Automatizar",
"Automation": "Automação", "Automation": "Automação",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Voltar", "Back": "Voltar",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -72,6 +75,7 @@
"Conversion": "Conversão", "Conversion": "Conversão",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copiar", "Copy": "Copiar",
@@ -102,6 +106,7 @@
"CustomThemeHelp": "Substituir estilos do tema selecionado fazendo upload de um arquivo CSS personalizado.", "CustomThemeHelp": "Substituir estilos do tema selecionado fazendo upload de um arquivo CSS personalizado.",
"Data_Import_Info": "Enriqueça seu espaço importando uma lista comunitariamente curada de alimentos, unidades e mais para melhorar sua coleção de receitas.", "Data_Import_Info": "Enriqueça seu espaço importando uma lista comunitariamente curada de alimentos, unidades e mais para melhorar sua coleção de receitas.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Tipo Dado", "Datatype": "Tipo Dado",
"Date": "Data", "Date": "Data",
"Day": "Dia", "Day": "Dia",
@@ -162,6 +167,7 @@
"First": "", "First": "",
"First_name": "Primeiro Nome", "First_name": "Primeiro Nome",
"Food": "Comida", "Food": "Comida",
"FoodHelp": "",
"FoodInherit": "Campos herdados por alimento", "FoodInherit": "Campos herdados por alimento",
"FoodNotOnHand": "Não tem {food} disponível.", "FoodNotOnHand": "Não tem {food} disponível.",
"FoodOnHand": "Tem {food} disponível.", "FoodOnHand": "Tem {food} disponível.",
@@ -204,6 +210,7 @@
"Ingredient Editor": "Editor de Ingrediente", "Ingredient Editor": "Editor de Ingrediente",
"Ingredient Overview": "Ingredientes - Visão Geral", "Ingredient Overview": "Ingredientes - Visão Geral",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Este ingrediente está na sua lista de compras.", "IngredientInShopping": "Este ingrediente está na sua lista de compras.",
"Ingredients": "Ingredientes", "Ingredients": "Ingredientes",
"Inherit": "Herdado", "Inherit": "Herdado",
@@ -215,11 +222,13 @@
"Instructions": "Instruções", "Instructions": "Instruções",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Interno", "Internal": "Interno",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Convites", "Invites": "Convites",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Palavra-chave", "Keyword": "Palavra-chave",
"KeywordHelp": "",
"Keyword_Alias": "Apelido da palavra-chave", "Keyword_Alias": "Apelido da palavra-chave",
"Keywords": "Palavras-chave", "Keywords": "Palavras-chave",
"Language": "Idioma", "Language": "Idioma",
@@ -237,7 +246,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gerenciar Livros", "Manage_Books": "Gerenciar Livros",
"Manage_Emails": "Gerenciar Emails", "Manage_Emails": "Gerenciar Emails",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Plano de Refeição", "Meal_Plan": "Plano de Refeição",
"Meal_Plan_Days": "Planos de refeição futuros", "Meal_Plan_Days": "Planos de refeição futuros",
"Meal_Type": "Tipo de Comida", "Meal_Type": "Tipo de Comida",
@@ -312,6 +323,7 @@
"Planned": "Planejado", "Planned": "Planejado",
"Planner": "Planejamento", "Planner": "Planejamento",
"Planner_Settings": "Configurações do Planejamento", "Planner_Settings": "Configurações do Planejamento",
"Planning&Shopping": "",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -328,7 +340,9 @@
"Properties_Food_Amount": "Quantidade de Alimento das Propriedades", "Properties_Food_Amount": "Quantidade de Alimento das Propriedades",
"Properties_Food_Unit": "Unidade de Alimento das Propriedades", "Properties_Food_Unit": "Unidade de Alimento das Propriedades",
"Property": "Propriedade", "Property": "Propriedade",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Editor de Propriedades", "Property_Editor": "Editor de Propriedades",
"Protected": "Protegido", "Protected": "Protegido",
"Proteins": "Proteínas", "Proteins": "Proteínas",
@@ -342,6 +356,9 @@
"Ratings": "Classificações", "Ratings": "Classificações",
"Recently_Viewed": "Visto recentemente", "Recently_Viewed": "Visto recentemente",
"Recipe": "Receita", "Recipe": "Receita",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Livro de Receitas", "Recipe_Book": "Livro de Receitas",
"Recipe_Image": "Imagem da receita", "Recipe_Image": "Imagem da receita",
@@ -362,6 +379,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Salvar e Visualizar", "Save_and_View": "Salvar e Visualizar",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Buscar", "Search": "Buscar",
"Search Settings": "Buscar Configuração", "Search Settings": "Buscar Configuração",
@@ -384,6 +402,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Rede ruim, aguardando sincronização...", "ShoppingBackgroundSyncWarning": "Rede ruim, aguardando sincronização...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Categorias de Mercado", "Shopping_Categories": "Categorias de Mercado",
"Shopping_Category": "Categoria de Mercado", "Shopping_Category": "Categoria de Mercado",
@@ -406,11 +425,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"StartDate": "Data Início", "StartDate": "Data Início",
"Starting_Day": "Dia de início da semana", "Starting_Day": "Dia de início da semana",
"Step": "Etapa", "Step": "Etapa",
"StepHelp": "",
"Step_Name": "Nome da etapa", "Step_Name": "Nome da etapa",
"Step_Type": "Tipo de etapa", "Step_Type": "Tipo de etapa",
"Step_start_time": "Hora de início", "Step_start_time": "Hora de início",
@@ -424,6 +445,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermercado", "Supermarket": "Supermercado",
"SupermarketCategoriesOnly": "Somente Categorias do Supermercado", "SupermarketCategoriesOnly": "Somente Categorias do Supermercado",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Nome do Supermercado", "SupermarketName": "Nome do Supermercado",
"Supermarkets": "Supermercados", "Supermarkets": "Supermercados",
"System": "", "System": "",
@@ -445,6 +468,8 @@
"Undo": "Desfazer", "Undo": "Desfazer",
"Unit": "Unidade", "Unit": "Unidade",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Apelido da Unidade", "Unit_Alias": "Apelido da Unidade",
"Unit_Replace": "Substituir Unidade", "Unit_Replace": "Substituir Unidade",
"Units": "Unidades", "Units": "Unidades",
@@ -466,10 +491,13 @@
"Use_Plural_Unit_Always": "Sempre usar forma plural para unidade", "Use_Plural_Unit_Always": "Sempre usar forma plural para unidade",
"Use_Plural_Unit_Simple": "Dinamicamente usar forma plural para unidade", "Use_Plural_Unit_Simple": "Dinamicamente usar forma plural para unidade",
"User": "Usuário", "User": "Usuário",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nome do Usuário", "Username": "Nome do Usuário",
"Users": "Usuários", "Users": "Usuários",
"Valid Until": "Válido Até", "Valid Until": "Válido Até",
"View": "Visualizar", "View": "Visualizar",
"ViewLogHelp": "",
"View_Recipes": "Ver Receitas", "View_Recipes": "Ver Receitas",
"Viewed": "", "Viewed": "",
"Waiting": "Espera", "Waiting": "Espera",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Cont", "Account": "Cont",
"Actions": "", "Actions": "",
@@ -33,10 +34,12 @@
"Auto_Sort_Help": "Mutați toate ingredientele la cel mai potrivit pas.", "Auto_Sort_Help": "Mutați toate ingredientele la cel mai potrivit pas.",
"Automate": "Automatizat", "Automate": "Automatizat",
"Automation": "Automatizare", "Automation": "Automatizare",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Marcaj", "Bookmarklet": "Marcaj",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -69,6 +72,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Copie", "Copy": "Copie",
@@ -92,6 +96,7 @@
"Current_Period": "Perioada curentă", "Current_Period": "Perioada curentă",
"Custom Filter": "Filtru personalizat", "Custom Filter": "Filtru personalizat",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Dată", "Date": "Dată",
"Day": "Zi", "Day": "Zi",
"Days": "Zile", "Days": "Zile",
@@ -146,6 +151,7 @@
"First": "", "First": "",
"First_name": "Prenume", "First_name": "Prenume",
"Food": "Mâncare", "Food": "Mâncare",
"FoodHelp": "",
"FoodInherit": "Câmpuri moștenite de alimente", "FoodInherit": "Câmpuri moștenite de alimente",
"FoodNotOnHand": "Nu aveți {food} la îndemână.", "FoodNotOnHand": "Nu aveți {food} la îndemână.",
"FoodOnHand": "Aveți {food} la îndemână.", "FoodOnHand": "Aveți {food} la îndemână.",
@@ -188,6 +194,7 @@
"Ingredient Editor": "Editor de ingrediente", "Ingredient Editor": "Editor de ingrediente",
"Ingredient Overview": "Prezentare generală a ingredientelor", "Ingredient Overview": "Prezentare generală a ingredientelor",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Acest ingredient se află în lista de cumpărături.", "IngredientInShopping": "Acest ingredient se află în lista de cumpărături.",
"Ingredients": "Ingrediente", "Ingredients": "Ingrediente",
"Inherit": "Moștenire", "Inherit": "Moștenire",
@@ -198,11 +205,13 @@
"Instructions": "Instrucțiuni", "Instructions": "Instrucțiuni",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Intern", "Internal": "Intern",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Invită", "Invites": "Invită",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Cuvânt cheie", "Keyword": "Cuvânt cheie",
"KeywordHelp": "",
"Keyword_Alias": "Pseudonim cuvânt cheie", "Keyword_Alias": "Pseudonim cuvânt cheie",
"Keywords": "Cuvinte cheie", "Keywords": "Cuvinte cheie",
"Language": "Limba", "Language": "Limba",
@@ -219,7 +228,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Gestionarea cărților", "Manage_Books": "Gestionarea cărților",
"Manage_Emails": "Gestionarea e-mailurilor", "Manage_Emails": "Gestionarea e-mailurilor",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Plan de alimentare", "Meal_Plan": "Plan de alimentare",
"Meal_Plan_Days": "Planuri de alimentație pe viitor", "Meal_Plan_Days": "Planuri de alimentație pe viitor",
"Meal_Type": "Tipul mesei", "Meal_Type": "Tipul mesei",
@@ -291,6 +302,7 @@
"Planned": "Planificate", "Planned": "Planificate",
"Planner": "Planificator", "Planner": "Planificator",
"Planner_Settings": "Setări planificator", "Planner_Settings": "Setări planificator",
"Planning&Shopping": "",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -304,7 +316,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Protejat", "Protected": "Protejat",
"Proteins": "Proteine", "Proteins": "Proteine",
@@ -318,6 +332,9 @@
"Ratings": "Evaluări", "Ratings": "Evaluări",
"Recently_Viewed": "Vizualizate recent", "Recently_Viewed": "Vizualizate recent",
"Recipe": "Rețetă", "Recipe": "Rețetă",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Carte de rețete", "Recipe_Book": "Carte de rețete",
"Recipe_Image": "Imagine a rețetei", "Recipe_Image": "Imagine a rețetei",
@@ -338,6 +355,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Salvare și vizionare", "Save_and_View": "Salvare și vizionare",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Căutare", "Search": "Căutare",
"Search Settings": "Setări de căutare", "Search Settings": "Setări de căutare",
@@ -359,6 +377,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Categorii de cumpărături", "Shopping_Categories": "Categorii de cumpărături",
"Shopping_Category": "Categorie de cumpărături", "Shopping_Category": "Categorie de cumpărături",
@@ -379,11 +398,13 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Split_All_Steps": "Împărțiți toate rândurile în pași separați.", "Split_All_Steps": "Împărțiți toate rândurile în pași separați.",
"Starting_Day": "Ziua de început a săptămânii", "Starting_Day": "Ziua de început a săptămânii",
"Step": "Pas", "Step": "Pas",
"StepHelp": "",
"Step_Name": "Nume pas", "Step_Name": "Nume pas",
"Step_Type": "Tip pas", "Step_Type": "Tip pas",
"Step_start_time": "Pasule de începere a orei", "Step_start_time": "Pasule de începere a orei",
@@ -398,6 +419,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "Numai categorii de supermarket-uri", "SupermarketCategoriesOnly": "Numai categorii de supermarket-uri",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Numele supermarketului", "SupermarketName": "Numele supermarketului",
"Supermarkets": "Supermarket-uri", "Supermarkets": "Supermarket-uri",
"System": "", "System": "",
@@ -419,6 +442,8 @@
"Undefined": "Nedefinit", "Undefined": "Nedefinit",
"Unit": "Unitate", "Unit": "Unitate",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Pseudonim unitate", "Unit_Alias": "Pseudonim unitate",
"Units": "Unități", "Units": "Unități",
"Unpin": "Anularea fixării", "Unpin": "Anularea fixării",
@@ -439,10 +464,13 @@
"Use_Plural_Unit_Always": "Utilizarea formei plurale pentru unitate întotdeauna", "Use_Plural_Unit_Always": "Utilizarea formei plurale pentru unitate întotdeauna",
"Use_Plural_Unit_Simple": "Utilizarea dinamică a formei plurale pentru unitate", "Use_Plural_Unit_Simple": "Utilizarea dinamică a formei plurale pentru unitate",
"User": "Utilizator", "User": "Utilizator",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Nume utilizator", "Username": "Nume utilizator",
"Users": "Utilizatori", "Users": "Utilizatori",
"Valid Until": "Valabil până la", "Valid Until": "Valabil până la",
"View": "Vizualizare", "View": "Vizualizare",
"ViewLogHelp": "",
"View_Recipes": "Vizionare rețete", "View_Recipes": "Vizionare rețete",
"Viewed": "", "Viewed": "",
"Waiting": "Așteptare", "Waiting": "Așteptare",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -27,10 +28,12 @@
"Auto_Planner": "Автопланировщик", "Auto_Planner": "Автопланировщик",
"Automate": "Автоматизировать", "Automate": "Автоматизировать",
"Automation": "Автоматизация", "Automation": "Автоматизация",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -54,6 +57,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Копировать", "Copy": "Копировать",
@@ -72,6 +76,7 @@
"Current_Period": "Текущий период", "Current_Period": "Текущий период",
"Custom Filter": "Пользовательский фильтр", "Custom Filter": "Пользовательский фильтр",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Дата", "Date": "Дата",
"Default": "", "Default": "",
"DelayFor": "Отложить на {hours} часов", "DelayFor": "Отложить на {hours} часов",
@@ -116,6 +121,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Еда", "Food": "Еда",
"FoodHelp": "",
"FoodInherit": "Наследуемые поля продуктов питания", "FoodInherit": "Наследуемые поля продуктов питания",
"FoodNotOnHand": "{food} отсутствует в наличии.", "FoodNotOnHand": "{food} отсутствует в наличии.",
"FoodOnHand": "{food} у вас в наличии.", "FoodOnHand": "{food} у вас в наличии.",
@@ -149,6 +155,7 @@
"Ingredient": "", "Ingredient": "",
"Ingredient Editor": "Редактор ингредиентов", "Ingredient Editor": "Редактор ингредиентов",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Этот ингредиент в вашем списке покупок.", "IngredientInShopping": "Этот ингредиент в вашем списке покупок.",
"Ingredients": "Ингредиенты", "Ingredients": "Ингредиенты",
"Inherit": "Наследовать", "Inherit": "Наследовать",
@@ -157,10 +164,12 @@
"Instructions": "Инструкции", "Instructions": "Инструкции",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Внутренний", "Internal": "Внутренний",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Ключевое слово", "Keyword": "Ключевое слово",
"KeywordHelp": "",
"Keyword_Alias": "Ключевые слова", "Keyword_Alias": "Ключевые слова",
"Keywords": "Ключевые слова", "Keywords": "Ключевые слова",
"Last": "", "Last": "",
@@ -174,7 +183,9 @@
"Make_Ingredient": "Создание инградиента", "Make_Ingredient": "Создание инградиента",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Управление книгами", "Manage_Books": "Управление книгами",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Планирование блюд", "Meal_Plan": "Планирование блюд",
"Meal_Plan_Days": "Планы питания на будущее", "Meal_Plan_Days": "Планы питания на будущее",
"Meal_Type": "Тип питания", "Meal_Type": "Тип питания",
@@ -238,6 +249,7 @@
"Planned": "Запланировано", "Planned": "Запланировано",
"Planner": "Планировщик", "Planner": "Планировщик",
"Planner_Settings": "Настройки Планировщика", "Planner_Settings": "Настройки Планировщика",
"Planning&Shopping": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
"Preferences": "", "Preferences": "",
@@ -248,7 +260,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Защищено", "Protected": "Защищено",
"Proteins": "Белки", "Proteins": "Белки",
@@ -261,6 +275,9 @@
"Ratings": "Рейтинги", "Ratings": "Рейтинги",
"Recently_Viewed": "Недавно просмотренные", "Recently_Viewed": "Недавно просмотренные",
"Recipe": "Рецепт", "Recipe": "Рецепт",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Книга рецептов", "Recipe_Book": "Книга рецептов",
"Recipe_Image": "Изображение рецепта", "Recipe_Image": "Изображение рецепта",
@@ -280,6 +297,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Сохранить и показать", "Save_and_View": "Сохранить и показать",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Поиск", "Search": "Поиск",
"Search Settings": "Искать настройки", "Search Settings": "Искать настройки",
@@ -298,6 +316,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Категории покупок", "Shopping_Categories": "Категории покупок",
"Shopping_Category": "Категория покупок", "Shopping_Category": "Категория покупок",
@@ -317,10 +336,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Начальный день недели", "Starting_Day": "Начальный день недели",
"Step": "Шаг", "Step": "Шаг",
"StepHelp": "",
"Step_Name": "Имя шага", "Step_Name": "Имя шага",
"Step_Type": "Тип шага", "Step_Type": "Тип шага",
"Step_start_time": "Время начала шага", "Step_start_time": "Время начала шага",
@@ -331,6 +352,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Супермаркет", "Supermarket": "Супермаркет",
"SupermarketCategoriesOnly": "Только категории супермаркетов", "SupermarketCategoriesOnly": "Только категории супермаркетов",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"Supermarkets": "Супермаркеты", "Supermarkets": "Супермаркеты",
"System": "", "System": "",
"Table": "", "Table": "",
@@ -349,6 +372,8 @@
"Undefined": "Неизвестно", "Undefined": "Неизвестно",
"Unit": "Единица измерения", "Unit": "Единица измерения",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Единицы измерения", "Unit_Alias": "Единицы измерения",
"Units": "Единицы", "Units": "Единицы",
"Unrated": "Без рейтинга", "Unrated": "Без рейтинга",
@@ -360,7 +385,10 @@
"UrlListSubtitle": "", "UrlListSubtitle": "",
"Url_Import": "Импорт гиперссылки", "Url_Import": "Импорт гиперссылки",
"User": "Пользователь", "User": "Пользователь",
"UserFileHelp": "",
"UserHelp": "",
"View": "Просмотр", "View": "Просмотр",
"ViewLogHelp": "",
"View_Recipes": "Просмотр рецепта", "View_Recipes": "Просмотр рецепта",
"Viewed": "", "Viewed": "",
"Waiting": "Ожидание", "Waiting": "Ожидание",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -26,10 +27,12 @@
"Auto_Sort_Help": "Vse sestavine prestavi v najprimernejši korak.", "Auto_Sort_Help": "Vse sestavine prestavi v najprimernejši korak.",
"Automate": "Avtomatiziraj", "Automate": "Avtomatiziraj",
"Automation": "Avtomatizacija", "Automation": "Avtomatizacija",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -55,6 +58,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopiraj", "Copy": "Kopiraj",
@@ -72,6 +76,7 @@
"Current_Period": "Trenutno obdobje", "Current_Period": "Trenutno obdobje",
"Data_Import_Info": "Izboljšajte svoj prostor z uvozom seznama živil, enot in drugega, ker je pripravila skupnost, ter s tem izboljšajte svojo zbirko receptov.", "Data_Import_Info": "Izboljšajte svoj prostor z uvozom seznama živil, enot in drugega, ker je pripravila skupnost, ter s tem izboljšajte svojo zbirko receptov.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Datum", "Date": "Datum",
"Default": "", "Default": "",
"DelayFor": "Zamakni za {hours} ur", "DelayFor": "Zamakni za {hours} ur",
@@ -116,6 +121,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Hrana", "Food": "Hrana",
"FoodHelp": "",
"FoodInherit": "Podedovana polja hrane", "FoodInherit": "Podedovana polja hrane",
"FoodNotOnHand": "Nimaš {food} v roki.", "FoodNotOnHand": "Nimaš {food} v roki.",
"FoodOnHand": "Imaš {food} v roki.", "FoodOnHand": "Imaš {food} v roki.",
@@ -145,6 +151,7 @@
"Ingredient": "", "Ingredient": "",
"Ingredient Editor": "Urejevalnik Sestavin", "Ingredient Editor": "Urejevalnik Sestavin",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Ta sestavina je v tvojem nakupovalnem listku.", "IngredientInShopping": "Ta sestavina je v tvojem nakupovalnem listku.",
"Ingredients": "Sestavine", "Ingredients": "Sestavine",
"Inherit": "Podeduj", "Inherit": "Podeduj",
@@ -153,9 +160,11 @@
"Instruction_Replace": "Zamenjaj Navodila", "Instruction_Replace": "Zamenjaj Navodila",
"Instructions": "Navodila", "Instructions": "Navodila",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"KeywordHelp": "",
"Keyword_Alias": "Vzdevek ključne besede", "Keyword_Alias": "Vzdevek ključne besede",
"Keywords": "Ključne besede", "Keywords": "Ključne besede",
"Last": "", "Last": "",
@@ -170,7 +179,9 @@
"Make_Ingredient": "Ustvari sestavino", "Make_Ingredient": "Ustvari sestavino",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Upravljaj knjige", "Manage_Books": "Upravljaj knjige",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Načrt obroka", "Meal_Plan": "Načrt obroka",
"Meal_Plan_Days": "Načrt za prihodnje obroke", "Meal_Plan_Days": "Načrt za prihodnje obroke",
"Meal_Type": "Tip obroka", "Meal_Type": "Tip obroka",
@@ -229,6 +240,7 @@
"Plan_Show_How_Many_Periods": "Koliko obdobij prikažem", "Plan_Show_How_Many_Periods": "Koliko obdobij prikažem",
"Planner": "Planer", "Planner": "Planer",
"Planner_Settings": "Nastavitve planerja", "Planner_Settings": "Nastavitve planerja",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -242,7 +254,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Proteins": "Beljakovine", "Proteins": "Beljakovine",
"QuickEntry": "Hitri vnos", "QuickEntry": "Hitri vnos",
@@ -252,6 +266,9 @@
"Rating": "Ocena", "Rating": "Ocena",
"Recently_Viewed": "Nazadnje videno", "Recently_Viewed": "Nazadnje videno",
"Recipe": "Recept", "Recipe": "Recept",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Knjiga receptov", "Recipe_Book": "Knjiga receptov",
"Recipe_Image": "Slika recepta", "Recipe_Image": "Slika recepta",
@@ -270,6 +287,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Shrani in poglej", "Save_and_View": "Shrani in poglej",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Iskanje", "Search": "Iskanje",
"Search Settings": "Išči nastavitev", "Search Settings": "Išči nastavitev",
@@ -287,6 +305,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Kategorije nakupa", "Shopping_Categories": "Kategorije nakupa",
"Shopping_Category": "Kategorija nakupa", "Shopping_Category": "Kategorija nakupa",
@@ -306,10 +325,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Začetni dan v tednu", "Starting_Day": "Začetni dan v tednu",
"Step": "Korak", "Step": "Korak",
"StepHelp": "",
"Step_Name": "Ime koraka", "Step_Name": "Ime koraka",
"Step_Type": "Tip koraka", "Step_Type": "Tip koraka",
"Step_start_time": "Začetni čas koraka", "Step_start_time": "Začetni čas koraka",
@@ -321,6 +342,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Supermarket", "Supermarket": "Supermarket",
"SupermarketCategoriesOnly": "Prikaži samo trgovinske kategorije", "SupermarketCategoriesOnly": "Prikaži samo trgovinske kategorije",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Ime trgovine", "SupermarketName": "Ime trgovine",
"System": "", "System": "",
"Table": "", "Table": "",
@@ -339,6 +362,8 @@
"Undefined": "Nedefiniran", "Undefined": "Nedefiniran",
"Unit": "Enota", "Unit": "Enota",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Vzdevek enote", "Unit_Alias": "Vzdevek enote",
"Unrated": "Neocenjeno", "Unrated": "Neocenjeno",
"Up": "", "Up": "",
@@ -354,7 +379,10 @@
"Use_Plural_Food_Simple": "", "Use_Plural_Food_Simple": "",
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"UserFileHelp": "",
"UserHelp": "",
"View": "Pogled", "View": "Pogled",
"ViewLogHelp": "",
"View_Recipes": "Preglej recepte", "View_Recipes": "Preglej recepte",
"Viewed": "", "Viewed": "",
"Waiting": "Čakanje", "Waiting": "Čakanje",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Konto", "Account": "Konto",
"Actions": "", "Actions": "",
@@ -34,11 +35,13 @@
"Auto_Sort_Help": "Flytta alla ingredienser till det bästa passande steget.", "Auto_Sort_Help": "Flytta alla ingredienser till det bästa passande steget.",
"Automate": "Automatisera", "Automate": "Automatisera",
"Automation": "Automatisering", "Automation": "Automatisering",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Tillbaka", "Back": "Tillbaka",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Bokmärke", "Bookmarklet": "Bokmärke",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -74,6 +77,7 @@
"Conversion": "Omvandling", "Conversion": "Omvandling",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopiera", "Copy": "Kopiera",
@@ -105,6 +109,7 @@
"CustomThemeHelp": "Skriv över nuvarande tema genom att ladda upp en anpassad CSS-fil.", "CustomThemeHelp": "Skriv över nuvarande tema genom att ladda upp en anpassad CSS-fil.",
"Data_Import_Info": "Förbättra din samling genom att importera en framtagen lista av livsmedel, enheter och mer för att förbättra din recept-samling.", "Data_Import_Info": "Förbättra din samling genom att importera en framtagen lista av livsmedel, enheter och mer för att förbättra din recept-samling.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Datatyp", "Datatype": "Datatyp",
"Date": "Datum", "Date": "Datum",
"Day": "Dag", "Day": "Dag",
@@ -168,6 +173,7 @@
"First": "", "First": "",
"First_name": "Förnamn", "First_name": "Förnamn",
"Food": "Livsmedel", "Food": "Livsmedel",
"FoodHelp": "",
"FoodInherit": "Ärftliga livsmedels fält", "FoodInherit": "Ärftliga livsmedels fält",
"FoodNotOnHand": "Du har inte {food} hemma.", "FoodNotOnHand": "Du har inte {food} hemma.",
"FoodOnHand": "Du har {food} hemma.", "FoodOnHand": "Du har {food} hemma.",
@@ -211,6 +217,7 @@
"Ingredient Editor": "Ingrediensredigerare", "Ingredient Editor": "Ingrediensredigerare",
"Ingredient Overview": "Ingrediensöversikt", "Ingredient Overview": "Ingrediensöversikt",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Denna ingrediens finns i din inköpslista.", "IngredientInShopping": "Denna ingrediens finns i din inköpslista.",
"Ingredients": "Ingredienser", "Ingredients": "Ingredienser",
"Inherit": "Ärva", "Inherit": "Ärva",
@@ -222,11 +229,13 @@
"Instructions": "Instruktioner", "Instructions": "Instruktioner",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Intern", "Internal": "Intern",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Inbjudningar", "Invites": "Inbjudningar",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Nyckelord", "Keyword": "Nyckelord",
"KeywordHelp": "",
"Keyword_Alias": "Nyckelord alias", "Keyword_Alias": "Nyckelord alias",
"Keywords": "Nyckelord", "Keywords": "Nyckelord",
"Language": "Språk", "Language": "Språk",
@@ -245,7 +254,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Hantera böcker", "Manage_Books": "Hantera böcker",
"Manage_Emails": "Hantera mejladresser", "Manage_Emails": "Hantera mejladresser",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Måltidsplanering", "Meal_Plan": "Måltidsplanering",
"Meal_Plan_Days": "Framtida måltidsplaner", "Meal_Plan_Days": "Framtida måltidsplaner",
"Meal_Type": "Måltidstyp", "Meal_Type": "Måltidstyp",
@@ -325,6 +336,7 @@
"Planned": "Planerad", "Planned": "Planerad",
"Planner": "Planerare", "Planner": "Planerare",
"Planner_Settings": "Planerare inställningar", "Planner_Settings": "Planerare inställningar",
"Planning&Shopping": "",
"Plural": "Plural", "Plural": "Plural",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -341,7 +353,9 @@
"Properties_Food_Amount": "Egenskaper Livsmedel Mängd", "Properties_Food_Amount": "Egenskaper Livsmedel Mängd",
"Properties_Food_Unit": "Egenskaper Livsmedel Enhet", "Properties_Food_Unit": "Egenskaper Livsmedel Enhet",
"Property": "Egendom", "Property": "Egendom",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Egendom redigerare", "Property_Editor": "Egendom redigerare",
"Protected": "Skyddad", "Protected": "Skyddad",
"Proteins": "Protein", "Proteins": "Protein",
@@ -355,6 +369,9 @@
"Ratings": "Betyg", "Ratings": "Betyg",
"Recently_Viewed": "Nyligen visade", "Recently_Viewed": "Nyligen visade",
"Recipe": "Recept", "Recipe": "Recept",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Receptbok", "Recipe_Book": "Receptbok",
"Recipe_Image": "Receptbild", "Recipe_Image": "Receptbild",
@@ -375,6 +392,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Spara & visa", "Save_and_View": "Spara & visa",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Sök", "Search": "Sök",
"Search Settings": "Sökinställningar", "Search Settings": "Sökinställningar",
@@ -397,6 +415,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Dålig uppkoppling, inväntar synkronisering...", "ShoppingBackgroundSyncWarning": "Dålig uppkoppling, inväntar synkronisering...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Shopping kategorier", "Shopping_Categories": "Shopping kategorier",
"Shopping_Category": "Shopping kategori", "Shopping_Category": "Shopping kategori",
@@ -421,6 +440,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Vissa kosmetiska inställningar kan ändras av hushålls-administratörer och skriver över klientinställningar för det hushållet.", "Space_Cosmetic_Settings": "Vissa kosmetiska inställningar kan ändras av hushålls-administratörer och skriver över klientinställningar för det hushållet.",
"Split": "", "Split": "",
@@ -428,6 +448,7 @@
"StartDate": "Startdatum", "StartDate": "Startdatum",
"Starting_Day": "Startdag i veckan", "Starting_Day": "Startdag i veckan",
"Step": "Steg", "Step": "Steg",
"StepHelp": "",
"Step_Name": "Stegets namn", "Step_Name": "Stegets namn",
"Step_Type": "Stegets typ", "Step_Type": "Stegets typ",
"Step_start_time": "Steg starttid", "Step_start_time": "Steg starttid",
@@ -442,6 +463,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Mataffär", "Supermarket": "Mataffär",
"SupermarketCategoriesOnly": "Endast mataffärskategorier", "SupermarketCategoriesOnly": "Endast mataffärskategorier",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Mataffärens namn", "SupermarketName": "Mataffärens namn",
"Supermarkets": "Mataffärer", "Supermarkets": "Mataffärer",
"System": "", "System": "",
@@ -466,6 +489,8 @@
"Undo": "Ångra", "Undo": "Ångra",
"Unit": "Enhet", "Unit": "Enhet",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Enhetsalias", "Unit_Alias": "Enhetsalias",
"Unit_Replace": "Ersätt enhet", "Unit_Replace": "Ersätt enhet",
"Units": "Enheter", "Units": "Enheter",
@@ -490,10 +515,13 @@
"Use_Plural_Unit_Always": "Använd alltid pluralform för enhet", "Use_Plural_Unit_Always": "Använd alltid pluralform för enhet",
"Use_Plural_Unit_Simple": "Använd pluralform för enhet dynamiskt", "Use_Plural_Unit_Simple": "Använd pluralform för enhet dynamiskt",
"User": "Användare", "User": "Användare",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Användarnamn", "Username": "Användarnamn",
"Users": "Användare", "Users": "Användare",
"Valid Until": "Giltig till", "Valid Until": "Giltig till",
"View": "Visa", "View": "Visa",
"ViewLogHelp": "",
"View_Recipes": "Visa recept", "View_Recipes": "Visa recept",
"Viewed": "", "Viewed": "",
"Waiting": "Väntan", "Waiting": "Väntan",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "Hesap", "Account": "Hesap",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "Tüm malzemeleri en uygun adıma taşı.", "Auto_Sort_Help": "Tüm malzemeleri en uygun adıma taşı.",
"Automate": "Otomatikleştir", "Automate": "Otomatikleştir",
"Automation": "Otomasyon", "Automation": "Otomasyon",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "Geri", "Back": "Geri",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "Yer İmi", "Bookmarklet": "Yer İmi",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -73,6 +76,7 @@
"Conversion": "Dönüşüm", "Conversion": "Dönüşüm",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Kopyala", "Copy": "Kopyala",
@@ -104,6 +108,7 @@
"CustomThemeHelp": "Özel bir CSS dosyası yükleyerek seçilen temanın stillerini geçersiz kılın.", "CustomThemeHelp": "Özel bir CSS dosyası yükleyerek seçilen temanın stillerini geçersiz kılın.",
"Data_Import_Info": "Tarif koleksiyonunuzu geliştirmek için topluluk tarafından oluşturulmuş yiyecek, birim ve daha fazlasını olduğu listeleri içeri aktararak Alanlarınızı genişletin.", "Data_Import_Info": "Tarif koleksiyonunuzu geliştirmek için topluluk tarafından oluşturulmuş yiyecek, birim ve daha fazlasını olduğu listeleri içeri aktararak Alanlarınızı genişletin.",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "Veri tipi", "Datatype": "Veri tipi",
"Date": "Tarih", "Date": "Tarih",
"Day": "Gün", "Day": "Gün",
@@ -167,6 +172,7 @@
"First": "", "First": "",
"First_name": "İsim", "First_name": "İsim",
"Food": "Yiyecek", "Food": "Yiyecek",
"FoodHelp": "",
"FoodInherit": "Yiyeceğin Devralınabileceği Alanlar", "FoodInherit": "Yiyeceğin Devralınabileceği Alanlar",
"FoodNotOnHand": "Elinizde {food} yok.", "FoodNotOnHand": "Elinizde {food} yok.",
"FoodOnHand": "Elinizde {food} var.", "FoodOnHand": "Elinizde {food} var.",
@@ -210,6 +216,7 @@
"Ingredient Editor": "Malzeme Düzenleyici", "Ingredient Editor": "Malzeme Düzenleyici",
"Ingredient Overview": "Malzeme Genel Bakış", "Ingredient Overview": "Malzeme Genel Bakış",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Bu malzeme alışveriş listenizde.", "IngredientInShopping": "Bu malzeme alışveriş listenizde.",
"Ingredients": "Malzemeler", "Ingredients": "Malzemeler",
"Inherit": "Devral", "Inherit": "Devral",
@@ -221,11 +228,13 @@
"Instructions": "Talimatlar", "Instructions": "Talimatlar",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "Dahili", "Internal": "Dahili",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "Davetler", "Invites": "Davetler",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "Anahtar Kelime", "Keyword": "Anahtar Kelime",
"KeywordHelp": "",
"Keyword_Alias": "Anahtar Kelime Takma Adı", "Keyword_Alias": "Anahtar Kelime Takma Adı",
"Keywords": "Anahtar Kelimeler", "Keywords": "Anahtar Kelimeler",
"Language": "Dil", "Language": "Dil",
@@ -244,7 +253,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Kitapları Yönet", "Manage_Books": "Kitapları Yönet",
"Manage_Emails": "E-postaları Yönet", "Manage_Emails": "E-postaları Yönet",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "Yemek Planı", "Meal_Plan": "Yemek Planı",
"Meal_Plan_Days": "Gelecek yemek planları", "Meal_Plan_Days": "Gelecek yemek planları",
"Meal_Type": "Yemek türü", "Meal_Type": "Yemek türü",
@@ -324,6 +335,7 @@
"Planned": "Planlanan", "Planned": "Planlanan",
"Planner": "Planlayıcı", "Planner": "Planlayıcı",
"Planner_Settings": "Planlayıcı ayarları", "Planner_Settings": "Planlayıcı ayarları",
"Planning&Shopping": "",
"Plural": "Çoğul", "Plural": "Çoğul",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -340,7 +352,9 @@
"Properties_Food_Amount": "Özellikler Yiyecek Miktar", "Properties_Food_Amount": "Özellikler Yiyecek Miktar",
"Properties_Food_Unit": "Özellikler Yiyecek Birim", "Properties_Food_Unit": "Özellikler Yiyecek Birim",
"Property": "Özellik", "Property": "Özellik",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "Özellik Editörü", "Property_Editor": "Özellik Editörü",
"Protected": "Korumalı", "Protected": "Korumalı",
"Proteins": "Proteinler", "Proteins": "Proteinler",
@@ -354,6 +368,9 @@
"Ratings": "Derecelendirmeler", "Ratings": "Derecelendirmeler",
"Recently_Viewed": "Son Görüntülenen", "Recently_Viewed": "Son Görüntülenen",
"Recipe": "Tarif", "Recipe": "Tarif",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Yemek Tarifi Kitabı", "Recipe_Book": "Yemek Tarifi Kitabı",
"Recipe_Image": "Tarif Resmi", "Recipe_Image": "Tarif Resmi",
@@ -374,6 +391,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Kaydet & Görüntüle", "Save_and_View": "Kaydet & Görüntüle",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Ara", "Search": "Ara",
"Search Settings": "Arama Ayarları", "Search Settings": "Arama Ayarları",
@@ -396,6 +414,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "Kötü bağlantı, senkronizasyon bekleniyor...", "ShoppingBackgroundSyncWarning": "Kötü bağlantı, senkronizasyon bekleniyor...",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Alışveriş Kategorileri", "Shopping_Categories": "Alışveriş Kategorileri",
"Shopping_Category": "Alışveriş Kategorisi", "Shopping_Category": "Alışveriş Kategorisi",
@@ -420,6 +439,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "Bazı kozmetik ayarlar alan yöneticileri tarafından değiştirilebilir ve o alanın istemci ayarlarını geçersiz kılar.", "Space_Cosmetic_Settings": "Bazı kozmetik ayarlar alan yöneticileri tarafından değiştirilebilir ve o alanın istemci ayarlarını geçersiz kılar.",
"Split": "", "Split": "",
@@ -427,6 +447,7 @@
"StartDate": "Başlangıç Tarihi", "StartDate": "Başlangıç Tarihi",
"Starting_Day": "Haftanın başlangıç günü", "Starting_Day": "Haftanın başlangıç günü",
"Step": "Adım", "Step": "Adım",
"StepHelp": "",
"Step_Name": "Adım Adı", "Step_Name": "Adım Adı",
"Step_Type": "Adım Tipi", "Step_Type": "Adım Tipi",
"Step_start_time": "Adım başlangıç zamanı", "Step_start_time": "Adım başlangıç zamanı",
@@ -441,6 +462,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Market", "Supermarket": "Market",
"SupermarketCategoriesOnly": "Yalnızca Süpermarket Kategorileri", "SupermarketCategoriesOnly": "Yalnızca Süpermarket Kategorileri",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "Süpermarket Adı", "SupermarketName": "Süpermarket Adı",
"Supermarkets": "Marketler", "Supermarkets": "Marketler",
"System": "", "System": "",
@@ -465,6 +488,8 @@
"Undo": "Geri Al", "Undo": "Geri Al",
"Unit": "Birim", "Unit": "Birim",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "Birim Takma Adı", "Unit_Alias": "Birim Takma Adı",
"Unit_Replace": "Birim Değiştir", "Unit_Replace": "Birim Değiştir",
"Units": "Birimler", "Units": "Birimler",
@@ -489,10 +514,13 @@
"Use_Plural_Unit_Always": "Birimler için her zaman çoğul biçimi seç", "Use_Plural_Unit_Always": "Birimler için her zaman çoğul biçimi seç",
"Use_Plural_Unit_Simple": "Birim için dinamik olarak çoğul biçimi kullanın", "Use_Plural_Unit_Simple": "Birim için dinamik olarak çoğul biçimi kullanın",
"User": "Kullanıcı", "User": "Kullanıcı",
"UserFileHelp": "",
"UserHelp": "",
"Username": "Kullanıcı Adı", "Username": "Kullanıcı Adı",
"Users": "Kullanıcılar", "Users": "Kullanıcılar",
"Valid Until": "Geçerlilik Tarihi", "Valid Until": "Geçerlilik Tarihi",
"View": "Görüntüle", "View": "Görüntüle",
"ViewLogHelp": "",
"View_Recipes": "Tarifleri Görüntüle", "View_Recipes": "Tarifleri Görüntüle",
"Viewed": "", "Viewed": "",
"Waiting": "Bekleniyor", "Waiting": "Bekleniyor",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -30,10 +31,12 @@
"Auto_Sort_Help": "Перемістити всі інгредієнти до більш підходящого кроку.", "Auto_Sort_Help": "Перемістити всі інгредієнти до більш підходящого кроку.",
"Automate": "Автоматично", "Automate": "Автоматично",
"Automation": "Автоматизація", "Automation": "Автоматизація",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "", "Bookmarklet": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -63,6 +66,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "Копіювати", "Copy": "Копіювати",
@@ -84,6 +88,7 @@
"Current_Period": "Теперішній Період", "Current_Period": "Теперішній Період",
"Custom Filter": "", "Custom Filter": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "Дата", "Date": "Дата",
"Decimals": "Десятки", "Decimals": "Десятки",
"Default": "", "Default": "",
@@ -133,6 +138,7 @@
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"Food": "Їжа", "Food": "Їжа",
"FoodHelp": "",
"FoodInherit": "Пола Успадкованої Їжі", "FoodInherit": "Пола Успадкованої Їжі",
"FoodNotOnHand": "У вас немає {food} на руках.", "FoodNotOnHand": "У вас немає {food} на руках.",
"FoodOnHand": "Ви маєте {food} на руках.", "FoodOnHand": "Ви маєте {food} на руках.",
@@ -171,6 +177,7 @@
"Ingredient": "", "Ingredient": "",
"Ingredient Editor": "Редактор Інгредієнтів", "Ingredient Editor": "Редактор Інгредієнтів",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "Цей інгредієнт є в вашому списку покупок.", "IngredientInShopping": "Цей інгредієнт є в вашому списку покупок.",
"Ingredients": "Інгредієнти", "Ingredients": "Інгредієнти",
"Inherit": "Успадкувати", "Inherit": "Успадкувати",
@@ -181,10 +188,12 @@
"Instructions": "Інструкції", "Instructions": "Інструкції",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "", "Internal": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "", "Keyword": "",
"KeywordHelp": "",
"Keyword_Alias": "", "Keyword_Alias": "",
"Keywords": "Ключові слова", "Keywords": "Ключові слова",
"Language": "Мова", "Language": "Мова",
@@ -199,7 +208,9 @@
"Make_Ingredient": "", "Make_Ingredient": "",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "Управління Книжкою", "Manage_Books": "Управління Книжкою",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "План Харчування", "Meal_Plan": "План Харчування",
"Meal_Plan_Days": "Майбутній план харчування", "Meal_Plan_Days": "Майбутній план харчування",
"Meal_Type": "Тип страви", "Meal_Type": "Тип страви",
@@ -267,6 +278,7 @@
"Planned": "", "Planned": "",
"Planner": "Планувальний", "Planner": "Планувальний",
"Planner_Settings": "Налаштування планувальника", "Planner_Settings": "Налаштування планувальника",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -280,7 +292,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Protected": "Захищено", "Protected": "Захищено",
"Proteins": "Білки", "Proteins": "Білки",
@@ -294,6 +308,9 @@
"Ratings": "", "Ratings": "",
"Recently_Viewed": "Нещодавно переглянуті", "Recently_Viewed": "Нещодавно переглянуті",
"Recipe": "Рецепт", "Recipe": "Рецепт",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "Книга Рецептів", "Recipe_Book": "Книга Рецептів",
"Recipe_Image": "Зображення Рецепту", "Recipe_Image": "Зображення Рецепту",
@@ -314,6 +331,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "Зберегти і Подивитися", "Save_and_View": "Зберегти і Подивитися",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "Пошук", "Search": "Пошук",
"Search Settings": "Налаштування Пошуку", "Search Settings": "Налаштування Пошуку",
@@ -333,6 +351,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "Категорії Покупок", "Shopping_Categories": "Категорії Покупок",
"Shopping_Category": "Категорія Покупок", "Shopping_Category": "Категорія Покупок",
@@ -353,10 +372,12 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Starting_Day": "Початковий день тижня", "Starting_Day": "Початковий день тижня",
"Step": "Крок", "Step": "Крок",
"StepHelp": "",
"Step_Name": "Ім'я Кроку", "Step_Name": "Ім'я Кроку",
"Step_Type": "Тип Кроку", "Step_Type": "Тип Кроку",
"Step_start_time": "Час початку кроку", "Step_start_time": "Час початку кроку",
@@ -369,6 +390,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "Супермаркет", "Supermarket": "Супермаркет",
"SupermarketCategoriesOnly": "Тільки Категорії Супермаркету", "SupermarketCategoriesOnly": "Тільки Категорії Супермаркету",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "", "SupermarketName": "",
"Supermarkets": "", "Supermarkets": "",
"System": "", "System": "",
@@ -390,6 +413,8 @@
"Undefined": "Невідомо", "Undefined": "Невідомо",
"Unit": "Одиниця", "Unit": "Одиниця",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "", "Unit_Alias": "",
"Units": "", "Units": "",
"Unrated": "Без рейтингу", "Unrated": "Без рейтингу",
@@ -407,7 +432,10 @@
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"User": "", "User": "",
"UserFileHelp": "",
"UserHelp": "",
"View": "", "View": "",
"ViewLogHelp": "",
"View_Recipes": "Подивитися Рецепт", "View_Recipes": "Подивитися Рецепт",
"Viewed": "", "Viewed": "",
"Waiting": "Очікування", "Waiting": "Очікування",

View File

@@ -2,6 +2,7 @@
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"API": "API", "API": "API",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Account": "账户", "Account": "账户",
"Actions": "", "Actions": "",
@@ -33,11 +34,13 @@
"Auto_Sort_Help": "将所有食材移动到最恰当的步骤。", "Auto_Sort_Help": "将所有食材移动到最恰当的步骤。",
"Automate": "自动化", "Automate": "自动化",
"Automation": "自动化", "Automation": "自动化",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"Back": "后退", "Back": "后退",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"Bookmarklet": "书签", "Bookmarklet": "书签",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
@@ -72,6 +75,7 @@
"Conversion": "转换", "Conversion": "转换",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "复制", "Copy": "复制",
@@ -102,6 +106,7 @@
"CustomThemeHelp": "通过上传自定义 CSS 文件覆盖所选主题的样式。", "CustomThemeHelp": "通过上传自定义 CSS 文件覆盖所选主题的样式。",
"Data_Import_Info": "通过导入社区精选的食物、单位等列表来增强您的空间,以提升您的食谱收藏。", "Data_Import_Info": "通过导入社区精选的食物、单位等列表来增强您的空间,以提升您的食谱收藏。",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Datatype": "数据类型", "Datatype": "数据类型",
"Date": "日期", "Date": "日期",
"Day": "天", "Day": "天",
@@ -163,6 +168,7 @@
"First": "", "First": "",
"First_name": "名", "First_name": "名",
"Food": "食物", "Food": "食物",
"FoodHelp": "",
"FoodInherit": "食物可继承的字段", "FoodInherit": "食物可继承的字段",
"FoodNotOnHand": "你还没有 {food}。", "FoodNotOnHand": "你还没有 {food}。",
"FoodOnHand": "你手上有 {food}。", "FoodOnHand": "你手上有 {food}。",
@@ -206,6 +212,7 @@
"Ingredient Editor": "食材编辑器", "Ingredient Editor": "食材编辑器",
"Ingredient Overview": "食材概述", "Ingredient Overview": "食材概述",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"IngredientInShopping": "此食材已在购物清单中。", "IngredientInShopping": "此食材已在购物清单中。",
"Ingredients": "食材", "Ingredients": "食材",
"Inherit": "继承", "Inherit": "继承",
@@ -217,11 +224,13 @@
"Instructions": "说明", "Instructions": "说明",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"Internal": "内部", "Internal": "内部",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"Invites": "邀请", "Invites": "邀请",
"Key_Ctrl": "Ctrl", "Key_Ctrl": "Ctrl",
"Key_Shift": "Shift", "Key_Shift": "Shift",
"Keyword": "关键词", "Keyword": "关键词",
"KeywordHelp": "",
"Keyword_Alias": "关键词别名", "Keyword_Alias": "关键词别名",
"Keywords": "关键词", "Keywords": "关键词",
"Language": "语言", "Language": "语言",
@@ -240,7 +249,9 @@
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "管理书籍", "Manage_Books": "管理书籍",
"Manage_Emails": "管理电子邮件", "Manage_Emails": "管理电子邮件",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "用餐计划", "Meal_Plan": "用餐计划",
"Meal_Plan_Days": "未来的用餐计划", "Meal_Plan_Days": "未来的用餐计划",
"Meal_Type": "用餐类型", "Meal_Type": "用餐类型",
@@ -319,6 +330,7 @@
"Planned": "计划", "Planned": "计划",
"Planner": "计划者", "Planner": "计划者",
"Planner_Settings": "计划者设置", "Planner_Settings": "计划者设置",
"Planning&Shopping": "",
"Plural": "复数", "Plural": "复数",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -335,7 +347,9 @@
"Properties_Food_Amount": "食物数量属性", "Properties_Food_Amount": "食物数量属性",
"Properties_Food_Unit": "食品单位属性", "Properties_Food_Unit": "食品单位属性",
"Property": "属性", "Property": "属性",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "属性编辑器", "Property_Editor": "属性编辑器",
"Protected": "受保护的", "Protected": "受保护的",
"Proteins": "蛋白质", "Proteins": "蛋白质",
@@ -349,6 +363,9 @@
"Ratings": "等级", "Ratings": "等级",
"Recently_Viewed": "最近浏览", "Recently_Viewed": "最近浏览",
"Recipe": "食谱", "Recipe": "食谱",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Book": "食谱书", "Recipe_Book": "食谱书",
"Recipe_Image": "食谱图像", "Recipe_Image": "食谱图像",
@@ -369,6 +386,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "保存并查看", "Save_and_View": "保存并查看",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "搜索", "Search": "搜索",
"Search Settings": "搜索设置", "Search Settings": "搜索设置",
@@ -391,6 +409,7 @@
"ShopNow": "", "ShopNow": "",
"ShoppingBackgroundSyncWarning": "网络状况不佳,正在等待进行同步……", "ShoppingBackgroundSyncWarning": "网络状况不佳,正在等待进行同步……",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"Shopping_Categories": "购物类别", "Shopping_Categories": "购物类别",
"Shopping_Category": "购物类别", "Shopping_Category": "购物类别",
@@ -414,6 +433,7 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Space_Cosmetic_Settings": "空间管理员可以更改某些装饰设置,并将覆盖该空间的客户端设置。", "Space_Cosmetic_Settings": "空间管理员可以更改某些装饰设置,并将覆盖该空间的客户端设置。",
"Split": "", "Split": "",
@@ -421,6 +441,7 @@
"StartDate": "开始日期", "StartDate": "开始日期",
"Starting_Day": "一周中的第一天", "Starting_Day": "一周中的第一天",
"Step": "步骤", "Step": "步骤",
"StepHelp": "",
"Step_Name": "步骤名", "Step_Name": "步骤名",
"Step_Type": "步骤类型", "Step_Type": "步骤类型",
"Step_start_time": "步骤开始时间", "Step_start_time": "步骤开始时间",
@@ -435,6 +456,8 @@
"Sunday": "", "Sunday": "",
"Supermarket": "超市", "Supermarket": "超市",
"SupermarketCategoriesOnly": "仅限超市类别", "SupermarketCategoriesOnly": "仅限超市类别",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"SupermarketName": "超市名", "SupermarketName": "超市名",
"Supermarkets": "超市", "Supermarkets": "超市",
"System": "", "System": "",
@@ -457,6 +480,8 @@
"Undo": "撤销", "Undo": "撤销",
"Unit": "单位", "Unit": "单位",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Unit_Alias": "单位别名", "Unit_Alias": "单位别名",
"Unit_Replace": "单位替换", "Unit_Replace": "单位替换",
"Units": "单位", "Units": "单位",
@@ -480,10 +505,13 @@
"Use_Plural_Unit_Always": "单位总是使用复数形式", "Use_Plural_Unit_Always": "单位总是使用复数形式",
"Use_Plural_Unit_Simple": "动态使用单位的复数形式", "Use_Plural_Unit_Simple": "动态使用单位的复数形式",
"User": "用户", "User": "用户",
"UserFileHelp": "",
"UserHelp": "",
"Username": "用户名", "Username": "用户名",
"Users": "用户", "Users": "用户",
"Valid Until": "有效期限", "Valid Until": "有效期限",
"View": "查看", "View": "查看",
"ViewLogHelp": "",
"View_Recipes": "查看食谱", "View_Recipes": "查看食谱",
"Viewed": "", "Viewed": "",
"Waiting": "等待", "Waiting": "等待",

View File

@@ -1,6 +1,7 @@
{ {
"AI": "", "AI": "",
"AIImportSubtitle": "", "AIImportSubtitle": "",
"AccessTokenHelp": "",
"Access_Token": "", "Access_Token": "",
"Actions": "", "Actions": "",
"Activity": "", "Activity": "",
@@ -14,10 +15,12 @@
"Admin": "", "Admin": "",
"AllRecipes": "", "AllRecipes": "",
"AppImportSubtitle": "", "AppImportSubtitle": "",
"AutomationHelp": "",
"Available": "", "Available": "",
"AvailableCategories": "", "AvailableCategories": "",
"BaseUnit": "", "BaseUnit": "",
"BaseUnitHelp": "", "BaseUnitHelp": "",
"Basics": "",
"Book": "", "Book": "",
"BookmarkletHelp1": "", "BookmarkletHelp1": "",
"BookmarkletHelp2": "", "BookmarkletHelp2": "",
@@ -35,6 +38,7 @@
"Continue": "", "Continue": "",
"ConversionsHelp": "", "ConversionsHelp": "",
"CookLog": "", "CookLog": "",
"CookLogHelp": "",
"Cooked": "", "Cooked": "",
"Copied": "", "Copied": "",
"Copy": "", "Copy": "",
@@ -43,6 +47,7 @@
"CreatedBy": "", "CreatedBy": "",
"Ctrl+K": "", "Ctrl+K": "",
"Database": "", "Database": "",
"DatabaseHelp": "",
"Date": "", "Date": "",
"Default": "", "Default": "",
"Delete": "", "Delete": "",
@@ -69,6 +74,7 @@
"Files": "", "Files": "",
"FinishedAt": "", "FinishedAt": "",
"First": "", "First": "",
"FoodHelp": "",
"Friday": "", "Friday": "",
"GettingStarted": "", "GettingStarted": "",
"HeaderWarning": "", "HeaderWarning": "",
@@ -84,9 +90,12 @@
"Information": "", "Information": "",
"Ingredient": "", "Ingredient": "",
"IngredientEditorHelp": "", "IngredientEditorHelp": "",
"IngredientHelp": "",
"Ingredients": "", "Ingredients": "",
"InstructionsEditHelp": "", "InstructionsEditHelp": "",
"InviteLinkHelp": "",
"Invite_Link": "", "Invite_Link": "",
"KeywordHelp": "",
"Keywords": "", "Keywords": "",
"Last": "", "Last": "",
"Link": "", "Link": "",
@@ -97,7 +106,9 @@
"Logout": "", "Logout": "",
"ManageSubscription": "", "ManageSubscription": "",
"Manage_Books": "管理書籍", "Manage_Books": "管理書籍",
"MealPlanHelp": "",
"MealPlanShoppingHelp": "", "MealPlanShoppingHelp": "",
"MealTypeHelp": "",
"Meal_Plan": "膳食計劃", "Meal_Plan": "膳食計劃",
"MergeAutomateHelp": "", "MergeAutomateHelp": "",
"Messages": "", "Messages": "",
@@ -119,6 +130,7 @@
"Order": "", "Order": "",
"Owner": "", "Owner": "",
"PerPage": "", "PerPage": "",
"Planning&Shopping": "",
"Plural": "", "Plural": "",
"Postpone": "", "Postpone": "",
"PostponedUntil": "", "PostponedUntil": "",
@@ -128,7 +140,9 @@
"Profile": "", "Profile": "",
"PropertiesFoodHelp": "", "PropertiesFoodHelp": "",
"Properties_Food_Unit": "", "Properties_Food_Unit": "",
"PropertyHelp": "",
"PropertyType": "", "PropertyType": "",
"PropertyTypeHelp": "",
"Property_Editor": "", "Property_Editor": "",
"Proteins": "", "Proteins": "",
"RandomOrder": "", "RandomOrder": "",
@@ -136,6 +150,9 @@
"RateLimitHelp": "", "RateLimitHelp": "",
"Rating": "", "Rating": "",
"Recently_Viewed": "", "Recently_Viewed": "",
"RecipeBookEntryHelp": "",
"RecipeBookHelp": "",
"RecipeHelp": "",
"RecipeStepsHelp": "", "RecipeStepsHelp": "",
"Recipe_Image": "食譜圖片", "Recipe_Image": "食譜圖片",
"Recipes_per_page": "每頁食譜", "Recipes_per_page": "每頁食譜",
@@ -150,6 +167,7 @@
"Save/Load": "", "Save/Load": "",
"Save_and_View": "儲存並查看", "Save_and_View": "儲存並查看",
"SavedSearch": "", "SavedSearch": "",
"SavedSearchHelp": "",
"ScalableNumber": "", "ScalableNumber": "",
"Search": "", "Search": "",
"SelectAll": "", "SelectAll": "",
@@ -166,6 +184,7 @@
"ShopLater": "", "ShopLater": "",
"ShopNow": "", "ShopNow": "",
"ShoppingListEntry": "", "ShoppingListEntry": "",
"ShoppingListEntryHelp": "",
"ShoppingListRecipe": "", "ShoppingListRecipe": "",
"ShowMealPlanOnStartPage": "", "ShowMealPlanOnStartPage": "",
"Show_as_header": "顯示為標題", "Show_as_header": "顯示為標題",
@@ -178,9 +197,11 @@
"SpaceLimitReached": "", "SpaceLimitReached": "",
"SpaceMemberHelp": "", "SpaceMemberHelp": "",
"SpaceMembers": "", "SpaceMembers": "",
"SpaceMembersHelp": "",
"SpaceSettings": "", "SpaceSettings": "",
"Split": "", "Split": "",
"Step": "", "Step": "",
"StepHelp": "",
"Step_start_time": "步驟開始時間", "Step_start_time": "步驟開始時間",
"Steps": "", "Steps": "",
"StepsOverview": "", "StepsOverview": "",
@@ -188,6 +209,8 @@
"Success": "", "Success": "",
"Sunday": "", "Sunday": "",
"Supermarket": "", "Supermarket": "",
"SupermarketCategoryHelp": "",
"SupermarketHelp": "",
"System": "", "System": "",
"Table": "", "Table": "",
"Table_of_Contents": "目錄", "Table_of_Contents": "目錄",
@@ -198,6 +221,8 @@
"Today": "", "Today": "",
"Tuesday": "", "Tuesday": "",
"UnitConversion": "", "UnitConversion": "",
"UnitConversionHelp": "",
"UnitHelp": "",
"Up": "", "Up": "",
"Update": "", "Update": "",
"UpgradeNow": "", "UpgradeNow": "",
@@ -209,6 +234,9 @@
"Use_Plural_Food_Simple": "", "Use_Plural_Food_Simple": "",
"Use_Plural_Unit_Always": "", "Use_Plural_Unit_Always": "",
"Use_Plural_Unit_Simple": "", "Use_Plural_Unit_Simple": "",
"UserFileHelp": "",
"UserHelp": "",
"ViewLogHelp": "",
"View_Recipes": "", "View_Recipes": "",
"Viewed": "", "Viewed": "",
"Waiting": "", "Waiting": "",

View File

@@ -0,0 +1,74 @@
<template>
<v-container>
<v-breadcrumbs density="compact">
<v-breadcrumbs-item :to="{name: 'DatabasePage'}">{{ $t('Database') }}</v-breadcrumbs-item>
</v-breadcrumbs>
<v-row>
<v-col>
<v-card prepend-icon="fa-solid fa-folder-tree" :title="$t('Database')">
<template #subtitle>
<div class="text-wrap">
{{ $t('DatabaseHelp') }}
</div>
</template>
</v-card>
</v-col>
</v-row>
<v-row>
<v-col>
<h2>{{ $t('Basics') }}</h2>
</v-col>
</v-row>
<v-row dense>
<database-model-col model="Food"></database-model-col>
<database-model-col model="Unit"></database-model-col>
<database-model-col model="Keyword"></database-model-col>
<database-model-col model="PropertyType"></database-model-col>
</v-row>
<v-row>
<v-col>
<h2>{{ $t('Planning&Shopping') }}</h2>
</v-col>
</v-row>
<v-row dense>
<database-model-col model="Supermarket"></database-model-col>
<database-model-col model="SupermarketCategory"></database-model-col>
<database-model-col model="MealType"></database-model-col>
</v-row>
<v-row>
<v-col>
<h2>{{ $t('Miscellaneous') }}</h2>
</v-col>
</v-row>
<v-row dense>
<database-model-col model="UnitConversion"></database-model-col>
<database-model-col model="Automation"></database-model-col>
<database-model-col model="UserFile"></database-model-col>
<database-model-col model="CustomFilter"></database-model-col>
<database-link-col :to="{name: 'IngredientEditorPage'}"
prepend-icon="fa-solid fa-table-list"
:title="$t('Ingredient Editor')"
:subtitle="$t('IngredientEditorHelp')">
</database-link-col>
</v-row>
</v-container>
</template>
<script setup lang="ts">
import DatabaseModelCol from "@/components/display/DatabaseModelCol.vue";
import DatabaseLinkCol from "@/components/display/DatabaseLinkCol.vue";
</script>
<style scoped>
</style>

View File

@@ -10,7 +10,7 @@
</v-card> </v-card>
</v-col> </v-col>
</v-row> </v-row>
<v-row> <v-row dense>
<v-col> <v-col>
<component :is="editorComponent" :item-id="id" @delete="objectDeleted" @create="(obj: any) => objectCreated(obj)"></component> <component :is="editorComponent" :item-id="id" @delete="objectDeleted" @create="(obj: any) => objectCreated(obj)"></component>
</v-col> </v-col>

View File

@@ -2,30 +2,29 @@
<v-container> <v-container>
<v-row> <v-row>
<v-col> <v-col>
<span class="text-h4"> <v-card>
<v-btn icon="fa-solid fa-caret-down" variant="tonal"> <v-card-text class="pt-2 pb-2">
<i class="fa-solid fa-caret-down"></i> <v-btn variant="flat" @click="router.go(-1)" prepend-icon="fa-solid fa-arrow-left">{{ $t('Back') }}</v-btn>
<v-menu activator="parent"> </v-card-text>
<v-list> </v-card>
</v-col>
<v-list-item </v-row>
v-for="m in getListModels()" <v-row dense>
@click="changeModel(m)" <v-col>
:active="m.name == genericModel.model.name" <v-card :prepend-icon="genericModel.model.icon" :title="$t(genericModel.model.localizationKey)">
> <template #subtitle v-if="TFood.localizationKeyDescription">
<template #prepend><v-icon :icon="m.icon"></v-icon> </template> <div class="text-wrap">
{{ $t(m.localizationKey) }} {{ $t(TFood.localizationKeyDescription) }}
</v-list-item> </div>
</v-list> </template>
</v-menu> <template #append>
</v-btn> <v-btn class="float-right" icon="$create" color="create">
<i :class="genericModel.model.icon"></i> <i class="fa-solid fa-plus"></i>
{{ $t(genericModel.model.localizationKey) }}</span> <model-edit-dialog :close-after-create="false" :model="model"
<v-btn class="float-right" icon="$create" color="create"> @create="loadItems({page: tablePage, itemsPerPage: useUserPreferenceStore().deviceSettings.general_tableItemsPerPage, search: searchQuery})"></model-edit-dialog>
<i class="fa-solid fa-plus"></i> </v-btn>
<model-edit-dialog :close-after-create="false" :model="model" </template>
@create="loadItems({page: tablePage, itemsPerPage: useUserPreferenceStore().deviceSettings.general_tableItemsPerPage, search: searchQuery})"></model-edit-dialog> </v-card>
</v-btn>
</v-col> </v-col>
</v-row> </v-row>
<v-row> <v-row>
@@ -85,7 +84,7 @@ import {
EditorSupportedModels, EditorSupportedModels,
GenericModel, GenericModel,
getGenericModelFromString, getListModels, getGenericModelFromString, getListModels,
Model, Model, TFood,
} from "@/types/Models"; } from "@/types/Models";
import {VDataTable} from "vuetify/components"; import {VDataTable} from "vuetify/components";
import {useUrlSearchParams} from "@vueuse/core"; import {useUrlSearchParams} from "@vueuse/core";
@@ -171,7 +170,7 @@ function loadItems(options: VDataTableUpdateOptions) {
if (tablePage.value != options.page) { if (tablePage.value != options.page) {
tablePage.value = options.page tablePage.value = options.page
} }
if(route.query.page == undefined){ if (route.query.page == undefined) {
router.replace({name: 'ModelListPage', params: {model: props.model}, query: {page: options.page}}) router.replace({name: 'ModelListPage', params: {model: props.model}, query: {page: options.page}})
} else { } else {
router.push({name: 'ModelListPage', params: {model: props.model}, query: {page: options.page}}) router.push({name: 'ModelListPage', params: {model: props.model}, query: {page: options.page}})

View File

@@ -86,6 +86,7 @@ type ModelTableHeaders = {
export type Model = { export type Model = {
name: string, name: string,
localizationKey: string, localizationKey: string,
localizationKeyDescription: string,
icon: string, icon: string,
toStringKeys: Array<string>, toStringKeys: Array<string>,
@@ -164,6 +165,7 @@ export type EditorSupportedTypes =
export const TFood = { export const TFood = {
name: 'Food', name: 'Food',
localizationKey: 'Food', localizationKey: 'Food',
localizationKeyDescription: 'FoodHelp',
icon: 'fa-solid fa-carrot', icon: 'fa-solid fa-carrot',
isPaginated: true, isPaginated: true,
@@ -183,6 +185,7 @@ registerModel(TFood)
export const TUnit = { export const TUnit = {
name: 'Unit', name: 'Unit',
localizationKey: 'Unit', localizationKey: 'Unit',
localizationKeyDescription: 'UnitHelp',
icon: 'fa-solid fa-scale-balanced', icon: 'fa-solid fa-scale-balanced',
isPaginated: true, isPaginated: true,
@@ -201,6 +204,7 @@ registerModel(TUnit)
export const TKeyword = { export const TKeyword = {
name: 'Keyword', name: 'Keyword',
localizationKey: 'Keyword', localizationKey: 'Keyword',
localizationKeyDescription: 'KeywordHelp',
icon: 'fa-solid fa-tags', icon: 'fa-solid fa-tags',
isPaginated: true, isPaginated: true,
@@ -218,6 +222,7 @@ registerModel(TKeyword)
export const TRecipe = { export const TRecipe = {
name: 'Recipe', name: 'Recipe',
localizationKey: 'Recipe', localizationKey: 'Recipe',
localizationKeyDescription: 'RecipeHelp',
icon: 'fa-solid fa-book', icon: 'fa-solid fa-book',
isPaginated: true, isPaginated: true,
@@ -235,6 +240,7 @@ registerModel(TRecipe)
export const TStep = { export const TStep = {
name: 'Step', name: 'Step',
localizationKey: 'Step', localizationKey: 'Step',
localizationKeyDescription: 'StepHelp',
icon: 'fa-solid fa-list', icon: 'fa-solid fa-list',
isPaginated: true, isPaginated: true,
@@ -252,6 +258,7 @@ registerModel(TStep)
export const TIngredient = { export const TIngredient = {
name: 'Ingredient', name: 'Ingredient',
localizationKey: 'Ingredient', localizationKey: 'Ingredient',
localizationKeyDescription: 'IngredientHelp',
icon: 'fa-solid fa-jar', icon: 'fa-solid fa-jar',
isPaginated: true, isPaginated: true,
@@ -269,6 +276,7 @@ registerModel(TIngredient)
export const TMealType = { export const TMealType = {
name: 'MealType', name: 'MealType',
localizationKey: 'Meal_Type', localizationKey: 'Meal_Type',
localizationKeyDescription: 'MealTypeHelp',
icon: 'fa-solid fa-utensils', icon: 'fa-solid fa-utensils',
isPaginated: true, isPaginated: true,
@@ -284,6 +292,7 @@ registerModel(TMealType)
export const TMealPlan = { export const TMealPlan = {
name: 'MealPlan', name: 'MealPlan',
localizationKey: 'Meal_Plan', localizationKey: 'Meal_Plan',
localizationKeyDescription: 'MealPlanHelp',
icon: 'fa-solid fa-calendar-days', icon: 'fa-solid fa-calendar-days',
isPaginated: true, isPaginated: true,
@@ -302,6 +311,7 @@ registerModel(TMealPlan)
export const TRecipeBook = { export const TRecipeBook = {
name: 'RecipeBook', name: 'RecipeBook',
localizationKey: 'Recipe_Book', localizationKey: 'Recipe_Book',
localizationKeyDescription: 'RecipeBookHelp',
icon: 'fa-solid fa-book-bookmark', icon: 'fa-solid fa-book-bookmark',
isPaginated: true, isPaginated: true,
@@ -319,6 +329,7 @@ registerModel(TRecipeBook)
export const TRecipeBookEntry = { export const TRecipeBookEntry = {
name: 'RecipeBookEntry', name: 'RecipeBookEntry',
localizationKey: 'Recipe_Book', localizationKey: 'Recipe_Book',
localizationKeyDescription: 'RecipeBookEntryHelp',
icon: 'fa-solid fa-book-bookmark', icon: 'fa-solid fa-book-bookmark',
isPaginated: true, isPaginated: true,
@@ -337,6 +348,7 @@ registerModel(TRecipeBookEntry)
export const TCustomFilter = { export const TCustomFilter = {
name: 'CustomFilter', name: 'CustomFilter',
localizationKey: 'SavedSearch', localizationKey: 'SavedSearch',
localizationKeyDescription: 'SavedSearchHelp',
icon: 'fa-solid fa-filter', icon: 'fa-solid fa-filter',
isPaginated: true, isPaginated: true,
@@ -352,6 +364,7 @@ registerModel(TCustomFilter)
export const TUser = { export const TUser = {
name: 'User', name: 'User',
localizationKey: 'User', localizationKey: 'User',
localizationKeyDescription: 'UserHelp',
icon: 'fa-solid fa-user', icon: 'fa-solid fa-user',
disableCreate: true, disableCreate: true,
@@ -373,6 +386,7 @@ registerModel(TUser)
export const TSupermarket = { export const TSupermarket = {
name: 'Supermarket', name: 'Supermarket',
localizationKey: 'Supermarket', localizationKey: 'Supermarket',
localizationKeyDescription: 'SupermarketHelp',
icon: 'fa-solid fa-store', icon: 'fa-solid fa-store',
isPaginated: true, isPaginated: true,
@@ -388,6 +402,7 @@ registerModel(TSupermarket)
export const TSupermarketCategory = { export const TSupermarketCategory = {
name: 'SupermarketCategory', name: 'SupermarketCategory',
localizationKey: 'Category', localizationKey: 'Category',
localizationKeyDescription: 'SupermarketCategoryHelp',
icon: 'fa-solid fa-boxes-stacked', icon: 'fa-solid fa-boxes-stacked',
isPaginated: true, isPaginated: true,
@@ -404,6 +419,7 @@ registerModel(TSupermarketCategory)
export const TShoppingListEntry = { export const TShoppingListEntry = {
name: 'ShoppingListEntry', name: 'ShoppingListEntry',
localizationKey: 'ShoppingListEntry', localizationKey: 'ShoppingListEntry',
localizationKeyDescription: 'ShoppingListEntryHelp',
icon: 'fa-solid fa-list-check', icon: 'fa-solid fa-list-check',
disableListView: true, disableListView: true,
@@ -422,6 +438,7 @@ registerModel(TShoppingListEntry)
export const TPropertyType = { export const TPropertyType = {
name: 'PropertyType', name: 'PropertyType',
localizationKey: 'Property', localizationKey: 'Property',
localizationKeyDescription: 'PropertyTypeHelp',
icon: 'fa-solid fa-database', icon: 'fa-solid fa-database',
isPaginated: true, isPaginated: true,
@@ -437,6 +454,7 @@ registerModel(TPropertyType)
export const TProperty = { export const TProperty = {
name: 'Property', name: 'Property',
localizationKey: 'Property', localizationKey: 'Property',
localizationKeyDescription: 'PropertyHelp',
icon: 'fa-solid fa-database', icon: 'fa-solid fa-database',
disableListView: true, disableListView: true,
@@ -454,6 +472,7 @@ registerModel(TProperty)
export const TUnitConversion = { export const TUnitConversion = {
name: 'UnitConversion', name: 'UnitConversion',
localizationKey: 'UnitConversion', localizationKey: 'UnitConversion',
localizationKeyDescription: 'UnitConversionHelp',
icon: 'fa-solid fa-exchange-alt', icon: 'fa-solid fa-exchange-alt',
isPaginated: true, isPaginated: true,
@@ -473,6 +492,7 @@ registerModel(TUnitConversion)
export const TUserFile = { export const TUserFile = {
name: 'UserFile', name: 'UserFile',
localizationKey: 'File', localizationKey: 'File',
localizationKeyDescription: 'UserFileHelp',
icon: 'fa-solid fa-file', icon: 'fa-solid fa-file',
isPaginated: true, isPaginated: true,
@@ -488,6 +508,7 @@ registerModel(TUserFile)
export const TAutomation = { export const TAutomation = {
name: 'Automation', name: 'Automation',
localizationKey: 'Automation', localizationKey: 'Automation',
localizationKeyDescription: 'AutomationHelp',
icon: 'fa-solid fa-robot', icon: 'fa-solid fa-robot',
isPaginated: true, isPaginated: true,
@@ -504,6 +525,7 @@ registerModel(TAutomation)
export const TCookLog = { export const TCookLog = {
name: 'CookLog', name: 'CookLog',
localizationKey: 'CookLog', localizationKey: 'CookLog',
localizationKeyDescription: 'CookLogHelp',
icon: 'fa-solid fa-table-list', icon: 'fa-solid fa-table-list',
isPaginated: true, isPaginated: true,
@@ -520,6 +542,7 @@ registerModel(TCookLog)
export const TViewLog = { export const TViewLog = {
name: 'ViewLog', name: 'ViewLog',
localizationKey: 'History', localizationKey: 'History',
localizationKeyDescription: 'ViewLogHelp',
icon: 'fa-solid fa-clock-rotate-left', icon: 'fa-solid fa-clock-rotate-left',
isPaginated: true, isPaginated: true,
@@ -536,6 +559,7 @@ registerModel(TViewLog)
export const TAccessToken = { export const TAccessToken = {
name: 'AccessToken', name: 'AccessToken',
localizationKey: 'Access_Token', localizationKey: 'Access_Token',
localizationKeyDescription: 'AccessTokenHelp',
icon: 'fa-solid fa-key', icon: 'fa-solid fa-key',
disableListView: true, disableListView: true,
@@ -553,6 +577,7 @@ registerModel(TAccessToken)
export const TUserSpace = { export const TUserSpace = {
name: 'UserSpace', name: 'UserSpace',
localizationKey: 'SpaceMembers', localizationKey: 'SpaceMembers',
localizationKeyDescription: 'SpaceMembersHelp',
icon: 'fa-solid fa-users', icon: 'fa-solid fa-users',
disableListView: true, disableListView: true,
@@ -571,6 +596,7 @@ registerModel(TUserSpace)
export const TInviteLink = { export const TInviteLink = {
name: 'InviteLink', name: 'InviteLink',
localizationKey: 'Invite_Link', localizationKey: 'Invite_Link',
localizationKeyDescription: 'InviteLinkHelp',
icon: 'fa-solid fa-link', icon: 'fa-solid fa-link',
disableListView: true, disableListView: true,
@@ -589,6 +615,7 @@ registerModel(TInviteLink)
export const TFoodInheritField = { export const TFoodInheritField = {
name: 'FoodInheritField', name: 'FoodInheritField',
localizationKey: 'FoodInherit', localizationKey: 'FoodInherit',
localizationKeyDescription: 'food_inherit_info',
icon: 'fa-solid fa-list', icon: 'fa-solid fa-list',
disableListView: true, disableListView: true,