mirror of
https://github.com/TandoorRecipes/recipes.git
synced 2026-01-05 06:08:46 -05:00
start of model edit dialogs
This commit is contained in:
37
vue3/src/components/dialogs/DeleteConfirmDialog.vue
Normal file
37
vue3/src/components/dialogs/DeleteConfirmDialog.vue
Normal file
@@ -0,0 +1,37 @@
|
|||||||
|
<template>
|
||||||
|
|
||||||
|
<v-dialog max-width="400" activator="parent" v-model="dialog">
|
||||||
|
<v-card>
|
||||||
|
<v-card-title>{{ $t('Delete') }}</v-card-title>
|
||||||
|
<v-card-text>
|
||||||
|
{{ $t('DeleteConfirmQuestion')}}
|
||||||
|
<b>{{ objectName }}</b>
|
||||||
|
</v-card-text>
|
||||||
|
<v-card-actions>
|
||||||
|
<v-btn @click="dialog=false">{{ $t('Cancel') }}</v-btn>
|
||||||
|
<v-btn @click="emit('delete'); dialog=false" color="delete" prepend-icon="$delete">
|
||||||
|
{{ $t('Delete') }}
|
||||||
|
</v-btn>
|
||||||
|
</v-card-actions>
|
||||||
|
</v-card>
|
||||||
|
</v-dialog>
|
||||||
|
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup lang="ts">
|
||||||
|
|
||||||
|
import {ref} from "vue";
|
||||||
|
|
||||||
|
const emit = defineEmits(['delete'])
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
objectName: {type: String, default: ''}
|
||||||
|
})
|
||||||
|
|
||||||
|
const dialog = ref(false)
|
||||||
|
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
|
||||||
|
</style>
|
||||||
81
vue3/src/components/model_editors/AccessTokenEditor.vue
Normal file
81
vue3/src/components/model_editors/AccessTokenEditor.vue
Normal file
@@ -0,0 +1,81 @@
|
|||||||
|
<template>
|
||||||
|
<v-card>
|
||||||
|
<v-card-title>{{ $t(OBJ_LOCALIZATION_KEY) }}</v-card-title>
|
||||||
|
<v-card-text>
|
||||||
|
<v-form>
|
||||||
|
<v-text-field label="Token" v-model="editingObj.token" :disabled="isUpdate"></v-text-field>
|
||||||
|
<v-text-field label="Scope" v-model="editingObj.scope"></v-text-field>
|
||||||
|
<v-date-input :label="$t('Valid Until')" v-model="editingObj.scope"></v-date-input>
|
||||||
|
</v-form>
|
||||||
|
</v-card-text>
|
||||||
|
<v-card-actions>
|
||||||
|
<v-btn color="save" prepend-icon="$save">{{ isUpdate ? $t('Save') : $t('Create') }}</v-btn>
|
||||||
|
<v-btn color="delete" prepend-icon="$delete">{{ $t('Delete') }}
|
||||||
|
<delete-confirm-dialog :object-name="objectName"></delete-confirm-dialog>
|
||||||
|
</v-btn>
|
||||||
|
</v-card-actions>
|
||||||
|
</v-card>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup lang="ts">
|
||||||
|
|
||||||
|
import {VDateInput} from 'vuetify/labs/VDateInput' //TODO remove once component is out of labs
|
||||||
|
import {computed, onMounted, ref} from "vue";
|
||||||
|
import {AccessToken, ApiApi} from "@/openapi";
|
||||||
|
import DeleteConfirmDialog from "@/components/dialogs/DeleteConfirmDialog.vue";
|
||||||
|
import {useI18n} from "vue-i18n";
|
||||||
|
|
||||||
|
const {t} = useI18n()
|
||||||
|
|
||||||
|
const props = defineProps({
|
||||||
|
accessToken: {type: {} as AccessToken, required: false}
|
||||||
|
})
|
||||||
|
|
||||||
|
const OBJ_LOCALIZATION_KEY = 'Access_Token'
|
||||||
|
const editingObj = ref({} as AccessToken)
|
||||||
|
const loading = ref(false)
|
||||||
|
|
||||||
|
/**
|
||||||
|
* checks if given object has ID property to determine if it needs to be updated or created
|
||||||
|
*/
|
||||||
|
const isUpdate = computed(() => {
|
||||||
|
return editingObj.value.id !== undefined
|
||||||
|
})
|
||||||
|
|
||||||
|
/**
|
||||||
|
* display name for object in headers/delete dialog/...
|
||||||
|
*/
|
||||||
|
const objectName = computed(() => {
|
||||||
|
return isUpdate ? `${t(OBJ_LOCALIZATION_KEY)} ${editingObj.value.token}` : `${t(OBJ_LOCALIZATION_KEY)} (${t('New')})`
|
||||||
|
})
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
if (props.accessToken != null) {
|
||||||
|
editingObj.value = props.accessToken
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
/**
|
||||||
|
* saves the edited object in the database
|
||||||
|
*/
|
||||||
|
function saveObject() {
|
||||||
|
let api = new ApiApi()
|
||||||
|
if (isUpdate.value) {
|
||||||
|
|
||||||
|
} else {
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* test
|
||||||
|
*/
|
||||||
|
function deleteObject() {
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped>
|
||||||
|
|
||||||
|
</style>
|
||||||
@@ -36,7 +36,7 @@
|
|||||||
</v-list-item>
|
</v-list-item>
|
||||||
</v-list>
|
</v-list>
|
||||||
|
|
||||||
|
<access-token-editor class="mt-2"></access-token-editor>
|
||||||
|
|
||||||
</v-form>
|
</v-form>
|
||||||
</template>
|
</template>
|
||||||
@@ -48,6 +48,7 @@ import {onMounted, ref} from "vue";
|
|||||||
import {AccessToken, ApiApi} from "@/openapi";
|
import {AccessToken, ApiApi} from "@/openapi";
|
||||||
import {ErrorMessageType, useMessageStore} from "@/stores/MessageStore";
|
import {ErrorMessageType, useMessageStore} from "@/stores/MessageStore";
|
||||||
import {DateTime} from "luxon";
|
import {DateTime} from "luxon";
|
||||||
|
import AccessTokenEditor from "@/components/model_editors/AccessTokenEditor.vue";
|
||||||
|
|
||||||
const accessTokenList = ref([] as AccessToken[])
|
const accessTokenList = ref([] as AccessToken[])
|
||||||
const accessToken = ref({} as AccessToken)
|
const accessToken = ref({} as AccessToken)
|
||||||
|
|||||||
@@ -82,7 +82,7 @@ import {ApiApi, Group, InviteLink, UserSpace} from "@/openapi";
|
|||||||
import {ErrorMessageType, PreparedMessage, useMessageStore} from "@/stores/MessageStore";
|
import {ErrorMessageType, PreparedMessage, useMessageStore} from "@/stores/MessageStore";
|
||||||
import {useI18n} from "vue-i18n";
|
import {useI18n} from "vue-i18n";
|
||||||
import {DateTime} from "luxon";
|
import {DateTime} from "luxon";
|
||||||
import {VDateInput} from 'vuetify/labs/VDateInput'
|
import {VDateInput} from 'vuetify/labs/VDateInput' //TODO remove once component is out of labs
|
||||||
import {useClipboard} from "@vueuse/core"; //TODO remove once component is out of labs
|
import {useClipboard} from "@vueuse/core"; //TODO remove once component is out of labs
|
||||||
|
|
||||||
const {t} = useI18n()
|
const {t} = useI18n()
|
||||||
|
|||||||
@@ -1,445 +1,447 @@
|
|||||||
{
|
{
|
||||||
"Add": "",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "",
|
"Add": "",
|
||||||
"AddToShopping": "",
|
"AddFoodToShopping": "",
|
||||||
"Add_Servings_to_Shopping": "",
|
"AddToShopping": "",
|
||||||
"Add_Step": "",
|
"Add_Servings_to_Shopping": "",
|
||||||
"Add_nutrition_recipe": "",
|
"Add_Step": "",
|
||||||
"Add_to_Plan": "",
|
"Add_nutrition_recipe": "",
|
||||||
"Add_to_Shopping": "",
|
"Add_to_Plan": "",
|
||||||
"Added_To_Shopping_List": "",
|
"Add_to_Shopping": "",
|
||||||
"Added_by": "",
|
"Added_To_Shopping_List": "",
|
||||||
"Added_on": "",
|
"Added_by": "",
|
||||||
"Advanced": "",
|
"Added_on": "",
|
||||||
"App": "",
|
"Advanced": "",
|
||||||
"Are_You_Sure": "",
|
"App": "",
|
||||||
"Auto_Planner": "",
|
"Are_You_Sure": "",
|
||||||
"Automate": "",
|
"Auto_Planner": "",
|
||||||
"Automation": "",
|
"Automate": "",
|
||||||
"Bookmarklet": "",
|
"Automation": "",
|
||||||
"Books": "",
|
"Bookmarklet": "",
|
||||||
"Calories": "",
|
"Books": "",
|
||||||
"Cancel": "",
|
"Calories": "",
|
||||||
"Cannot_Add_Notes_To_Shopping": "",
|
"Cancel": "",
|
||||||
"Carbohydrates": "",
|
"Cannot_Add_Notes_To_Shopping": "",
|
||||||
"Categories": "",
|
"Carbohydrates": "",
|
||||||
"Category": "",
|
"Categories": "",
|
||||||
"CategoryInstruction": "",
|
"Category": "",
|
||||||
"CategoryName": "",
|
"CategoryInstruction": "",
|
||||||
"ChildInheritFields": "",
|
"CategoryName": "",
|
||||||
"ChildInheritFields_help": "",
|
"ChildInheritFields": "",
|
||||||
"Clear": "",
|
"ChildInheritFields_help": "",
|
||||||
"Click_To_Edit": "",
|
"Clear": "",
|
||||||
"Clone": "",
|
"Click_To_Edit": "",
|
||||||
"Close": "",
|
"Clone": "",
|
||||||
"Color": "",
|
"Close": "",
|
||||||
"Coming_Soon": "",
|
"Color": "",
|
||||||
"Completed": "",
|
"Coming_Soon": "",
|
||||||
"Copy": "",
|
"Completed": "",
|
||||||
"Copy Link": "",
|
"Copy": "",
|
||||||
"Copy Token": "",
|
"Copy Link": "",
|
||||||
"Copy_template_reference": "",
|
"Copy Token": "",
|
||||||
"CountMore": "",
|
"Copy_template_reference": "",
|
||||||
"Create": "",
|
"CountMore": "",
|
||||||
"Create Food": "",
|
"Create": "",
|
||||||
"Create_Meal_Plan_Entry": "",
|
"Create Food": "",
|
||||||
"Create_New_Food": "",
|
"Create_Meal_Plan_Entry": "",
|
||||||
"Create_New_Keyword": "",
|
"Create_New_Food": "",
|
||||||
"Create_New_Meal_Type": "",
|
"Create_New_Keyword": "",
|
||||||
"Create_New_Shopping Category": "",
|
"Create_New_Meal_Type": "",
|
||||||
"Create_New_Shopping_Category": "",
|
"Create_New_Shopping Category": "",
|
||||||
"Create_New_Unit": "",
|
"Create_New_Shopping_Category": "",
|
||||||
"Current_Period": "",
|
"Create_New_Unit": "",
|
||||||
"Custom Filter": "",
|
"Current_Period": "",
|
||||||
"Date": "",
|
"Custom Filter": "",
|
||||||
"DelayFor": "",
|
"Date": "",
|
||||||
"DelayUntil": "",
|
"DelayFor": "",
|
||||||
"Delete": "",
|
"DelayUntil": "",
|
||||||
"DeleteShoppingConfirm": "",
|
"Delete": "",
|
||||||
"Delete_Food": "",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "",
|
"DeleteShoppingConfirm": "",
|
||||||
"Description": "",
|
"Delete_Food": "",
|
||||||
"Disable_Amount": "",
|
"Delete_Keyword": "",
|
||||||
"Documentation": "",
|
"Description": "",
|
||||||
"Download": "",
|
"Disable_Amount": "",
|
||||||
"Drag_Here_To_Delete": "",
|
"Documentation": "",
|
||||||
"Edit": "",
|
"Download": "",
|
||||||
"Edit_Food": "",
|
"Drag_Here_To_Delete": "",
|
||||||
"Edit_Keyword": "",
|
"Edit": "",
|
||||||
"Edit_Meal_Plan_Entry": "",
|
"Edit_Food": "",
|
||||||
"Edit_Recipe": "",
|
"Edit_Keyword": "",
|
||||||
"Empty": "",
|
"Edit_Meal_Plan_Entry": "",
|
||||||
"Enable_Amount": "",
|
"Edit_Recipe": "",
|
||||||
"Energy": "",
|
"Empty": "",
|
||||||
"Export": "",
|
"Enable_Amount": "",
|
||||||
"Export_As_ICal": "",
|
"Energy": "",
|
||||||
"Export_Not_Yet_Supported": "",
|
"Export": "",
|
||||||
"Export_Supported": "",
|
"Export_As_ICal": "",
|
||||||
"Export_To_ICal": "",
|
"Export_Not_Yet_Supported": "",
|
||||||
"External": "",
|
"Export_Supported": "",
|
||||||
"External_Recipe_Image": "",
|
"Export_To_ICal": "",
|
||||||
"Failure": "",
|
"External": "",
|
||||||
"Fats": "",
|
"External_Recipe_Image": "",
|
||||||
"File": "",
|
"Failure": "",
|
||||||
"Files": "",
|
"Fats": "",
|
||||||
"Food": "",
|
"File": "",
|
||||||
"FoodInherit": "",
|
"Files": "",
|
||||||
"FoodNotOnHand": "",
|
"Food": "",
|
||||||
"FoodOnHand": "",
|
"FoodInherit": "",
|
||||||
"Food_Alias": "",
|
"FoodNotOnHand": "",
|
||||||
"Foods": "",
|
"FoodOnHand": "",
|
||||||
"GroupBy": "",
|
"Food_Alias": "",
|
||||||
"Hide_Food": "",
|
"Foods": "",
|
||||||
"Hide_Keyword": "",
|
"GroupBy": "",
|
||||||
"Hide_Keywords": "",
|
"Hide_Food": "",
|
||||||
"Hide_Recipes": "",
|
"Hide_Keyword": "",
|
||||||
"Hide_as_header": "",
|
"Hide_Keywords": "",
|
||||||
"Icon": "",
|
"Hide_Recipes": "",
|
||||||
"IgnoreThis": "",
|
"Hide_as_header": "",
|
||||||
"Ignore_Shopping": "",
|
"Icon": "",
|
||||||
"IgnoredFood": "",
|
"IgnoreThis": "",
|
||||||
"Image": "",
|
"Ignore_Shopping": "",
|
||||||
"Import": "",
|
"IgnoredFood": "",
|
||||||
"Import_Error": "",
|
"Image": "",
|
||||||
"Import_Not_Yet_Supported": "",
|
"Import": "",
|
||||||
"Import_Result_Info": "",
|
"Import_Error": "",
|
||||||
"Import_Supported": "",
|
"Import_Not_Yet_Supported": "",
|
||||||
"Import_finished": "",
|
"Import_Result_Info": "",
|
||||||
"Imported": "",
|
"Import_Supported": "",
|
||||||
"Imported_From": "",
|
"Import_finished": "",
|
||||||
"Importer_Help": "",
|
"Imported": "",
|
||||||
"Information": "",
|
"Imported_From": "",
|
||||||
"Ingredient Editor": "",
|
"Importer_Help": "",
|
||||||
"Ingredient Overview": "",
|
"Information": "",
|
||||||
"IngredientInShopping": "",
|
"Ingredient Editor": "",
|
||||||
"Ingredients": "",
|
"Ingredient Overview": "",
|
||||||
"Inherit": "",
|
"IngredientInShopping": "",
|
||||||
"InheritFields": "",
|
"Ingredients": "",
|
||||||
"InheritFields_help": "",
|
"Inherit": "",
|
||||||
"InheritWarning": "",
|
"InheritFields": "",
|
||||||
"Instructions": "",
|
"InheritFields_help": "",
|
||||||
"Internal": "",
|
"InheritWarning": "",
|
||||||
"Invites": "",
|
"Instructions": "",
|
||||||
"Key_Ctrl": "",
|
"Internal": "",
|
||||||
"Key_Shift": "",
|
"Invites": "",
|
||||||
"Keyword": "",
|
"Key_Ctrl": "",
|
||||||
"Keyword_Alias": "",
|
"Key_Shift": "",
|
||||||
"Keywords": "",
|
"Keyword": "",
|
||||||
"Link": "",
|
"Keyword_Alias": "",
|
||||||
"Load_More": "",
|
"Keywords": "",
|
||||||
"Log_Cooking": "",
|
"Link": "",
|
||||||
"Log_Recipe_Cooking": "",
|
"Load_More": "",
|
||||||
"Make_Header": "",
|
"Log_Cooking": "",
|
||||||
"Make_Ingredient": "",
|
"Log_Recipe_Cooking": "",
|
||||||
"Manage_Books": "",
|
"Make_Header": "",
|
||||||
"Meal_Plan": "",
|
"Make_Ingredient": "",
|
||||||
"Meal_Plan_Days": "",
|
"Manage_Books": "",
|
||||||
"Meal_Type": "",
|
"Meal_Plan": "",
|
||||||
"Meal_Type_Required": "",
|
"Meal_Plan_Days": "",
|
||||||
"Meal_Types": "",
|
"Meal_Type": "",
|
||||||
"Merge": "",
|
"Meal_Type_Required": "",
|
||||||
"Merge_Keyword": "",
|
"Meal_Types": "",
|
||||||
"Message": "",
|
"Merge": "",
|
||||||
"Month": "",
|
"Merge_Keyword": "",
|
||||||
"Move": "",
|
"Message": "",
|
||||||
"MoveCategory": "",
|
"Month": "",
|
||||||
"Move_Down": "",
|
"Move": "",
|
||||||
"Move_Food": "",
|
"MoveCategory": "",
|
||||||
"Move_Keyword": "",
|
"Move_Down": "",
|
||||||
"Move_Up": "",
|
"Move_Food": "",
|
||||||
"Multiple": "",
|
"Move_Keyword": "",
|
||||||
"Name": "",
|
"Move_Up": "",
|
||||||
"New": "",
|
"Multiple": "",
|
||||||
"New_Cookbook": "",
|
"Name": "",
|
||||||
"New_Entry": "",
|
"New": "",
|
||||||
"New_Food": "",
|
"New_Cookbook": "",
|
||||||
"New_Keyword": "",
|
"New_Entry": "",
|
||||||
"New_Meal_Type": "",
|
"New_Food": "",
|
||||||
"New_Recipe": "",
|
"New_Keyword": "",
|
||||||
"New_Supermarket": "",
|
"New_Meal_Type": "",
|
||||||
"New_Supermarket_Category": "",
|
"New_Recipe": "",
|
||||||
"New_Unit": "",
|
"New_Supermarket": "",
|
||||||
"Next_Day": "",
|
"New_Supermarket_Category": "",
|
||||||
"Next_Period": "",
|
"New_Unit": "",
|
||||||
"NoCategory": "",
|
"Next_Day": "",
|
||||||
"No_ID": "",
|
"Next_Period": "",
|
||||||
"No_Results": "",
|
"NoCategory": "",
|
||||||
"NotInShopping": "",
|
"No_ID": "",
|
||||||
"Note": "",
|
"No_Results": "",
|
||||||
"Nutrition": "",
|
"NotInShopping": "",
|
||||||
"OfflineAlert": "",
|
"Note": "",
|
||||||
"Ok": "",
|
"Nutrition": "",
|
||||||
"OnHand": "",
|
"OfflineAlert": "",
|
||||||
"OnHand_help": "",
|
"Ok": "",
|
||||||
"Open": "",
|
"OnHand": "",
|
||||||
"Options": "",
|
"OnHand_help": "",
|
||||||
"Page": "",
|
"Open": "",
|
||||||
"Parameter": "",
|
"Options": "",
|
||||||
"Parent": "",
|
"Page": "",
|
||||||
"Period": "",
|
"Parameter": "",
|
||||||
"Periods": "",
|
"Parent": "",
|
||||||
"Pin": "",
|
"Period": "",
|
||||||
"Pinned": "",
|
"Periods": "",
|
||||||
"Plan_Period_To_Show": "",
|
"Pin": "",
|
||||||
"Plan_Show_How_Many_Periods": "",
|
"Pinned": "",
|
||||||
"Planned": "",
|
"Plan_Period_To_Show": "",
|
||||||
"Planner": "",
|
"Plan_Show_How_Many_Periods": "",
|
||||||
"Planner_Settings": "",
|
"Planned": "",
|
||||||
"Plural": "",
|
"Planner": "",
|
||||||
"Preferences": "",
|
"Planner_Settings": "",
|
||||||
"Preparation": "",
|
"Plural": "",
|
||||||
"Previous_Day": "",
|
"Preferences": "",
|
||||||
"Previous_Period": "",
|
"Preparation": "",
|
||||||
"Print": "",
|
"Previous_Day": "",
|
||||||
"Profile": "",
|
"Previous_Period": "",
|
||||||
"Protected": "",
|
"Print": "",
|
||||||
"Proteins": "",
|
"Profile": "",
|
||||||
"Quick actions": "",
|
"Protected": "",
|
||||||
"QuickEntry": "",
|
"Proteins": "",
|
||||||
"Random Recipes": "",
|
"Quick actions": "",
|
||||||
"Rating": "",
|
"QuickEntry": "",
|
||||||
"Ratings": "",
|
"Random Recipes": "",
|
||||||
"Recently_Viewed": "",
|
"Rating": "",
|
||||||
"Recipe": "",
|
"Ratings": "",
|
||||||
"Recipe_Book": "",
|
"Recently_Viewed": "",
|
||||||
"Recipe_Image": "",
|
"Recipe": "",
|
||||||
"Recipes": "",
|
"Recipe_Book": "",
|
||||||
"Recipes_In_Import": "",
|
"Recipe_Image": "",
|
||||||
"Recipes_per_page": "",
|
"Recipes": "",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "",
|
||||||
"RemoveFoodFromShopping": "",
|
"Recipes_per_page": "",
|
||||||
"Remove_nutrition_recipe": "",
|
"Remove": "",
|
||||||
"Reset": "",
|
"RemoveFoodFromShopping": "",
|
||||||
"Reset_Search": "",
|
"Remove_nutrition_recipe": "",
|
||||||
"Root": "",
|
"Reset": "",
|
||||||
"Save": "",
|
"Reset_Search": "",
|
||||||
"Save_and_View": "",
|
"Root": "",
|
||||||
"Search": "",
|
"Save": "",
|
||||||
"Search Settings": "",
|
"Save_and_View": "",
|
||||||
"Select": "",
|
"Search": "",
|
||||||
"Select_App_To_Import": "",
|
"Search Settings": "",
|
||||||
"Select_Book": "",
|
"Select": "",
|
||||||
"Select_File": "",
|
"Select_App_To_Import": "",
|
||||||
"Selected": "",
|
"Select_Book": "",
|
||||||
"Servings": "",
|
"Select_File": "",
|
||||||
"Settings": "",
|
"Selected": "",
|
||||||
"Share": "",
|
"Servings": "",
|
||||||
"Shopping_Categories": "",
|
"Settings": "",
|
||||||
"Shopping_Category": "",
|
"Share": "",
|
||||||
"Shopping_List_Empty": "",
|
"Shopping_Categories": "",
|
||||||
"Shopping_list": "",
|
"Shopping_Category": "",
|
||||||
"ShowDelayed": "",
|
"Shopping_List_Empty": "",
|
||||||
"ShowUncategorizedFood": "",
|
"Shopping_list": "",
|
||||||
"Show_Week_Numbers": "",
|
"ShowDelayed": "",
|
||||||
"Show_as_header": "",
|
"ShowUncategorizedFood": "",
|
||||||
"Single": "",
|
"Show_Week_Numbers": "",
|
||||||
"Size": "",
|
"Show_as_header": "",
|
||||||
"Sort_by_new": "",
|
"Single": "",
|
||||||
"SpaceMembers": "",
|
"Size": "",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "",
|
||||||
"Starting_Day": "",
|
"SpaceMembers": "",
|
||||||
"Step": "",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "",
|
"Starting_Day": "",
|
||||||
"Step_Type": "",
|
"Step": "",
|
||||||
"Step_start_time": "",
|
"Step_Name": "",
|
||||||
"SubstituteOnHand": "",
|
"Step_Type": "",
|
||||||
"Success": "",
|
"Step_start_time": "",
|
||||||
"SuccessClipboard": "",
|
"SubstituteOnHand": "",
|
||||||
"Supermarket": "",
|
"Success": "",
|
||||||
"SupermarketCategoriesOnly": "",
|
"SuccessClipboard": "",
|
||||||
"SupermarketName": "",
|
"Supermarket": "",
|
||||||
"Supermarkets": "",
|
"SupermarketCategoriesOnly": "",
|
||||||
"System": "",
|
"SupermarketName": "",
|
||||||
"Table_of_Contents": "",
|
"Supermarkets": "",
|
||||||
"Text": "",
|
"System": "",
|
||||||
"Time": "",
|
"Table_of_Contents": "",
|
||||||
"Title": "",
|
"Text": "",
|
||||||
"Title_or_Recipe_Required": "",
|
"Time": "",
|
||||||
"Toggle": "",
|
"Title": "",
|
||||||
"Type": "",
|
"Title_or_Recipe_Required": "",
|
||||||
"Undefined": "",
|
"Toggle": "",
|
||||||
"Unit": "",
|
"Type": "",
|
||||||
"Unit_Alias": "",
|
"Undefined": "",
|
||||||
"Units": "",
|
"Unit": "",
|
||||||
"Unrated": "",
|
"Unit_Alias": "",
|
||||||
"Url_Import": "",
|
"Units": "",
|
||||||
"Use_Plural_Food_Always": "",
|
"Unrated": "",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Url_Import": "",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"User": "",
|
"Use_Plural_Unit_Always": "",
|
||||||
"Users": "",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"Valid Until": "",
|
"User": "",
|
||||||
"View": "",
|
"Users": "",
|
||||||
"View_Recipes": "",
|
"Valid Until": "",
|
||||||
"Waiting": "",
|
"View": "",
|
||||||
"Warning": "",
|
"View_Recipes": "",
|
||||||
"Warning_Delete_Supermarket_Category": "",
|
"Waiting": "",
|
||||||
"Website": "",
|
"Warning": "",
|
||||||
"Week": "",
|
"Warning_Delete_Supermarket_Category": "",
|
||||||
"Week_Numbers": "",
|
"Website": "",
|
||||||
"Year": "",
|
"Week": "",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "",
|
||||||
"active": "",
|
"Year": "",
|
||||||
"add_keyword": "",
|
"YourSpaces": "",
|
||||||
"additional_options": "",
|
"active": "",
|
||||||
"advanced": "",
|
"add_keyword": "",
|
||||||
"advanced_search_settings": "",
|
"additional_options": "",
|
||||||
"all_fields_optional": "",
|
"advanced": "",
|
||||||
"and": "",
|
"advanced_search_settings": "",
|
||||||
"and_down": "",
|
"all_fields_optional": "",
|
||||||
"and_up": "",
|
"and": "",
|
||||||
"asc": "",
|
"and_down": "",
|
||||||
"book_filter_help": "",
|
"and_up": "",
|
||||||
"click_image_import": "",
|
"asc": "",
|
||||||
"confirm_delete": "",
|
"book_filter_help": "",
|
||||||
"convert_internal": "",
|
"click_image_import": "",
|
||||||
"copy_markdown_table": "",
|
"confirm_delete": "",
|
||||||
"copy_to_clipboard": "",
|
"convert_internal": "",
|
||||||
"copy_to_new": "",
|
"copy_markdown_table": "",
|
||||||
"create_food_desc": "",
|
"copy_to_clipboard": "",
|
||||||
"create_rule": "",
|
"copy_to_new": "",
|
||||||
"create_title": "",
|
"create_food_desc": "",
|
||||||
"created_by": "",
|
"create_rule": "",
|
||||||
"created_on": "",
|
"create_title": "",
|
||||||
"csv_delim_help": "",
|
"created_by": "",
|
||||||
"csv_delim_label": "",
|
"created_on": "",
|
||||||
"csv_prefix_help": "",
|
"csv_delim_help": "",
|
||||||
"csv_prefix_label": "",
|
"csv_delim_label": "",
|
||||||
"date_created": "",
|
"csv_prefix_help": "",
|
||||||
"date_viewed": "",
|
"csv_prefix_label": "",
|
||||||
"default_delay": "",
|
"date_created": "",
|
||||||
"default_delay_desc": "",
|
"date_viewed": "",
|
||||||
"del_confirmation_tree": "",
|
"default_delay": "",
|
||||||
"delete_confirmation": "",
|
"default_delay_desc": "",
|
||||||
"delete_title": "",
|
"del_confirmation_tree": "",
|
||||||
"desc": "",
|
"delete_confirmation": "",
|
||||||
"download_csv": "",
|
"delete_title": "",
|
||||||
"download_pdf": "",
|
"desc": "",
|
||||||
"edit_title": "",
|
"download_csv": "",
|
||||||
"empty_list": "",
|
"download_pdf": "",
|
||||||
"enable_expert": "",
|
"edit_title": "",
|
||||||
"err_creating_resource": "",
|
"empty_list": "",
|
||||||
"err_deleting_protected_resource": "",
|
"enable_expert": "",
|
||||||
"err_deleting_resource": "",
|
"err_creating_resource": "",
|
||||||
"err_fetching_resource": "",
|
"err_deleting_protected_resource": "",
|
||||||
"err_merge_self": "",
|
"err_deleting_resource": "",
|
||||||
"err_merging_resource": "",
|
"err_fetching_resource": "",
|
||||||
"err_move_self": "",
|
"err_merge_self": "",
|
||||||
"err_moving_resource": "",
|
"err_merging_resource": "",
|
||||||
"err_updating_resource": "",
|
"err_move_self": "",
|
||||||
"expert_mode": "",
|
"err_moving_resource": "",
|
||||||
"explain": "",
|
"err_updating_resource": "",
|
||||||
"fields": "",
|
"expert_mode": "",
|
||||||
"file_upload_disabled": "",
|
"explain": "",
|
||||||
"filter": "",
|
"fields": "",
|
||||||
"filter_name": "",
|
"file_upload_disabled": "",
|
||||||
"filter_to_supermarket": "",
|
"filter": "",
|
||||||
"filter_to_supermarket_desc": "",
|
"filter_name": "",
|
||||||
"food_inherit_info": "",
|
"filter_to_supermarket": "",
|
||||||
"food_recipe_help": "",
|
"filter_to_supermarket_desc": "",
|
||||||
"ignore_shopping_help": "",
|
"food_inherit_info": "",
|
||||||
"import_duplicates": "",
|
"food_recipe_help": "",
|
||||||
"import_running": "",
|
"ignore_shopping_help": "",
|
||||||
"in_shopping": "",
|
"import_duplicates": "",
|
||||||
"ingredient_list": "",
|
"import_running": "",
|
||||||
"last_cooked": "",
|
"in_shopping": "",
|
||||||
"last_viewed": "",
|
"ingredient_list": "",
|
||||||
"left_handed": "",
|
"last_cooked": "",
|
||||||
"left_handed_help": "",
|
"last_viewed": "",
|
||||||
"make_now": "",
|
"left_handed": "",
|
||||||
"mark_complete": "",
|
"left_handed_help": "",
|
||||||
"mealplan_autoadd_shopping": "",
|
"make_now": "",
|
||||||
"mealplan_autoadd_shopping_desc": "",
|
"mark_complete": "",
|
||||||
"mealplan_autoexclude_onhand": "",
|
"mealplan_autoadd_shopping": "",
|
||||||
"mealplan_autoexclude_onhand_desc": "",
|
"mealplan_autoadd_shopping_desc": "",
|
||||||
"mealplan_autoinclude_related": "",
|
"mealplan_autoexclude_onhand": "",
|
||||||
"mealplan_autoinclude_related_desc": "",
|
"mealplan_autoexclude_onhand_desc": "",
|
||||||
"merge_confirmation": "",
|
"mealplan_autoinclude_related": "",
|
||||||
"merge_selection": "",
|
"mealplan_autoinclude_related_desc": "",
|
||||||
"merge_title": "",
|
"merge_confirmation": "",
|
||||||
"min": "",
|
"merge_selection": "",
|
||||||
"move_confirmation": "",
|
"merge_title": "",
|
||||||
"move_selection": "",
|
"min": "",
|
||||||
"move_title": "",
|
"move_confirmation": "",
|
||||||
"no_more_images_found": "",
|
"move_selection": "",
|
||||||
"no_pinned_recipes": "",
|
"move_title": "",
|
||||||
"not": "",
|
"no_more_images_found": "",
|
||||||
"nothing": "",
|
"no_pinned_recipes": "",
|
||||||
"nothing_planned_today": "",
|
"not": "",
|
||||||
"one_url_per_line": "",
|
"nothing": "",
|
||||||
"or": "",
|
"nothing_planned_today": "",
|
||||||
"parameter_count": "",
|
"one_url_per_line": "",
|
||||||
"paste_ingredients": "",
|
"or": "",
|
||||||
"paste_ingredients_placeholder": "",
|
"parameter_count": "",
|
||||||
"paste_json": "",
|
"paste_ingredients": "",
|
||||||
"plural_short": "",
|
"paste_ingredients_placeholder": "",
|
||||||
"plural_usage_info": "",
|
"paste_json": "",
|
||||||
"recipe_filter": "",
|
"plural_short": "",
|
||||||
"recipe_name": "",
|
"plural_usage_info": "",
|
||||||
"related_recipes": "",
|
"recipe_filter": "",
|
||||||
"remember_hours": "",
|
"recipe_name": "",
|
||||||
"remember_search": "",
|
"related_recipes": "",
|
||||||
"remove_selection": "",
|
"remember_hours": "",
|
||||||
"reset_children": "",
|
"remember_search": "",
|
||||||
"reset_children_help": "",
|
"remove_selection": "",
|
||||||
"reset_food_inheritance": "",
|
"reset_children": "",
|
||||||
"reset_food_inheritance_info": "",
|
"reset_children_help": "",
|
||||||
"review_shopping": "",
|
"reset_food_inheritance": "",
|
||||||
"save_filter": "",
|
"reset_food_inheritance_info": "",
|
||||||
"search_create_help_text": "",
|
"review_shopping": "",
|
||||||
"search_import_help_text": "",
|
"save_filter": "",
|
||||||
"search_no_recipes": "",
|
"search_create_help_text": "",
|
||||||
"search_rank": "",
|
"search_import_help_text": "",
|
||||||
"select_file": "",
|
"search_no_recipes": "",
|
||||||
"select_food": "",
|
"search_rank": "",
|
||||||
"select_keyword": "",
|
"select_file": "",
|
||||||
"select_recipe": "",
|
"select_food": "",
|
||||||
"select_unit": "",
|
"select_keyword": "",
|
||||||
"shared_with": "",
|
"select_recipe": "",
|
||||||
"shopping_add_onhand": "",
|
"select_unit": "",
|
||||||
"shopping_add_onhand_desc": "",
|
"shared_with": "",
|
||||||
"shopping_auto_sync": "",
|
"shopping_add_onhand": "",
|
||||||
"shopping_auto_sync_desc": "",
|
"shopping_add_onhand_desc": "",
|
||||||
"shopping_category_help": "",
|
"shopping_auto_sync": "",
|
||||||
"shopping_recent_days": "",
|
"shopping_auto_sync_desc": "",
|
||||||
"shopping_recent_days_desc": "",
|
"shopping_category_help": "",
|
||||||
"shopping_share": "",
|
"shopping_recent_days": "",
|
||||||
"shopping_share_desc": "",
|
"shopping_recent_days_desc": "",
|
||||||
"show_books": "",
|
"shopping_share": "",
|
||||||
"show_filters": "",
|
"shopping_share_desc": "",
|
||||||
"show_foods": "",
|
"show_books": "",
|
||||||
"show_ingredient_overview": "",
|
"show_filters": "",
|
||||||
"show_keywords": "",
|
"show_foods": "",
|
||||||
"show_only_internal": "",
|
"show_ingredient_overview": "",
|
||||||
"show_rating": "",
|
"show_keywords": "",
|
||||||
"show_sortby": "",
|
"show_only_internal": "",
|
||||||
"show_split_screen": "",
|
"show_rating": "",
|
||||||
"show_sql": "",
|
"show_sortby": "",
|
||||||
"show_units": "",
|
"show_split_screen": "",
|
||||||
"simple_mode": "",
|
"show_sql": "",
|
||||||
"sort_by": "",
|
"show_units": "",
|
||||||
"sql_debug": "",
|
"simple_mode": "",
|
||||||
"step_time_minutes": "",
|
"sort_by": "",
|
||||||
"substitute_children": "",
|
"sql_debug": "",
|
||||||
"substitute_children_help": "",
|
"step_time_minutes": "",
|
||||||
"substitute_help": "",
|
"substitute_children": "",
|
||||||
"substitute_siblings": "",
|
"substitute_children_help": "",
|
||||||
"substitute_siblings_help": "",
|
"substitute_help": "",
|
||||||
"success_creating_resource": "",
|
"substitute_siblings": "",
|
||||||
"success_deleting_resource": "",
|
"substitute_siblings_help": "",
|
||||||
"success_fetching_resource": "",
|
"success_creating_resource": "",
|
||||||
"success_merging_resource": "",
|
"success_deleting_resource": "",
|
||||||
"success_moving_resource": "",
|
"success_fetching_resource": "",
|
||||||
"success_updating_resource": "",
|
"success_merging_resource": "",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "",
|
||||||
"times_cooked": "",
|
"success_updating_resource": "",
|
||||||
"today_recipes": "",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "",
|
"times_cooked": "",
|
||||||
"tree_select": "",
|
"today_recipes": "",
|
||||||
"updatedon": "",
|
"tree_root": "",
|
||||||
"view_recipe": "",
|
"tree_select": "",
|
||||||
"warning_duplicate_filter": "",
|
"updatedon": "",
|
||||||
"warning_feature_beta": "",
|
"view_recipe": "",
|
||||||
"warning_space_delete": ""
|
"warning_duplicate_filter": "",
|
||||||
|
"warning_feature_beta": "",
|
||||||
|
"warning_space_delete": ""
|
||||||
}
|
}
|
||||||
@@ -1,431 +1,433 @@
|
|||||||
{
|
{
|
||||||
"Add": "Добави",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "Добавете {food} към списъка си за пазаруване",
|
"Add": "Добави",
|
||||||
"AddToShopping": "Добавяне към списъка за пазаруване",
|
"AddFoodToShopping": "Добавете {food} към списъка си за пазаруване",
|
||||||
"Add_Servings_to_Shopping": "Добавете {servings} порции към Пазаруване",
|
"AddToShopping": "Добавяне към списъка за пазаруване",
|
||||||
"Add_Step": "Добавяне Стъпка",
|
"Add_Servings_to_Shopping": "Добавете {servings} порции към Пазаруване",
|
||||||
"Add_nutrition_recipe": "Добавете хранителни стойности към рецептата",
|
"Add_Step": "Добавяне Стъпка",
|
||||||
"Add_to_Plan": "Добавяне към плана",
|
"Add_nutrition_recipe": "Добавете хранителни стойности към рецептата",
|
||||||
"Add_to_Shopping": "Добавяне към пазаруване",
|
"Add_to_Plan": "Добавяне към плана",
|
||||||
"Added_To_Shopping_List": "Добавено към списъка за пазаруване",
|
"Add_to_Shopping": "Добавяне към пазаруване",
|
||||||
"Added_by": "Добавено от",
|
"Added_To_Shopping_List": "Добавено към списъка за пазаруване",
|
||||||
"Added_on": "Добавено",
|
"Added_by": "Добавено от",
|
||||||
"Advanced": "Разширено",
|
"Added_on": "Добавено",
|
||||||
"App": "Приложение",
|
"Advanced": "Разширено",
|
||||||
"Are_You_Sure": "Сигурен ли си?",
|
"App": "Приложение",
|
||||||
"Auto_Planner": "Автоматичен плановик",
|
"Are_You_Sure": "Сигурен ли си?",
|
||||||
"Automate": "Автоматизация",
|
"Auto_Planner": "Автоматичен плановик",
|
||||||
"Automation": "Автоматизация",
|
"Automate": "Автоматизация",
|
||||||
"Bookmarklet": "Книжен пазар",
|
"Automation": "Автоматизация",
|
||||||
"Books": "Книги",
|
"Bookmarklet": "Книжен пазар",
|
||||||
"Calories": "Калории",
|
"Books": "Книги",
|
||||||
"Cancel": "Откажи",
|
"Calories": "Калории",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Бележки не могат да се добавят към списъка за пазаруване",
|
"Cancel": "Откажи",
|
||||||
"Carbohydrates": "Въглехидрати",
|
"Cannot_Add_Notes_To_Shopping": "Бележки не могат да се добавят към списъка за пазаруване",
|
||||||
"Categories": "Категории",
|
"Carbohydrates": "Въглехидрати",
|
||||||
"Category": "Категория",
|
"Categories": "Категории",
|
||||||
"CategoryInstruction": "Плъзнете категориите, за да промените категориите за поръчки, които се появяват в списъка за пазаруване.",
|
"Category": "Категория",
|
||||||
"CategoryName": "Име на категория",
|
"CategoryInstruction": "Плъзнете категориите, за да промените категориите за поръчки, които се появяват в списъка за пазаруване.",
|
||||||
"ChildInheritFields": "Последователи наследяват полета",
|
"CategoryName": "Име на категория",
|
||||||
"ChildInheritFields_help": "Последователите ще наследят тези полета по подразбиране.",
|
"ChildInheritFields": "Последователи наследяват полета",
|
||||||
"Clear": "Изчистване",
|
"ChildInheritFields_help": "Последователите ще наследят тези полета по подразбиране.",
|
||||||
"Click_To_Edit": "Кликнете, за да редактирате",
|
"Clear": "Изчистване",
|
||||||
"Clone": "Клониране",
|
"Click_To_Edit": "Кликнете, за да редактирате",
|
||||||
"Close": "Затвори",
|
"Clone": "Клониране",
|
||||||
"Color": "Цвят",
|
"Close": "Затвори",
|
||||||
"Coming_Soon": "Очаквайте скоро",
|
"Color": "Цвят",
|
||||||
"Completed": "Завършено",
|
"Coming_Soon": "Очаквайте скоро",
|
||||||
"Copy": "Копиране",
|
"Completed": "Завършено",
|
||||||
"Copy_template_reference": "Копирайте препратка към шаблона",
|
"Copy": "Копиране",
|
||||||
"CountMore": "...+{count} още",
|
"Copy_template_reference": "Копирайте препратка към шаблона",
|
||||||
"Create": "Създаване",
|
"CountMore": "...+{count} още",
|
||||||
"Create Food": "Създайте храна",
|
"Create": "Създаване",
|
||||||
"Create_Meal_Plan_Entry": "Създайте запис за план за хранене",
|
"Create Food": "Създайте храна",
|
||||||
"Create_New_Food": "Добавете нова храна",
|
"Create_Meal_Plan_Entry": "Създайте запис за план за хранене",
|
||||||
"Create_New_Keyword": "Добавяне на нова ключова дума",
|
"Create_New_Food": "Добавете нова храна",
|
||||||
"Create_New_Meal_Type": "Добавете нов тип хранене",
|
"Create_New_Keyword": "Добавяне на нова ключова дума",
|
||||||
"Create_New_Shopping Category": "Създайте нова категория за пазаруване",
|
"Create_New_Meal_Type": "Добавете нов тип хранене",
|
||||||
"Create_New_Unit": "Добавяне на нова единица",
|
"Create_New_Shopping Category": "Създайте нова категория за пазаруване",
|
||||||
"Current_Period": "Текущ период",
|
"Create_New_Unit": "Добавяне на нова единица",
|
||||||
"Custom Filter": "Персонализиран филтър",
|
"Current_Period": "Текущ период",
|
||||||
"Date": "Дата",
|
"Custom Filter": "Персонализиран филтър",
|
||||||
"DelayFor": "Закъснение за {hours} часа",
|
"Date": "Дата",
|
||||||
"DelayUntil": "Забавяне до",
|
"DelayFor": "Закъснение за {hours} часа",
|
||||||
"Delete": "Изтрий",
|
"DelayUntil": "Забавяне до",
|
||||||
"DeleteShoppingConfirm": "Сигурни ли сте, че искате да премахнете цялата {food} от списъка за пазаруване?",
|
"Delete": "Изтрий",
|
||||||
"Delete_Food": "Изтриване на храна",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Изтриване на ключова дума",
|
"DeleteShoppingConfirm": "Сигурни ли сте, че искате да премахнете цялата {food} от списъка за пазаруване?",
|
||||||
"Description": "Описание",
|
"Delete_Food": "Изтриване на храна",
|
||||||
"Disable_Amount": "Деактивиране на сумата",
|
"Delete_Keyword": "Изтриване на ключова дума",
|
||||||
"Documentation": "Документация",
|
"Description": "Описание",
|
||||||
"Download": "Изтегляне",
|
"Disable_Amount": "Деактивиране на сумата",
|
||||||
"Drag_Here_To_Delete": "Плъзнете тук, за да изтриете",
|
"Documentation": "Документация",
|
||||||
"Edit": "Редактиране",
|
"Download": "Изтегляне",
|
||||||
"Edit_Food": "Редактиране на храна",
|
"Drag_Here_To_Delete": "Плъзнете тук, за да изтриете",
|
||||||
"Edit_Keyword": "Редактиране на ключова дума",
|
"Edit": "Редактиране",
|
||||||
"Edit_Meal_Plan_Entry": "Редактиране на записа в плана за хранене",
|
"Edit_Food": "Редактиране на храна",
|
||||||
"Edit_Recipe": "Редактиране на рецепта",
|
"Edit_Keyword": "Редактиране на ключова дума",
|
||||||
"Empty": "Празно",
|
"Edit_Meal_Plan_Entry": "Редактиране на записа в плана за хранене",
|
||||||
"Enable_Amount": "Активиране на сумата",
|
"Edit_Recipe": "Редактиране на рецепта",
|
||||||
"Energy": "Енергия",
|
"Empty": "Празно",
|
||||||
"Export": "Експортиране",
|
"Enable_Amount": "Активиране на сумата",
|
||||||
"Export_As_ICal": "Експортирайте текущия период във формат iCal",
|
"Energy": "Енергия",
|
||||||
"Export_Not_Yet_Supported": "Експортирането все още не се поддържа",
|
"Export": "Експортиране",
|
||||||
"Export_Supported": "Поддържа се експорт",
|
"Export_As_ICal": "Експортирайте текущия период във формат iCal",
|
||||||
"Export_To_ICal": "Експортиране на .ics",
|
"Export_Not_Yet_Supported": "Експортирането все още не се поддържа",
|
||||||
"External": "Външен",
|
"Export_Supported": "Поддържа се експорт",
|
||||||
"External_Recipe_Image": "Външно изображение на рецептата",
|
"Export_To_ICal": "Експортиране на .ics",
|
||||||
"Failure": "Неуспешно",
|
"External": "Външен",
|
||||||
"Fats": "Мазнини",
|
"External_Recipe_Image": "Външно изображение на рецептата",
|
||||||
"File": "Файл",
|
"Failure": "Неуспешно",
|
||||||
"Files": "Файлове",
|
"Fats": "Мазнини",
|
||||||
"Food": "Храна",
|
"File": "Файл",
|
||||||
"FoodInherit": "Хранителни наследствени полета",
|
"Files": "Файлове",
|
||||||
"FoodNotOnHand": "Нямате {храна} под ръка.",
|
"Food": "Храна",
|
||||||
"FoodOnHand": "Имате {храна} под ръка.",
|
"FoodInherit": "Хранителни наследствени полета",
|
||||||
"Food_Alias": "Псевдоним на храната",
|
"FoodNotOnHand": "Нямате {храна} под ръка.",
|
||||||
"Foods": "Храни",
|
"FoodOnHand": "Имате {храна} под ръка.",
|
||||||
"GroupBy": "Групирай по",
|
"Food_Alias": "Псевдоним на храната",
|
||||||
"Hide_Food": "Скриване на храна",
|
"Foods": "Храни",
|
||||||
"Hide_Keyword": "Скриване на ключови думи",
|
"GroupBy": "Групирай по",
|
||||||
"Hide_Keywords": "Скриване на ключова дума",
|
"Hide_Food": "Скриване на храна",
|
||||||
"Hide_Recipes": "Скриване на рецепти",
|
"Hide_Keyword": "Скриване на ключови думи",
|
||||||
"Hide_as_header": "Скриване като заглавка",
|
"Hide_Keywords": "Скриване на ключова дума",
|
||||||
"Icon": "Икона",
|
"Hide_Recipes": "Скриване на рецепти",
|
||||||
"IgnoreThis": "Никога не добавяйте автоматично {food} към пазаруване",
|
"Hide_as_header": "Скриване като заглавка",
|
||||||
"Ignore_Shopping": "Игнорирайте пазаруването",
|
"Icon": "Икона",
|
||||||
"IgnoredFood": "{food} е настроен да игнорира пазаруването.",
|
"IgnoreThis": "Никога не добавяйте автоматично {food} към пазаруване",
|
||||||
"Image": "Изображение",
|
"Ignore_Shopping": "Игнорирайте пазаруването",
|
||||||
"Import": "Импортиране",
|
"IgnoredFood": "{food} е настроен да игнорира пазаруването.",
|
||||||
"Import_Error": "Възникна грешка по време на импортирането ви. Моля, разгънете подробностите в долната част на страницата, за да ги видите.",
|
"Image": "Изображение",
|
||||||
"Import_Not_Yet_Supported": "Импортирането все още не се поддържа",
|
"Import": "Импортиране",
|
||||||
"Import_Result_Info": "Импортирани са {imported} от {total} рецепти",
|
"Import_Error": "Възникна грешка по време на импортирането ви. Моля, разгънете подробностите в долната част на страницата, за да ги видите.",
|
||||||
"Import_Supported": "Поддържа се импортиране",
|
"Import_Not_Yet_Supported": "Импортирането все още не се поддържа",
|
||||||
"Import_finished": "Импортирането приключи",
|
"Import_Result_Info": "Импортирани са {imported} от {total} рецепти",
|
||||||
"Imported": "Импортирано",
|
"Import_Supported": "Поддържа се импортиране",
|
||||||
"Imported_From": "Внесено от",
|
"Import_finished": "Импортирането приключи",
|
||||||
"Importer_Help": "Повече информация и помощ за този вносител:",
|
"Imported": "Импортирано",
|
||||||
"Information": "Информация",
|
"Imported_From": "Внесено от",
|
||||||
"Ingredient Editor": "Редактор на съставки",
|
"Importer_Help": "Повече информация и помощ за този вносител:",
|
||||||
"IngredientInShopping": "Тази съставка е във вашия списък за пазаруване.",
|
"Information": "Информация",
|
||||||
"Ingredients": "Съставки",
|
"Ingredient Editor": "Редактор на съставки",
|
||||||
"Inherit": "Наследете",
|
"IngredientInShopping": "Тази съставка е във вашия списък за пазаруване.",
|
||||||
"InheritFields": "Наследяване на стойности на полета",
|
"Ingredients": "Съставки",
|
||||||
"InheritFields_help": "Стойностите на тези полета ще бъдат наследени от родител (Изключение: празни категории за пазаруване не се наследяват)",
|
"Inherit": "Наследете",
|
||||||
"InheritWarning": "{food} е настроен да наследява, промените може да не продължат.",
|
"InheritFields": "Наследяване на стойности на полета",
|
||||||
"Instructions": "Инструкции",
|
"InheritFields_help": "Стойностите на тези полета ще бъдат наследени от родител (Изключение: празни категории за пазаруване не се наследяват)",
|
||||||
"Internal": "Вътрешен",
|
"InheritWarning": "{food} е настроен да наследява, промените може да не продължат.",
|
||||||
"Key_Ctrl": "Контрол",
|
"Instructions": "Инструкции",
|
||||||
"Key_Shift": "Превключване",
|
"Internal": "Вътрешен",
|
||||||
"Keyword": "Ключова дума",
|
"Key_Ctrl": "Контрол",
|
||||||
"Keyword_Alias": "Псевдоним на ключова дума",
|
"Key_Shift": "Превключване",
|
||||||
"Keywords": "Ключови думи",
|
"Keyword": "Ключова дума",
|
||||||
"Link": "Връзка",
|
"Keyword_Alias": "Псевдоним на ключова дума",
|
||||||
"Load_More": "Зареди още",
|
"Keywords": "Ключови думи",
|
||||||
"Log_Cooking": "Дневник на Готвене",
|
"Link": "Връзка",
|
||||||
"Log_Recipe_Cooking": "Дневник на Рецепта за готвене",
|
"Load_More": "Зареди още",
|
||||||
"Make_Header": "Направете заглавие",
|
"Log_Cooking": "Дневник на Готвене",
|
||||||
"Make_Ingredient": "Направете съставка",
|
"Log_Recipe_Cooking": "Дневник на Рецепта за готвене",
|
||||||
"Manage_Books": "Управление на Книги",
|
"Make_Header": "Направете заглавие",
|
||||||
"Meal_Plan": "План на хранене",
|
"Make_Ingredient": "Направете съставка",
|
||||||
"Meal_Plan_Days": "Бъдещи планове за хранене",
|
"Manage_Books": "Управление на Книги",
|
||||||
"Meal_Type": "Вид хранене",
|
"Meal_Plan": "План на хранене",
|
||||||
"Meal_Type_Required": "Изисква се вид хранене",
|
"Meal_Plan_Days": "Бъдещи планове за хранене",
|
||||||
"Meal_Types": "Видове хранене",
|
"Meal_Type": "Вид хранене",
|
||||||
"Merge": "Обединяване",
|
"Meal_Type_Required": "Изисква се вид хранене",
|
||||||
"Merge_Keyword": "Обединяване на ключова дума",
|
"Meal_Types": "Видове хранене",
|
||||||
"Month": "Месец",
|
"Merge": "Обединяване",
|
||||||
"Move": "Премести",
|
"Merge_Keyword": "Обединяване на ключова дума",
|
||||||
"MoveCategory": "Премести към: ",
|
"Month": "Месец",
|
||||||
"Move_Down": "Премести надолу",
|
"Move": "Премести",
|
||||||
"Move_Food": "Преместете храната",
|
"MoveCategory": "Премести към: ",
|
||||||
"Move_Keyword": "Преместване на ключова дума",
|
"Move_Down": "Премести надолу",
|
||||||
"Move_Up": "Премести нагоре",
|
"Move_Food": "Преместете храната",
|
||||||
"Multiple": "Многократни",
|
"Move_Keyword": "Преместване на ключова дума",
|
||||||
"Name": "Име",
|
"Move_Up": "Премести нагоре",
|
||||||
"New": "Нов",
|
"Multiple": "Многократни",
|
||||||
"New_Cookbook": "Нова готварска книга",
|
"Name": "Име",
|
||||||
"New_Food": "Нова храна",
|
"New": "Нов",
|
||||||
"New_Keyword": "Нова ключова дума",
|
"New_Cookbook": "Нова готварска книга",
|
||||||
"New_Meal_Type": "Нов вид хранене",
|
"New_Food": "Нова храна",
|
||||||
"New_Recipe": "Нова рецепта",
|
"New_Keyword": "Нова ключова дума",
|
||||||
"New_Supermarket": "Създайте нов супермаркет",
|
"New_Meal_Type": "Нов вид хранене",
|
||||||
"New_Supermarket_Category": "Създаване на нова категория супермаркет",
|
"New_Recipe": "Нова рецепта",
|
||||||
"New_Unit": "Нова единица",
|
"New_Supermarket": "Създайте нов супермаркет",
|
||||||
"Next_Day": "Следващия ден",
|
"New_Supermarket_Category": "Създаване на нова категория супермаркет",
|
||||||
"Next_Period": "Следващ период",
|
"New_Unit": "Нова единица",
|
||||||
"NoCategory": "Няма избрана категория.",
|
"Next_Day": "Следващия ден",
|
||||||
"No_ID": "Идентификатора не е намерен, не може да се изтрие.",
|
"Next_Period": "Следващ период",
|
||||||
"No_Results": "Няма резултати",
|
"NoCategory": "Няма избрана категория.",
|
||||||
"NotInShopping": "{food} не е в списъка ви за пазаруване.",
|
"No_ID": "Идентификатора не е намерен, не може да се изтрие.",
|
||||||
"Note": "Бележка",
|
"No_Results": "Няма резултати",
|
||||||
"Nutrition": "Хранителни стойности",
|
"NotInShopping": "{food} не е в списъка ви за пазаруване.",
|
||||||
"OfflineAlert": "Вие сте офлайн, списъкът за пазаруване може да не се синхронизира.",
|
"Note": "Бележка",
|
||||||
"Ok": "Отвори",
|
"Nutrition": "Хранителни стойности",
|
||||||
"OnHand": "В момента под ръка",
|
"OfflineAlert": "Вие сте офлайн, списъкът за пазаруване може да не се синхронизира.",
|
||||||
"OnHand_help": "Храната е в инвентара и няма да бъде добавена автоматично към списък за пазаруване. Състоянието на ръка се споделя с пазаруващите потребители.",
|
"Ok": "Отвори",
|
||||||
"Open": "Отвори",
|
"OnHand": "В момента под ръка",
|
||||||
"Options": "Настроики",
|
"OnHand_help": "Храната е в инвентара и няма да бъде добавена автоматично към списък за пазаруване. Състоянието на ръка се споделя с пазаруващите потребители.",
|
||||||
"Page": "Страница",
|
"Open": "Отвори",
|
||||||
"Parameter": "Параметър",
|
"Options": "Настроики",
|
||||||
"Parent": "Родител",
|
"Page": "Страница",
|
||||||
"Period": "Период",
|
"Parameter": "Параметър",
|
||||||
"Periods": "Периоди",
|
"Parent": "Родител",
|
||||||
"Pin": "Закачи",
|
"Period": "Период",
|
||||||
"Pinned": "Закачено",
|
"Periods": "Периоди",
|
||||||
"Plan_Period_To_Show": "Покажете седмици, месеци или години",
|
"Pin": "Закачи",
|
||||||
"Plan_Show_How_Many_Periods": "Колко периода да се показват",
|
"Pinned": "Закачено",
|
||||||
"Planned": "Планирано",
|
"Plan_Period_To_Show": "Покажете седмици, месеци или години",
|
||||||
"Planner": "Планировчик",
|
"Plan_Show_How_Many_Periods": "Колко периода да се показват",
|
||||||
"Planner_Settings": "Настройки на планировчика",
|
"Planned": "Планирано",
|
||||||
"Plural": "",
|
"Planner": "Планировчик",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Настройки на планировчика",
|
||||||
"Preparation": "Подготовка",
|
"Plural": "",
|
||||||
"Previous_Day": "Предишен ден",
|
"Preferences": "",
|
||||||
"Previous_Period": "Предишен период",
|
"Preparation": "Подготовка",
|
||||||
"Print": "Печат",
|
"Previous_Day": "Предишен ден",
|
||||||
"Profile": "",
|
"Previous_Period": "Предишен период",
|
||||||
"Protected": "Защитен",
|
"Print": "Печат",
|
||||||
"Proteins": "Протеини (белтъчини)",
|
"Profile": "",
|
||||||
"Quick actions": "Бързи действия",
|
"Protected": "Защитен",
|
||||||
"QuickEntry": "Бързо влизане",
|
"Proteins": "Протеини (белтъчини)",
|
||||||
"Random Recipes": "Случайни рецепти",
|
"Quick actions": "Бързи действия",
|
||||||
"Rating": "Рейтинг",
|
"QuickEntry": "Бързо влизане",
|
||||||
"Ratings": "Рейтинги",
|
"Random Recipes": "Случайни рецепти",
|
||||||
"Recently_Viewed": "Наскоро разгледани",
|
"Rating": "Рейтинг",
|
||||||
"Recipe": "Рецепта",
|
"Ratings": "Рейтинги",
|
||||||
"Recipe_Book": "Книга с рецепти",
|
"Recently_Viewed": "Наскоро разгледани",
|
||||||
"Recipe_Image": "Изображение на рецептата",
|
"Recipe": "Рецепта",
|
||||||
"Recipes": "Рецепти",
|
"Recipe_Book": "Книга с рецепти",
|
||||||
"Recipes_In_Import": "Рецепти във вашия файл за импортиране",
|
"Recipe_Image": "Изображение на рецептата",
|
||||||
"Recipes_per_page": "Рецепти на страница",
|
"Recipes": "Рецепти",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "Рецепти във вашия файл за импортиране",
|
||||||
"RemoveFoodFromShopping": "Премахнете {food} от списъка си за пазаруване",
|
"Recipes_per_page": "Рецепти на страница",
|
||||||
"Remove_nutrition_recipe": "Изтрийте хранителните стойности от рецептата",
|
"Remove": "",
|
||||||
"Reset": "Нулиране",
|
"RemoveFoodFromShopping": "Премахнете {food} от списъка си за пазаруване",
|
||||||
"Reset_Search": "Нулиране на търсенето",
|
"Remove_nutrition_recipe": "Изтрийте хранителните стойности от рецептата",
|
||||||
"Root": "Корен",
|
"Reset": "Нулиране",
|
||||||
"Save": "Запази",
|
"Reset_Search": "Нулиране на търсенето",
|
||||||
"Save_and_View": "Запазете и прегледайте",
|
"Root": "Корен",
|
||||||
"Search": "Търсене",
|
"Save": "Запази",
|
||||||
"Search Settings": "Настройки търсене",
|
"Save_and_View": "Запазете и прегледайте",
|
||||||
"Select": "Изберете",
|
"Search": "Търсене",
|
||||||
"Select_App_To_Import": "Моля, изберете приложение, от което да импортирате",
|
"Search Settings": "Настройки търсене",
|
||||||
"Select_Book": "Изберете Книга",
|
"Select": "Изберете",
|
||||||
"Select_File": "Избери файл",
|
"Select_App_To_Import": "Моля, изберете приложение, от което да импортирате",
|
||||||
"Selected": "Избрано",
|
"Select_Book": "Изберете Книга",
|
||||||
"Servings": "Порции",
|
"Select_File": "Избери файл",
|
||||||
"Settings": "Настройки",
|
"Selected": "Избрано",
|
||||||
"Share": "Споделяне",
|
"Servings": "Порции",
|
||||||
"Shopping_Categories": "Категории за пазаруване",
|
"Settings": "Настройки",
|
||||||
"Shopping_Category": "Категория за пазаруване",
|
"Share": "Споделяне",
|
||||||
"Shopping_List_Empty": "Вашият списък за пазаруване в момента е празен, можете да добавяте артикули чрез контекстното меню на запис на план за хранене (щракнете с десния бутон върху картата или щракнете с левия бутон върху иконата на менюто)",
|
"Shopping_Categories": "Категории за пазаруване",
|
||||||
"Shopping_list": "Списък за пазаруване",
|
"Shopping_Category": "Категория за пазаруване",
|
||||||
"ShowDelayed": "Показване на забавени артикули",
|
"Shopping_List_Empty": "Вашият списък за пазаруване в момента е празен, можете да добавяте артикули чрез контекстното меню на запис на план за хранене (щракнете с десния бутон върху картата или щракнете с левия бутон върху иконата на менюто)",
|
||||||
"ShowUncategorizedFood": "Покажи неопределено",
|
"Shopping_list": "Списък за пазаруване",
|
||||||
"Show_Week_Numbers": "Показване на номерата на седмиците?",
|
"ShowDelayed": "Показване на забавени артикули",
|
||||||
"Show_as_header": "Показване като заглавка",
|
"ShowUncategorizedFood": "Покажи неопределено",
|
||||||
"Single": "Единичен",
|
"Show_Week_Numbers": "Показване на номерата на седмиците?",
|
||||||
"Size": "Размер",
|
"Show_as_header": "Показване като заглавка",
|
||||||
"Sort_by_new": "Сортиране по ново",
|
"Single": "Единичен",
|
||||||
"SpaceMembers": "",
|
"Size": "Размер",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Сортиране по ново",
|
||||||
"Starting_Day": "Начален ден от седмицата",
|
"SpaceMembers": "",
|
||||||
"Step": "Стъпка",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Стъпка Име",
|
"Starting_Day": "Начален ден от седмицата",
|
||||||
"Step_Type": "Стъпка Тип",
|
"Step": "Стъпка",
|
||||||
"Step_start_time": "Стъпка Начално време",
|
"Step_Name": "Стъпка Име",
|
||||||
"SubstituteOnHand": "Имате заместител под ръка.",
|
"Step_Type": "Стъпка Тип",
|
||||||
"Success": "Успешно",
|
"Step_start_time": "Стъпка Начално време",
|
||||||
"SuccessClipboard": "Списъкът за пазаруване е копиран в клипборда",
|
"SubstituteOnHand": "Имате заместител под ръка.",
|
||||||
"Supermarket": "Супермаркет",
|
"Success": "Успешно",
|
||||||
"SupermarketCategoriesOnly": "Само категории супермаркети",
|
"SuccessClipboard": "Списъкът за пазаруване е копиран в клипборда",
|
||||||
"SupermarketName": "Име на супермаркет",
|
"Supermarket": "Супермаркет",
|
||||||
"Supermarkets": "Супермаркети",
|
"SupermarketCategoriesOnly": "Само категории супермаркети",
|
||||||
"System": "",
|
"SupermarketName": "Име на супермаркет",
|
||||||
"Table_of_Contents": "Съдържание",
|
"Supermarkets": "Супермаркети",
|
||||||
"Text": "Текст",
|
"System": "",
|
||||||
"Time": "Време",
|
"Table_of_Contents": "Съдържание",
|
||||||
"Title": "Заглавие",
|
"Text": "Текст",
|
||||||
"Title_or_Recipe_Required": "Изисква се избор на заглавие или рецепта",
|
"Time": "Време",
|
||||||
"Toggle": "Превключете",
|
"Title": "Заглавие",
|
||||||
"Type": "Тип",
|
"Title_or_Recipe_Required": "Изисква се избор на заглавие или рецепта",
|
||||||
"Undefined": "Недефиниран",
|
"Toggle": "Превключете",
|
||||||
"Unit": "Единица",
|
"Type": "Тип",
|
||||||
"Unit_Alias": "Псевдоним на единица",
|
"Undefined": "Недефиниран",
|
||||||
"Units": "Единици",
|
"Unit": "Единица",
|
||||||
"Unrated": "Без оценка",
|
"Unit_Alias": "Псевдоним на единица",
|
||||||
"Url_Import": "Импортиране на URL адрес",
|
"Units": "Единици",
|
||||||
"Use_Plural_Food_Always": "",
|
"Unrated": "Без оценка",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Url_Import": "Импортиране на URL адрес",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"User": "потребител",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View": "Изглед",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"View_Recipes": "Вижте рецепти",
|
"User": "потребител",
|
||||||
"Waiting": "Очакване",
|
"View": "Изглед",
|
||||||
"Warning": "Внимание",
|
"View_Recipes": "Вижте рецепти",
|
||||||
"Warning_Delete_Supermarket_Category": "Изтриването на категория супермаркет ще изтрие и всички връзки с храни. Сигурен ли си?",
|
"Waiting": "Очакване",
|
||||||
"Website": "уебсайт",
|
"Warning": "Внимание",
|
||||||
"Week": "Седмица",
|
"Warning_Delete_Supermarket_Category": "Изтриването на категория супермаркет ще изтрие и всички връзки с храни. Сигурен ли си?",
|
||||||
"Week_Numbers": "Номера на седмиците",
|
"Website": "уебсайт",
|
||||||
"Year": "Година",
|
"Week": "Седмица",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Номера на седмиците",
|
||||||
"active": "",
|
"Year": "Година",
|
||||||
"add_keyword": "Добавяне на ключова дума",
|
"YourSpaces": "",
|
||||||
"additional_options": "Допълнителни настройки",
|
"active": "",
|
||||||
"advanced": "Разширено",
|
"add_keyword": "Добавяне на ключова дума",
|
||||||
"advanced_search_settings": "Разширени настройки за търсене",
|
"additional_options": "Допълнителни настройки",
|
||||||
"all_fields_optional": "Всички полета са незадължителни и могат да бъдат оставени празни.",
|
"advanced": "Разширено",
|
||||||
"and": "и",
|
"advanced_search_settings": "Разширени настройки за търсене",
|
||||||
"and_down": "и надолу",
|
"all_fields_optional": "Всички полета са незадължителни и могат да бъдат оставени празни.",
|
||||||
"and_up": "и нагоре",
|
"and": "и",
|
||||||
"asc": "Възходящ",
|
"and_down": "и надолу",
|
||||||
"book_filter_help": "Включете рецепти от филтъра за рецепти в допълнение към ръчно зададените.",
|
"and_up": "и нагоре",
|
||||||
"click_image_import": "Щракнете върху изображението, което искате да импортирате за тази рецепта",
|
"asc": "Възходящ",
|
||||||
"confirm_delete": "Наистина ли искате да изтриете този {object}?",
|
"book_filter_help": "Включете рецепти от филтъра за рецепти в допълнение към ръчно зададените.",
|
||||||
"convert_internal": "Превърнете във вътрешна рецепта",
|
"click_image_import": "Щракнете върху изображението, което искате да импортирате за тази рецепта",
|
||||||
"copy_markdown_table": "Копирайте като Markdown Таблица",
|
"confirm_delete": "Наистина ли искате да изтриете този {object}?",
|
||||||
"copy_to_clipboard": "Копиране в клипборда",
|
"convert_internal": "Превърнете във вътрешна рецепта",
|
||||||
"copy_to_new": "Копиране в нова рецепта",
|
"copy_markdown_table": "Копирайте като Markdown Таблица",
|
||||||
"create_food_desc": "Създайте храна и я свържете с тази рецепта.",
|
"copy_to_clipboard": "Копиране в клипборда",
|
||||||
"create_rule": "и създават автоматизация",
|
"copy_to_new": "Копиране в нова рецепта",
|
||||||
"create_title": "Нов {type}",
|
"create_food_desc": "Създайте храна и я свържете с тази рецепта.",
|
||||||
"created_by": "",
|
"create_rule": "и създават автоматизация",
|
||||||
"created_on": "Създадено на",
|
"create_title": "Нов {type}",
|
||||||
"csv_delim_help": "Ограничител за използване за CSV експортиране.",
|
"created_by": "",
|
||||||
"csv_delim_label": "CSV разделител",
|
"created_on": "Създадено на",
|
||||||
"csv_prefix_help": "Префикс за добавяне при копиране на списък в клипборда.",
|
"csv_delim_help": "Ограничител за използване за CSV експортиране.",
|
||||||
"csv_prefix_label": "Префикс за списък",
|
"csv_delim_label": "CSV разделител",
|
||||||
"date_created": "дата на създаване",
|
"csv_prefix_help": "Префикс за добавяне при копиране на списък в клипборда.",
|
||||||
"date_viewed": "Последно разгледан",
|
"csv_prefix_label": "Префикс за списък",
|
||||||
"default_delay": "Часове на забавяне по подразбиране",
|
"date_created": "дата на създаване",
|
||||||
"default_delay_desc": "Брой часове по подразбиране за забавяне на записа в списъка за пазаруване.",
|
"date_viewed": "Последно разгледан",
|
||||||
"del_confirmation_tree": "Сигурни ли сте, че искате да изтриете {source} и всички негови последователи?",
|
"default_delay": "Часове на забавяне по подразбиране",
|
||||||
"delete_confirmation": "Сигурни ли сте, че искате да изтриете {source}?",
|
"default_delay_desc": "Брой часове по подразбиране за забавяне на записа в списъка за пазаруване.",
|
||||||
"delete_title": "Изтриване на {type}",
|
"del_confirmation_tree": "Сигурни ли сте, че искате да изтриете {source} и всички негови последователи?",
|
||||||
"desc": "Низходящо",
|
"delete_confirmation": "Сигурни ли сте, че искате да изтриете {source}?",
|
||||||
"download_csv": "Изтегли CSV",
|
"delete_title": "Изтриване на {type}",
|
||||||
"download_pdf": "Изтегли PDF",
|
"desc": "Низходящо",
|
||||||
"edit_title": "Редактиране на {type}",
|
"download_csv": "Изтегли CSV",
|
||||||
"empty_list": "Списъкът е празен.",
|
"download_pdf": "Изтегли PDF",
|
||||||
"enable_expert": "Активирайте експертния режим",
|
"edit_title": "Редактиране на {type}",
|
||||||
"err_creating_resource": "Възникна грешка при създаването на ресурс!",
|
"empty_list": "Списъкът е празен.",
|
||||||
"err_deleting_protected_resource": "Обектът, който се опитвате да изтриете, все още се използва и не може да бъде изтрит.",
|
"enable_expert": "Активирайте експертния режим",
|
||||||
"err_deleting_resource": "Възникна грешка при изтриването на ресурс!",
|
"err_creating_resource": "Възникна грешка при създаването на ресурс!",
|
||||||
"err_fetching_resource": "Възникна грешка при извличането на ресурс!",
|
"err_deleting_protected_resource": "Обектът, който се опитвате да изтриете, все още се използва и не може да бъде изтрит.",
|
||||||
"err_merge_self": "Не може да се слее елемент със себе си",
|
"err_deleting_resource": "Възникна грешка при изтриването на ресурс!",
|
||||||
"err_merging_resource": "Възникна грешка при обединяването на ресурс!",
|
"err_fetching_resource": "Възникна грешка при извличането на ресурс!",
|
||||||
"err_move_self": "Не може елемента да се премести към себе си",
|
"err_merge_self": "Не може да се слее елемент със себе си",
|
||||||
"err_moving_resource": "Възникна грешка при преместването на ресурс!",
|
"err_merging_resource": "Възникна грешка при обединяването на ресурс!",
|
||||||
"err_updating_resource": "Възникна грешка при актуализирането на ресурс!",
|
"err_move_self": "Не може елемента да се премести към себе си",
|
||||||
"expert_mode": "Експертен режим",
|
"err_moving_resource": "Възникна грешка при преместването на ресурс!",
|
||||||
"explain": "Обяснение",
|
"err_updating_resource": "Възникна грешка при актуализирането на ресурс!",
|
||||||
"fields": "Полета",
|
"expert_mode": "Експертен режим",
|
||||||
"file_upload_disabled": "Качването на файлове не е активирано за вашето пространство.",
|
"explain": "Обяснение",
|
||||||
"filter": "Филтрирайте",
|
"fields": "Полета",
|
||||||
"filter_name": "Име на филтъра",
|
"file_upload_disabled": "Качването на файлове не е активирано за вашето пространство.",
|
||||||
"filter_to_supermarket": "Филтрирайте до супермаркет",
|
"filter": "Филтрирайте",
|
||||||
"filter_to_supermarket_desc": "По подразбиране филтрирайте списъка за пазаруване, за да включва само категории за избран супермаркет.",
|
"filter_name": "Име на филтъра",
|
||||||
"food_recipe_help": "Свързването на рецепта тук ще включва свързаната рецепта във всяка друга рецепта, която използва тази храна",
|
"filter_to_supermarket": "Филтрирайте до супермаркет",
|
||||||
"ignore_shopping_help": "Никога не добавяйте храна към списъка за пазаруване (например вода)",
|
"filter_to_supermarket_desc": "По подразбиране филтрирайте списъка за пазаруване, за да включва само категории за избран супермаркет.",
|
||||||
"import_duplicates": "За да се предотврати дублирането, рецептите със същото име като съществуващите се игнорират. Поставете отметка в това квадратче, за да импортирате всичко.",
|
"food_recipe_help": "Свързването на рецепта тук ще включва свързаната рецепта във всяка друга рецепта, която използва тази храна",
|
||||||
"import_running": "Импортирането се изпълнява, моля, изчакайте!",
|
"ignore_shopping_help": "Никога не добавяйте храна към списъка за пазаруване (например вода)",
|
||||||
"in_shopping": "В списъка за пазаруване",
|
"import_duplicates": "За да се предотврати дублирането, рецептите със същото име като съществуващите се игнорират. Поставете отметка в това квадратче, за да импортирате всичко.",
|
||||||
"ingredient_list": "Списък на съставките",
|
"import_running": "Импортирането се изпълнява, моля, изчакайте!",
|
||||||
"last_cooked": "Последно приготвени",
|
"in_shopping": "В списъка за пазаруване",
|
||||||
"last_viewed": "Последно разгледан",
|
"ingredient_list": "Списък на съставките",
|
||||||
"left_handed": "Режим за лява ръка",
|
"last_cooked": "Последно приготвени",
|
||||||
"left_handed_help": "Ще оптимизира потребителския интерфейс за използване с лявата ви ръка.",
|
"last_viewed": "Последно разгледан",
|
||||||
"make_now": "Направете сега",
|
"left_handed": "Режим за лява ръка",
|
||||||
"mark_complete": "Маркирането завършено",
|
"left_handed_help": "Ще оптимизира потребителския интерфейс за използване с лявата ви ръка.",
|
||||||
"mealplan_autoadd_shopping": "Автоматично добавяне на план за хранене",
|
"make_now": "Направете сега",
|
||||||
"mealplan_autoadd_shopping_desc": "Автоматично добавяне на съставки за план за хранене към списъка за пазаруване.",
|
"mark_complete": "Маркирането завършено",
|
||||||
"mealplan_autoexclude_onhand": "Изключете храната под ръка",
|
"mealplan_autoadd_shopping": "Автоматично добавяне на план за хранене",
|
||||||
"mealplan_autoexclude_onhand_desc": "Когато добавяте план за хранене към списъка за пазаруване (ръчно или автоматично), изключете съставките, които в момента са под ръка.",
|
"mealplan_autoadd_shopping_desc": "Автоматично добавяне на съставки за план за хранене към списъка за пазаруване.",
|
||||||
"mealplan_autoinclude_related": "Добавете свързани рецепти",
|
"mealplan_autoexclude_onhand": "Изключете храната под ръка",
|
||||||
"mealplan_autoinclude_related_desc": "Когато добавяте план за хранене към списъка за пазаруване (ръчно или автоматично), включете всички свързани рецепти.",
|
"mealplan_autoexclude_onhand_desc": "Когато добавяте план за хранене към списъка за пазаруване (ръчно или автоматично), изключете съставките, които в момента са под ръка.",
|
||||||
"merge_confirmation": "Заменете <i>{source}</i> с <i>{target}</i>",
|
"mealplan_autoinclude_related": "Добавете свързани рецепти",
|
||||||
"merge_selection": "Заменете всички срещания на {source} с избрания {type}.",
|
"mealplan_autoinclude_related_desc": "Когато добавяте план за хранене към списъка за пазаруване (ръчно или автоматично), включете всички свързани рецепти.",
|
||||||
"merge_title": "Обединяване на {type}",
|
"merge_confirmation": "Заменете <i>{source}</i> с <i>{target}</i>",
|
||||||
"min": "мин",
|
"merge_selection": "Заменете всички срещания на {source} с избрания {type}.",
|
||||||
"move_confirmation": "Преместване на <i>{child}</i> към родител <i>{parent}</i>",
|
"merge_title": "Обединяване на {type}",
|
||||||
"move_selection": "Изберете родител {type}, към който да преместите {source}.",
|
"min": "мин",
|
||||||
"move_title": "Преместване {type}",
|
"move_confirmation": "Преместване на <i>{child}</i> към родител <i>{parent}</i>",
|
||||||
"no_more_images_found": "Няма намерени допълнителни изображения на уебсайта.",
|
"move_selection": "Изберете родител {type}, към който да преместите {source}.",
|
||||||
"no_pinned_recipes": "Нямате закачени рецепти!",
|
"move_title": "Преместване {type}",
|
||||||
"not": "не",
|
"no_more_images_found": "Няма намерени допълнителни изображения на уебсайта.",
|
||||||
"nothing": "Няма нищо за правене",
|
"no_pinned_recipes": "Нямате закачени рецепти!",
|
||||||
"nothing_planned_today": "Нямате нищо планирано за днес!",
|
"not": "не",
|
||||||
"one_url_per_line": "Един URL на ред",
|
"nothing": "Няма нищо за правене",
|
||||||
"or": "или",
|
"nothing_planned_today": "Нямате нищо планирано за днес!",
|
||||||
"parameter_count": "Параметър {count}",
|
"one_url_per_line": "Един URL на ред",
|
||||||
"paste_ingredients": "Постави съставки",
|
"or": "или",
|
||||||
"paste_ingredients_placeholder": "Поставете списъка със съставки тук...",
|
"parameter_count": "Параметър {count}",
|
||||||
"paste_json": "Поставете тук json или html източник, за да заредите рецептата.",
|
"paste_ingredients": "Постави съставки",
|
||||||
"plural_short": "",
|
"paste_ingredients_placeholder": "Поставете списъка със съставки тук...",
|
||||||
"plural_usage_info": "",
|
"paste_json": "Поставете тук json или html източник, за да заредите рецептата.",
|
||||||
"recipe_filter": "Филтър за рецепти",
|
"plural_short": "",
|
||||||
"recipe_name": "Име на рецептата",
|
"plural_usage_info": "",
|
||||||
"related_recipes": "Свързани рецепти",
|
"recipe_filter": "Филтър за рецепти",
|
||||||
"remember_hours": "Часове за запомняне",
|
"recipe_name": "Име на рецептата",
|
||||||
"remember_search": "Запомнете търсенето",
|
"related_recipes": "Свързани рецепти",
|
||||||
"remove_selection": "Премахнете избора",
|
"remember_hours": "Часове за запомняне",
|
||||||
"reset_children": "Нулиране на наследяването от последователя",
|
"remember_search": "Запомнете търсенето",
|
||||||
"reset_children_help": "Презаписване на всички последователи със стойности от наследени полета. Наследените полета на последователите ще бъдат зададени на наследяване на полета, освен ако последователите наследяват полета не е зададено.",
|
"remove_selection": "Премахнете избора",
|
||||||
"review_shopping": "Прегледайте записите за пазаруване, преди да запазите",
|
"reset_children": "Нулиране на наследяването от последователя",
|
||||||
"save_filter": "Запазване на филтъра",
|
"reset_children_help": "Презаписване на всички последователи със стойности от наследени полета. Наследените полета на последователите ще бъдат зададени на наследяване на полета, освен ако последователите наследяват полета не е зададено.",
|
||||||
"search_create_help_text": "Създайте нова рецепта директно в Tandoor.",
|
"review_shopping": "Прегледайте записите за пазаруване, преди да запазите",
|
||||||
"search_import_help_text": "Импортирайте рецепта от външен уебсайт или приложение.",
|
"save_filter": "Запазване на филтъра",
|
||||||
"search_no_recipes": "Не можах да намеря никакви рецепти!",
|
"search_create_help_text": "Създайте нова рецепта директно в Tandoor.",
|
||||||
"search_rank": "Ранг на търсене",
|
"search_import_help_text": "Импортирайте рецепта от външен уебсайт или приложение.",
|
||||||
"select_file": "Избери файл",
|
"search_no_recipes": "Не можах да намеря никакви рецепти!",
|
||||||
"select_food": "Изберете Храна",
|
"search_rank": "Ранг на търсене",
|
||||||
"select_keyword": "Изберете Ключова дума",
|
"select_file": "Избери файл",
|
||||||
"select_recipe": "Изберете рецепта",
|
"select_food": "Изберете Храна",
|
||||||
"select_unit": "Изберете Единица",
|
"select_keyword": "Изберете Ключова дума",
|
||||||
"shared_with": "Споделено с",
|
"select_recipe": "Изберете рецепта",
|
||||||
"shopping_add_onhand": "Автоматично под ръка",
|
"select_unit": "Изберете Единица",
|
||||||
"shopping_add_onhand_desc": "Маркирайте храната „На ръка“, когато сте отметнати от списъка за пазаруване.",
|
"shared_with": "Споделено с",
|
||||||
"shopping_auto_sync": "Автоматично синхронизиране",
|
"shopping_add_onhand": "Автоматично под ръка",
|
||||||
"shopping_auto_sync_desc": "Задаването на 0 ще деактивира автоматичното синхронизиране. Когато разглеждате списък за пазаруване, списъкът се актуализира на всеки зададени секунди, за да синхронизира промените, които някой друг може да е направил. Полезно при пазаруване с множество хора, но ще използва мобилни данни.",
|
"shopping_add_onhand_desc": "Маркирайте храната „На ръка“, когато сте отметнати от списъка за пазаруване.",
|
||||||
"shopping_category_help": "Супермаркетите могат да бъдат поръчани и филтрирани по категория за пазаруване според оформлението на пътеките.",
|
"shopping_auto_sync": "Автоматично синхронизиране",
|
||||||
"shopping_recent_days": "Последни дни",
|
"shopping_auto_sync_desc": "Задаването на 0 ще деактивира автоматичното синхронизиране. Когато разглеждате списък за пазаруване, списъкът се актуализира на всеки зададени секунди, за да синхронизира промените, които някой друг може да е направил. Полезно при пазаруване с множество хора, но ще използва мобилни данни.",
|
||||||
"shopping_recent_days_desc": "Дни на последните записи в списъка за пазаруване за показване.",
|
"shopping_category_help": "Супермаркетите могат да бъдат поръчани и филтрирани по категория за пазаруване според оформлението на пътеките.",
|
||||||
"shopping_share": "Споделете списък за пазаруване",
|
"shopping_recent_days": "Последни дни",
|
||||||
"shopping_share_desc": "Потребителите ще видят всички артикули, които добавите към списъка си за пазаруване. Те трябва да ви добавят, за да видят елементите в техния списък.",
|
"shopping_recent_days_desc": "Дни на последните записи в списъка за пазаруване за показване.",
|
||||||
"show_books": "Покажи книги",
|
"shopping_share": "Споделете списък за пазаруване",
|
||||||
"show_filters": "Показване на филтри",
|
"shopping_share_desc": "Потребителите ще видят всички артикули, които добавите към списъка си за пазаруване. Те трябва да ви добавят, за да видят елементите в техния списък.",
|
||||||
"show_foods": "Покажи храни",
|
"show_books": "Покажи книги",
|
||||||
"show_keywords": "Показване на ключови думи",
|
"show_filters": "Показване на филтри",
|
||||||
"show_only_internal": "Показване само на вътрешни рецепти",
|
"show_foods": "Покажи храни",
|
||||||
"show_rating": "Покажи рейтинг",
|
"show_keywords": "Показване на ключови думи",
|
||||||
"show_sortby": "Покажи Сортиране по",
|
"show_only_internal": "Показване само на вътрешни рецепти",
|
||||||
"show_split_screen": "Разделен изглед",
|
"show_rating": "Покажи рейтинг",
|
||||||
"show_sql": "Покажи SQL",
|
"show_sortby": "Покажи Сортиране по",
|
||||||
"show_units": "Показване на единици",
|
"show_split_screen": "Разделен изглед",
|
||||||
"simple_mode": "Опростен режим",
|
"show_sql": "Покажи SQL",
|
||||||
"sort_by": "Сортиране по",
|
"show_units": "Показване на единици",
|
||||||
"sql_debug": "Отстраняване на грешки в SQL",
|
"simple_mode": "Опростен режим",
|
||||||
"step_time_minutes": "Време за стъпка в минути",
|
"sort_by": "Сортиране по",
|
||||||
"substitute_children": "Заместители на последователи",
|
"sql_debug": "Отстраняване на грешки в SQL",
|
||||||
"substitute_children_help": "Всички храни, които са последователи на тази храна, се считат за заместители.",
|
"step_time_minutes": "Време за стъпка в минути",
|
||||||
"substitute_help": "Заместителите се вземат предвид при търсене на рецепти, които могат да бъдат направени с подръчни съставки.",
|
"substitute_children": "Заместители на последователи",
|
||||||
"substitute_siblings": "Заместители на сродни",
|
"substitute_children_help": "Всички храни, които са последователи на тази храна, се считат за заместители.",
|
||||||
"substitute_siblings_help": "Всички храни, които споделят родител на тази храна, се считат за заместители.",
|
"substitute_help": "Заместителите се вземат предвид при търсене на рецепти, които могат да бъдат направени с подръчни съставки.",
|
||||||
"success_creating_resource": "Успешно създаден ресурс!",
|
"substitute_siblings": "Заместители на сродни",
|
||||||
"success_deleting_resource": "Успешно изтрит ресурс!",
|
"substitute_siblings_help": "Всички храни, които споделят родител на тази храна, се считат за заместители.",
|
||||||
"success_fetching_resource": "Ресурсът бе извлечен успешно!",
|
"success_creating_resource": "Успешно създаден ресурс!",
|
||||||
"success_merging_resource": "Успешно обединен ресурс!",
|
"success_deleting_resource": "Успешно изтрит ресурс!",
|
||||||
"success_moving_resource": "Успешно преместен ресурс!",
|
"success_fetching_resource": "Ресурсът бе извлечен успешно!",
|
||||||
"success_updating_resource": "Успешно актуализиран ресурс!",
|
"success_merging_resource": "Успешно обединен ресурс!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Успешно преместен ресурс!",
|
||||||
"times_cooked": "Пъти сготвено",
|
"success_updating_resource": "Успешно актуализиран ресурс!",
|
||||||
"today_recipes": "Днешните рецепти",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "Корен на дървото",
|
"times_cooked": "Пъти сготвено",
|
||||||
"tree_select": "Използвайте Избор на дърво",
|
"today_recipes": "Днешните рецепти",
|
||||||
"updatedon": "Актуализирано на",
|
"tree_root": "Корен на дървото",
|
||||||
"view_recipe": "Вижте рецепта",
|
"tree_select": "Използвайте Избор на дърво",
|
||||||
"warning_duplicate_filter": "Предупреждение: Поради технически ограничения наличието на множество филтри от една и съща комбинация (и/или/не) може да доведе до неочаквани резултати.",
|
"updatedon": "Актуализирано на",
|
||||||
"warning_feature_beta": "Тази функция в момента е в състояние на БЕТА (тестване). Моля, очаквайте грешки и евентуално нарушаващи промени в бъдеще (евентуално загуба на данни, свързани с функции), когато използвате тази функция."
|
"view_recipe": "Вижте рецепта",
|
||||||
|
"warning_duplicate_filter": "Предупреждение: Поради технически ограничения наличието на множество филтри от една и съща комбинация (и/или/не) може да доведе до неочаквани резултати.",
|
||||||
|
"warning_feature_beta": "Тази функция в момента е в състояние на БЕТА (тестване). Моля, очаквайте грешки и евентуално нарушаващи промени в бъдеще (евентуално загуба на данни, свързани с функции), когато използвате тази функция."
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,233 +1,235 @@
|
|||||||
{
|
{
|
||||||
"Add": "Lisää",
|
"Access_Token": "",
|
||||||
"Add_Step": "Lisää Vaihe",
|
"Add": "Lisää",
|
||||||
"Add_nutrition_recipe": "Lisää ravintoaine reseptiin",
|
"Add_Step": "Lisää Vaihe",
|
||||||
"Add_to_Plan": "Lisää suunnitelmaan",
|
"Add_nutrition_recipe": "Lisää ravintoaine reseptiin",
|
||||||
"Add_to_Shopping": "Lisää ostoksiin",
|
"Add_to_Plan": "Lisää suunnitelmaan",
|
||||||
"Added_To_Shopping_List": "Lisätty ostoslistaan",
|
"Add_to_Shopping": "Lisää ostoksiin",
|
||||||
"Advanced Search Settings": "Tarkennetun Haun Asetukset",
|
"Added_To_Shopping_List": "Lisätty ostoslistaan",
|
||||||
"Auto_Planner": "Automaattinen Suunnittelija",
|
"Advanced Search Settings": "Tarkennetun Haun Asetukset",
|
||||||
"Automate": "Automatisoi",
|
"Auto_Planner": "Automaattinen Suunnittelija",
|
||||||
"Automation": "Automaatio",
|
"Automate": "Automatisoi",
|
||||||
"Books": "Kirjat",
|
"Automation": "Automaatio",
|
||||||
"Calories": "Kalorit",
|
"Books": "Kirjat",
|
||||||
"Cancel": "Peruuta",
|
"Calories": "Kalorit",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Lisätietoja ei voida lisätä ostoslistaan",
|
"Cancel": "Peruuta",
|
||||||
"Carbohydrates": "Hiilihydraatit",
|
"Cannot_Add_Notes_To_Shopping": "Lisätietoja ei voida lisätä ostoslistaan",
|
||||||
"Categories": "Luokat",
|
"Carbohydrates": "Hiilihydraatit",
|
||||||
"Category": "Luokka",
|
"Categories": "Luokat",
|
||||||
"Clear": "Pyyhi",
|
"Category": "Luokka",
|
||||||
"Clone": "Luo kopio",
|
"Clear": "Pyyhi",
|
||||||
"Close": "Sulje",
|
"Clone": "Luo kopio",
|
||||||
"Color": "Väri",
|
"Close": "Sulje",
|
||||||
"Coming_Soon": "Tulossa pian",
|
"Color": "Väri",
|
||||||
"Copy": "Kopioi",
|
"Coming_Soon": "Tulossa pian",
|
||||||
"Copy_template_reference": "Kopioi malliviittaus",
|
"Copy": "Kopioi",
|
||||||
"Create": "Luo",
|
"Copy_template_reference": "Kopioi malliviittaus",
|
||||||
"Create_Meal_Plan_Entry": "Luo ateriasuunnitelma merkintä",
|
"Create": "Luo",
|
||||||
"Create_New_Food": "Lisää Uusi Ruoka",
|
"Create_Meal_Plan_Entry": "Luo ateriasuunnitelma merkintä",
|
||||||
"Create_New_Keyword": "Lisää Uusi Avainsana",
|
"Create_New_Food": "Lisää Uusi Ruoka",
|
||||||
"Create_New_Meal_Type": "Lisää Uusi Ateriatyyppi",
|
"Create_New_Keyword": "Lisää Uusi Avainsana",
|
||||||
"Create_New_Shopping Category": "Luo Uusi Ostoskategoria",
|
"Create_New_Meal_Type": "Lisää Uusi Ateriatyyppi",
|
||||||
"Create_New_Unit": "Lisää Uusi Yksikkö",
|
"Create_New_Shopping Category": "Luo Uusi Ostoskategoria",
|
||||||
"Current_Period": "Nykyinen Jakso",
|
"Create_New_Unit": "Lisää Uusi Yksikkö",
|
||||||
"Date": "Päivämäärä",
|
"Current_Period": "Nykyinen Jakso",
|
||||||
"Delete": "Poista",
|
"Date": "Päivämäärä",
|
||||||
"Delete_Food": "Poista ruoka",
|
"Delete": "Poista",
|
||||||
"Delete_Keyword": "Poista avainsana",
|
"DeleteConfirmQuestion": "",
|
||||||
"Description": "Kuvaus",
|
"Delete_Food": "Poista ruoka",
|
||||||
"Disable_Amount": "Poista Määrä käytöstä",
|
"Delete_Keyword": "Poista avainsana",
|
||||||
"Download": "Lataa",
|
"Description": "Kuvaus",
|
||||||
"Drag_Here_To_Delete": "Vedä tänne poistaaksesi",
|
"Disable_Amount": "Poista Määrä käytöstä",
|
||||||
"Edit": "Muokkaa",
|
"Download": "Lataa",
|
||||||
"Edit_Food": "Muokkaa ruokaa",
|
"Drag_Here_To_Delete": "Vedä tänne poistaaksesi",
|
||||||
"Edit_Keyword": "Muokkaa avainsanaa",
|
"Edit": "Muokkaa",
|
||||||
"Edit_Meal_Plan_Entry": "Muokkaa ateriasuunnitelma merkintää",
|
"Edit_Food": "Muokkaa ruokaa",
|
||||||
"Edit_Recipe": "Muokkaa Reseptiä",
|
"Edit_Keyword": "Muokkaa avainsanaa",
|
||||||
"Empty": "Tyhjä",
|
"Edit_Meal_Plan_Entry": "Muokkaa ateriasuunnitelma merkintää",
|
||||||
"Enable_Amount": "Ota Määrä käyttöön",
|
"Edit_Recipe": "Muokkaa Reseptiä",
|
||||||
"Energy": "Energia",
|
"Empty": "Tyhjä",
|
||||||
"Export": "Vie",
|
"Enable_Amount": "Ota Määrä käyttöön",
|
||||||
"Export_As_ICal": "Vie nykyinen jakso iCal muotoon",
|
"Energy": "Energia",
|
||||||
"Export_To_ICal": "Vie .ics",
|
"Export": "Vie",
|
||||||
"External": "Ulkoinen",
|
"Export_As_ICal": "Vie nykyinen jakso iCal muotoon",
|
||||||
"External_Recipe_Image": "Ulkoinen reseptin kuva",
|
"Export_To_ICal": "Vie .ics",
|
||||||
"Failure": "Epäonnistui",
|
"External": "Ulkoinen",
|
||||||
"Fats": "Rasvat",
|
"External_Recipe_Image": "Ulkoinen reseptin kuva",
|
||||||
"File": "Tiedosto",
|
"Failure": "Epäonnistui",
|
||||||
"Files": "Tiedostot",
|
"Fats": "Rasvat",
|
||||||
"Food": "Ruoka",
|
"File": "Tiedosto",
|
||||||
"Food_Alias": "Ruoan nimimerkki",
|
"Files": "Tiedostot",
|
||||||
"Hide_Food": "Piilota ruoka",
|
"Food": "Ruoka",
|
||||||
"Hide_Keyword": "Piilota avainsana",
|
"Food_Alias": "Ruoan nimimerkki",
|
||||||
"Hide_Keywords": "Piilota Avainsana",
|
"Hide_Food": "Piilota ruoka",
|
||||||
"Hide_Recipes": "Piilota Reseptit",
|
"Hide_Keyword": "Piilota avainsana",
|
||||||
"Hide_as_header": "Piilota otsikko",
|
"Hide_Keywords": "Piilota Avainsana",
|
||||||
"Icon": "Kuvake",
|
"Hide_Recipes": "Piilota Reseptit",
|
||||||
"Ignore_Shopping": "Ohita Ostokset",
|
"Hide_as_header": "Piilota otsikko",
|
||||||
"Image": "Kuva",
|
"Icon": "Kuvake",
|
||||||
"Import": "Tuo",
|
"Ignore_Shopping": "Ohita Ostokset",
|
||||||
"Import_finished": "Tuonti valmistui",
|
"Image": "Kuva",
|
||||||
"Information": "Tiedot",
|
"Import": "Tuo",
|
||||||
"Ingredients": "Ainesosat",
|
"Import_finished": "Tuonti valmistui",
|
||||||
"Instructions": "Ohjeet",
|
"Information": "Tiedot",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Ingredients": "Ainesosat",
|
||||||
"Key_Shift": "Shift",
|
"Instructions": "Ohjeet",
|
||||||
"Keyword_Alias": "Avainsana-alias",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keywords": "Avainsanat",
|
"Key_Shift": "Shift",
|
||||||
"Link": "Linkki",
|
"Keyword_Alias": "Avainsana-alias",
|
||||||
"Load_More": "Lataa Lisää",
|
"Keywords": "Avainsanat",
|
||||||
"Log_Cooking": "Kirjaa kokkaus",
|
"Link": "Linkki",
|
||||||
"Log_Recipe_Cooking": "Kirjaa Reseptin Kokkaus",
|
"Load_More": "Lataa Lisää",
|
||||||
"Make_Header": "Valmista Otsikko",
|
"Log_Cooking": "Kirjaa kokkaus",
|
||||||
"Make_Ingredient": "Valmista Ainesosa",
|
"Log_Recipe_Cooking": "Kirjaa Reseptin Kokkaus",
|
||||||
"Manage_Books": "Hallinnoi kirjoja",
|
"Make_Header": "Valmista Otsikko",
|
||||||
"Meal_Plan": "Ateriasuunnitelma",
|
"Make_Ingredient": "Valmista Ainesosa",
|
||||||
"Meal_Plan_Days": "Tulevat ruokasuunnitelmat",
|
"Manage_Books": "Hallinnoi kirjoja",
|
||||||
"Meal_Type": "Ateriatyyppi",
|
"Meal_Plan": "Ateriasuunnitelma",
|
||||||
"Meal_Type_Required": "Ateriatyyppi pakollinen",
|
"Meal_Plan_Days": "Tulevat ruokasuunnitelmat",
|
||||||
"Meal_Types": "Ateriatyypit",
|
"Meal_Type": "Ateriatyyppi",
|
||||||
"Merge": "Yhdistä",
|
"Meal_Type_Required": "Ateriatyyppi pakollinen",
|
||||||
"Merge_Keyword": "Yhdistä Avainsana",
|
"Meal_Types": "Ateriatyypit",
|
||||||
"Month": "Kuukausi",
|
"Merge": "Yhdistä",
|
||||||
"Move": "Siirry",
|
"Merge_Keyword": "Yhdistä Avainsana",
|
||||||
"Move_Down": "Siirry alas",
|
"Month": "Kuukausi",
|
||||||
"Move_Food": "Siirrä ruoka",
|
"Move": "Siirry",
|
||||||
"Move_Keyword": "Siirrä Avainsana",
|
"Move_Down": "Siirry alas",
|
||||||
"Move_Up": "Siirry ylös",
|
"Move_Food": "Siirrä ruoka",
|
||||||
"Name": "Nimi",
|
"Move_Keyword": "Siirrä Avainsana",
|
||||||
"New": "Uusi",
|
"Move_Up": "Siirry ylös",
|
||||||
"New_Cookbook": "Uusi keittokirja",
|
"Name": "Nimi",
|
||||||
"New_Food": "Uusi ruoka",
|
"New": "Uusi",
|
||||||
"New_Keyword": "Uusi avainsana",
|
"New_Cookbook": "Uusi keittokirja",
|
||||||
"New_Meal_Type": "Uusi Ateriatyyppi",
|
"New_Food": "Uusi ruoka",
|
||||||
"New_Recipe": "Uusi Resepti",
|
"New_Keyword": "Uusi avainsana",
|
||||||
"New_Unit": "Uusi Yksikkö",
|
"New_Meal_Type": "Uusi Ateriatyyppi",
|
||||||
"Next_Day": "Seuraava Päivä",
|
"New_Recipe": "Uusi Resepti",
|
||||||
"Next_Period": "Seuraava Jakso",
|
"New_Unit": "Uusi Yksikkö",
|
||||||
"No_ID": "Poistaminen epäonnistui, ID:tä ei löytynyt.",
|
"Next_Day": "Seuraava Päivä",
|
||||||
"No_Results": "Ei Tuloksia",
|
"Next_Period": "Seuraava Jakso",
|
||||||
"Note": "Lisätiedot",
|
"No_ID": "Poistaminen epäonnistui, ID:tä ei löytynyt.",
|
||||||
"Nutrition": "Ravitsemus",
|
"No_Results": "Ei Tuloksia",
|
||||||
"Ok": "Avaa",
|
"Note": "Lisätiedot",
|
||||||
"Open": "Avaa",
|
"Nutrition": "Ravitsemus",
|
||||||
"Parameter": "Parametri",
|
"Ok": "Avaa",
|
||||||
"Parent": "Yläluokka",
|
"Open": "Avaa",
|
||||||
"Period": "Jakso",
|
"Parameter": "Parametri",
|
||||||
"Periods": "Jaksot",
|
"Parent": "Yläluokka",
|
||||||
"Plan_Period_To_Show": "Näytä viikot, kuukaudet tai vuodet",
|
"Period": "Jakso",
|
||||||
"Plan_Show_How_Many_Periods": "Kuinka monta jaksoa näyttää",
|
"Periods": "Jaksot",
|
||||||
"Planner": "Suunnittelija",
|
"Plan_Period_To_Show": "Näytä viikot, kuukaudet tai vuodet",
|
||||||
"Planner_Settings": "Suunnittelijan asetukset",
|
"Plan_Show_How_Many_Periods": "Kuinka monta jaksoa näyttää",
|
||||||
"Plural": "",
|
"Planner": "Suunnittelija",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Suunnittelijan asetukset",
|
||||||
"Preparation": "Valmistautuminen",
|
"Plural": "",
|
||||||
"Previous_Day": "Edellinen Päivä",
|
"Preferences": "",
|
||||||
"Previous_Period": "Edellinen Jakso",
|
"Preparation": "Valmistautuminen",
|
||||||
"Print": "Tulosta",
|
"Previous_Day": "Edellinen Päivä",
|
||||||
"Profile": "",
|
"Previous_Period": "Edellinen Jakso",
|
||||||
"Proteins": "Proteiinit",
|
"Print": "Tulosta",
|
||||||
"Rating": "Luokitus",
|
"Profile": "",
|
||||||
"Recently_Viewed": "Äskettäin katsotut",
|
"Proteins": "Proteiinit",
|
||||||
"Recipe": "Resepti",
|
"Rating": "Luokitus",
|
||||||
"Recipe_Book": "Keittokirja",
|
"Recently_Viewed": "Äskettäin katsotut",
|
||||||
"Recipe_Image": "Reseptin Kuva",
|
"Recipe": "Resepti",
|
||||||
"Recipes": "Reseptit",
|
"Recipe_Book": "Keittokirja",
|
||||||
"Recipes_per_page": "Reseptejä sivulla",
|
"Recipe_Image": "Reseptin Kuva",
|
||||||
"Remove": "",
|
"Recipes": "Reseptit",
|
||||||
"Remove_nutrition_recipe": "Poista ravintoaine reseptistä",
|
"Recipes_per_page": "Reseptejä sivulla",
|
||||||
"Reset_Search": "Nollaa haku",
|
"Remove": "",
|
||||||
"Root": "Root",
|
"Remove_nutrition_recipe": "Poista ravintoaine reseptistä",
|
||||||
"Save": "Tallenna",
|
"Reset_Search": "Nollaa haku",
|
||||||
"Save_and_View": "Tallenna & Katso",
|
"Root": "Root",
|
||||||
"Search": "Haku",
|
"Save": "Tallenna",
|
||||||
"Search Settings": "Hakuasetukset",
|
"Save_and_View": "Tallenna & Katso",
|
||||||
"Select_Book": "Valitse Kirja",
|
"Search": "Haku",
|
||||||
"Select_File": "Valitse Tiedosto",
|
"Search Settings": "Hakuasetukset",
|
||||||
"Selected": "Valittu",
|
"Select_Book": "Valitse Kirja",
|
||||||
"Servings": "Annokset",
|
"Select_File": "Valitse Tiedosto",
|
||||||
"Settings": "Asetukset",
|
"Selected": "Valittu",
|
||||||
"Share": "Jaa",
|
"Servings": "Annokset",
|
||||||
"Shopping_Categories": "Ostoskategoriat",
|
"Settings": "Asetukset",
|
||||||
"Shopping_Category": "Ostosluokka",
|
"Share": "Jaa",
|
||||||
"Shopping_List_Empty": "Ostoslistasi on tällä hetkellä tyhjä, voit lisätä tuotteita ateriasuunnitelmamerkinnän valikon kautta(klikkaa korttia hiiren kaksoispainikkeella tai valikkokuvaketta)",
|
"Shopping_Categories": "Ostoskategoriat",
|
||||||
"Shopping_list": "Ostoslista",
|
"Shopping_Category": "Ostosluokka",
|
||||||
"Show_Week_Numbers": "Näytä viikkonumerot ?",
|
"Shopping_List_Empty": "Ostoslistasi on tällä hetkellä tyhjä, voit lisätä tuotteita ateriasuunnitelmamerkinnän valikon kautta(klikkaa korttia hiiren kaksoispainikkeella tai valikkokuvaketta)",
|
||||||
"Show_as_header": "Näytä otsikkona",
|
"Shopping_list": "Ostoslista",
|
||||||
"Size": "Koko",
|
"Show_Week_Numbers": "Näytä viikkonumerot ?",
|
||||||
"Sort_by_new": "Lajittele uusien mukaan",
|
"Show_as_header": "Näytä otsikkona",
|
||||||
"SpaceMembers": "",
|
"Size": "Koko",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Lajittele uusien mukaan",
|
||||||
"Starting_Day": "Viikon aloituspäivä",
|
"SpaceMembers": "",
|
||||||
"Step": "Vaihe",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Vaiheen Nimi",
|
"Starting_Day": "Viikon aloituspäivä",
|
||||||
"Step_Type": "Vaiheen Tyyppi",
|
"Step": "Vaihe",
|
||||||
"Step_start_time": "Vaiheen aloitusaika",
|
"Step_Name": "Vaiheen Nimi",
|
||||||
"Success": "Onnistui",
|
"Step_Type": "Vaiheen Tyyppi",
|
||||||
"Supermarket": "Supermarket",
|
"Step_start_time": "Vaiheen aloitusaika",
|
||||||
"System": "",
|
"Success": "Onnistui",
|
||||||
"Table_of_Contents": "Sisällysluettelo",
|
"Supermarket": "Supermarket",
|
||||||
"Text": "Teksi",
|
"System": "",
|
||||||
"Time": "Aika",
|
"Table_of_Contents": "Sisällysluettelo",
|
||||||
"Title": "Otsikko",
|
"Text": "Teksi",
|
||||||
"Title_or_Recipe_Required": "Otsikko tai resepti valinta vaadittu",
|
"Time": "Aika",
|
||||||
"Type": "Tyyppi",
|
"Title": "Otsikko",
|
||||||
"Unit": "Yksikkö",
|
"Title_or_Recipe_Required": "Otsikko tai resepti valinta vaadittu",
|
||||||
"Unit_Alias": "Yksikköalias",
|
"Type": "Tyyppi",
|
||||||
"Unrated": "Luokittelematon",
|
"Unit": "Yksikkö",
|
||||||
"Url_Import": "URL Tuonti",
|
"Unit_Alias": "Yksikköalias",
|
||||||
"Use_Plural_Food_Always": "",
|
"Unrated": "Luokittelematon",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Url_Import": "URL Tuonti",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"View": "Katso",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View_Recipes": "Näytä Reseptit",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"Waiting": "Odottaa",
|
"View": "Katso",
|
||||||
"Week": "Viikko",
|
"View_Recipes": "Näytä Reseptit",
|
||||||
"Week_Numbers": "Viikkonumerot",
|
"Waiting": "Odottaa",
|
||||||
"Year": "Vuosi",
|
"Week": "Viikko",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Viikkonumerot",
|
||||||
"active": "",
|
"Year": "Vuosi",
|
||||||
"all_fields_optional": "Kaikki kentät ovat valinnaisia ja voidaan jättää tyhjiksi.",
|
"YourSpaces": "",
|
||||||
"and": "ja",
|
"active": "",
|
||||||
"and_up": "& Ylös",
|
"all_fields_optional": "Kaikki kentät ovat valinnaisia ja voidaan jättää tyhjiksi.",
|
||||||
"confirm_delete": "Haluatko varmasti poistaa tämän {object}?",
|
"and": "ja",
|
||||||
"convert_internal": "Muunna sisäiseksi reseptiksi",
|
"and_up": "& Ylös",
|
||||||
"create_rule": "ja luo automaatio",
|
"confirm_delete": "Haluatko varmasti poistaa tämän {object}?",
|
||||||
"create_title": "Uusi {type}",
|
"convert_internal": "Muunna sisäiseksi reseptiksi",
|
||||||
"created_by": "",
|
"create_rule": "ja luo automaatio",
|
||||||
"del_confirmation_tree": "Haluatko varmasti poistaa {source} ja kaikki sen alaosat?",
|
"create_title": "Uusi {type}",
|
||||||
"delete_confirmation": "Haluatko varmasti poistaa {source}?",
|
"created_by": "",
|
||||||
"delete_title": "Poista {type}",
|
"del_confirmation_tree": "Haluatko varmasti poistaa {source} ja kaikki sen alaosat?",
|
||||||
"edit_title": "Muokkaa {type}",
|
"delete_confirmation": "Haluatko varmasti poistaa {source}?",
|
||||||
"err_creating_resource": "Resurssin luomisessa tapahtui virhe!",
|
"delete_title": "Poista {type}",
|
||||||
"err_deleting_resource": "Resurssin poistamisessa tapahtui virhe!",
|
"edit_title": "Muokkaa {type}",
|
||||||
"err_fetching_resource": "Resurssin noutamisessa tapahtui virhe!",
|
"err_creating_resource": "Resurssin luomisessa tapahtui virhe!",
|
||||||
"err_merging_resource": "Resurssin yhdistämisessä tapahtui virhe!",
|
"err_deleting_resource": "Resurssin poistamisessa tapahtui virhe!",
|
||||||
"err_moving_resource": "Resurssin siirtämisessä tapahtui virhe!",
|
"err_fetching_resource": "Resurssin noutamisessa tapahtui virhe!",
|
||||||
"err_updating_resource": "Resurssin päivittämisessä tapahtui virhe!",
|
"err_merging_resource": "Resurssin yhdistämisessä tapahtui virhe!",
|
||||||
"file_upload_disabled": "Tiedoston lähetys ei ole käytössä tilassasi.",
|
"err_moving_resource": "Resurssin siirtämisessä tapahtui virhe!",
|
||||||
"import_running": "Tuonti käynnissä, odota!",
|
"err_updating_resource": "Resurssin päivittämisessä tapahtui virhe!",
|
||||||
"merge_confirmation": "Korvaa <i>{source}</i> esiintymiset <i>{target}:lla</i>",
|
"file_upload_disabled": "Tiedoston lähetys ei ole käytössä tilassasi.",
|
||||||
"merge_selection": "Korvaa kaikki {source} esiintymiset valitulla {type}:llä.",
|
"import_running": "Tuonti käynnissä, odota!",
|
||||||
"merge_title": "Yhdistä {type}",
|
"merge_confirmation": "Korvaa <i>{source}</i> esiintymiset <i>{target}:lla</i>",
|
||||||
"min": "minimi",
|
"merge_selection": "Korvaa kaikki {source} esiintymiset valitulla {type}:llä.",
|
||||||
"move_confirmation": "Siirrä <i>{child}</i> yläluokkaan <i>{parent}</i>",
|
"merge_title": "Yhdistä {type}",
|
||||||
"move_selection": "Valitse yläluokka {type} johon {source} siirretään.",
|
"min": "minimi",
|
||||||
"move_title": "Siirrä {type}",
|
"move_confirmation": "Siirrä <i>{child}</i> yläluokkaan <i>{parent}</i>",
|
||||||
"or": "tai",
|
"move_selection": "Valitse yläluokka {type} johon {source} siirretään.",
|
||||||
"plural_short": "",
|
"move_title": "Siirrä {type}",
|
||||||
"plural_usage_info": "",
|
"or": "tai",
|
||||||
"show_only_internal": "Näytä vain sisäiset reseptit",
|
"plural_short": "",
|
||||||
"show_split_screen": "Jaettu näkymä",
|
"plural_usage_info": "",
|
||||||
"step_time_minutes": "Askelaika minuutteina",
|
"show_only_internal": "Näytä vain sisäiset reseptit",
|
||||||
"success_creating_resource": "Resurssin luominen onnistui!",
|
"show_split_screen": "Jaettu näkymä",
|
||||||
"success_deleting_resource": "Resurssin poistaminen onnistui!",
|
"step_time_minutes": "Askelaika minuutteina",
|
||||||
"success_fetching_resource": "Resurssin hakeminen onnistui!",
|
"success_creating_resource": "Resurssin luominen onnistui!",
|
||||||
"success_merging_resource": "Resurssin yhdistäminen onnistui!",
|
"success_deleting_resource": "Resurssin poistaminen onnistui!",
|
||||||
"success_moving_resource": "Resurssin siirto onnistui!",
|
"success_fetching_resource": "Resurssin hakeminen onnistui!",
|
||||||
"success_updating_resource": "Resurssin päivitys onnistui!",
|
"success_merging_resource": "Resurssin yhdistäminen onnistui!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Resurssin siirto onnistui!",
|
||||||
"tree_root": "Root of Tree",
|
"success_updating_resource": "Resurssin päivitys onnistui!",
|
||||||
"warning_feature_beta": "Tämä ominaisuus on BETA (testaus) vaiheessa. Bugeja ja hajottavia muutoksia saattaa ilmaantua tulevaisuudessa tätä ominaisuutta (mahdollisesti menettää ominaisuuksiin liittyvää tietoa) käytettäessä."
|
"theUsernameCannotBeChanged": "",
|
||||||
|
"tree_root": "Root of Tree",
|
||||||
|
"warning_feature_beta": "Tämä ominaisuus on BETA (testaus) vaiheessa. Bugeja ja hajottavia muutoksia saattaa ilmaantua tulevaisuudessa tätä ominaisuutta (mahdollisesti menettää ominaisuuksiin liittyvää tietoa) käytettäessä."
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,143 +1,145 @@
|
|||||||
{
|
{
|
||||||
"Add": "",
|
"Access_Token": "",
|
||||||
"Add_nutrition_recipe": "Ավելացնել սննդայնություն բաղադրատոմսին",
|
"Add": "",
|
||||||
"Add_to_Book": "",
|
"Add_nutrition_recipe": "Ավելացնել սննդայնություն բաղադրատոմսին",
|
||||||
"Add_to_Plan": "Ավելացնել պլանին",
|
"Add_to_Book": "",
|
||||||
"Add_to_Shopping": "Ավելացնել գնումներին",
|
"Add_to_Plan": "Ավելացնել պլանին",
|
||||||
"Advanced Search Settings": "Ընդլայնված փնտրման կարգավորումներ",
|
"Add_to_Shopping": "Ավելացնել գնումներին",
|
||||||
"Automate": "Ավտոմատացնել",
|
"Advanced Search Settings": "Ընդլայնված փնտրման կարգավորումներ",
|
||||||
"Books": "",
|
"Automate": "Ավտոմատացնել",
|
||||||
"Calories": "",
|
"Books": "",
|
||||||
"Cancel": "",
|
"Calories": "",
|
||||||
"Carbohydrates": "",
|
"Cancel": "",
|
||||||
"Categories": "",
|
"Carbohydrates": "",
|
||||||
"Category": "",
|
"Categories": "",
|
||||||
"Close": "",
|
"Category": "",
|
||||||
"Copy": "",
|
"Close": "",
|
||||||
"Create": "Ստեղծել",
|
"Copy": "",
|
||||||
"Create_New_Food": "Ավելացնել նոր սննդամթերք",
|
"Create": "Ստեղծել",
|
||||||
"Create_New_Keyword": "Ավելացնել նոր բանալի բառ",
|
"Create_New_Food": "Ավելացնել նոր սննդամթերք",
|
||||||
"Create_New_Shopping Category": "Ստեղծել գնումների նոր կատեգորիա",
|
"Create_New_Keyword": "Ավելացնել նոր բանալի բառ",
|
||||||
"Date": "",
|
"Create_New_Shopping Category": "Ստեղծել գնումների նոր կատեգորիա",
|
||||||
"Delete": "",
|
"Date": "",
|
||||||
"Delete_Food": "Ջնջել սննդամթերքը",
|
"Delete": "",
|
||||||
"Delete_Keyword": "Ջնջել բանալի բառը",
|
"DeleteConfirmQuestion": "",
|
||||||
"Description": "Նկարագրություն",
|
"Delete_Food": "Ջնջել սննդամթերքը",
|
||||||
"Download": "Ներբեռնել",
|
"Delete_Keyword": "Ջնջել բանալի բառը",
|
||||||
"Edit": "",
|
"Description": "Նկարագրություն",
|
||||||
"Edit_Food": "Խմբագրել սննդամթերքը",
|
"Download": "Ներբեռնել",
|
||||||
"Edit_Keyword": "Խմբագրել բանալի բառը",
|
"Edit": "",
|
||||||
"Edit_Recipe": "Խմբագրել բաղադրատոմսը",
|
"Edit_Food": "Խմբագրել սննդամթերքը",
|
||||||
"Empty": "Դատարկ",
|
"Edit_Keyword": "Խմբագրել բանալի բառը",
|
||||||
"Energy": "",
|
"Edit_Recipe": "Խմբագրել բաղադրատոմսը",
|
||||||
"Export": "",
|
"Empty": "Դատարկ",
|
||||||
"External": "",
|
"Energy": "",
|
||||||
"External_Recipe_Image": "",
|
"Export": "",
|
||||||
"Fats": "",
|
"External": "",
|
||||||
"File": "",
|
"External_Recipe_Image": "",
|
||||||
"Files": "",
|
"Fats": "",
|
||||||
"Food": "Սննդամթերք",
|
"File": "",
|
||||||
"Hide_Food": "Թաքցնել սննդամթերքը",
|
"Files": "",
|
||||||
"Hide_Keywords": "Թաքցնել բանալի բառը",
|
"Food": "Սննդամթերք",
|
||||||
"Hide_Recipes": "Թաքցնել բաղադրատոմսերը",
|
"Hide_Food": "Թաքցնել սննդամթերքը",
|
||||||
"Hide_as_header": "Թաքցնել որպես խորագիր",
|
"Hide_Keywords": "Թաքցնել բանալի բառը",
|
||||||
"Import": "Ներմուծել",
|
"Hide_Recipes": "Թաքցնել բաղադրատոմսերը",
|
||||||
"Import_finished": "Ներմուծումն ավարտված է",
|
"Hide_as_header": "Թաքցնել որպես խորագիր",
|
||||||
"Information": "Տեղեկություն",
|
"Import": "Ներմուծել",
|
||||||
"Ingredients": "",
|
"Import_finished": "Ներմուծումն ավարտված է",
|
||||||
"Keywords": "",
|
"Information": "Տեղեկություն",
|
||||||
"Link": "",
|
"Ingredients": "",
|
||||||
"Load_More": "",
|
"Keywords": "",
|
||||||
"Log_Cooking": "Գրանցել եփելը",
|
"Link": "",
|
||||||
"Log_Recipe_Cooking": "Գրանցել բաղադրատոմսի օգտագործում",
|
"Load_More": "",
|
||||||
"Manage_Books": "Կարգավորել Գրքերը",
|
"Log_Cooking": "Գրանցել եփելը",
|
||||||
"Meal_Plan": "Ճաշացուցակ",
|
"Log_Recipe_Cooking": "Գրանցել բաղադրատոմսի օգտագործում",
|
||||||
"Merge": "Միացնել",
|
"Manage_Books": "Կարգավորել Գրքերը",
|
||||||
"Merge_Keyword": "Միացնել բանալի բառը",
|
"Meal_Plan": "Ճաշացուցակ",
|
||||||
"Move": "Տեղափոխել",
|
"Merge": "Միացնել",
|
||||||
"Move_Food": "Տեղափոխել սննդամթերքը",
|
"Merge_Keyword": "Միացնել բանալի բառը",
|
||||||
"Move_Keyword": "Տեղափոխել բանալի բառը",
|
"Move": "Տեղափոխել",
|
||||||
"Name": "Անուն",
|
"Move_Food": "Տեղափոխել սննդամթերքը",
|
||||||
"New": "",
|
"Move_Keyword": "Տեղափոխել բանալի բառը",
|
||||||
"New_Food": "Նոր սննդամթերք",
|
"Name": "Անուն",
|
||||||
"New_Keyword": "Նոր բանալի բառ",
|
"New": "",
|
||||||
"New_Recipe": "Նոր բաղադրատոմս",
|
"New_Food": "Նոր սննդամթերք",
|
||||||
"No_Results": "Արդյունքներ չկան",
|
"New_Keyword": "Նոր բանալի բառ",
|
||||||
"Nutrition": "",
|
"New_Recipe": "Նոր բաղադրատոմս",
|
||||||
"Ok": "",
|
"No_Results": "Արդյունքներ չկան",
|
||||||
"Open": "",
|
"Nutrition": "",
|
||||||
"Parent": "Ծնող",
|
"Ok": "",
|
||||||
"Plural": "",
|
"Open": "",
|
||||||
"Preferences": "",
|
"Parent": "Ծնող",
|
||||||
"Preparation": "",
|
"Plural": "",
|
||||||
"Print": "Տպել",
|
"Preferences": "",
|
||||||
"Profile": "",
|
"Preparation": "",
|
||||||
"Proteins": "",
|
"Print": "Տպել",
|
||||||
"Rating": "",
|
"Profile": "",
|
||||||
"Recently_Viewed": "Վերջերս դիտած",
|
"Proteins": "",
|
||||||
"Recipe": "Բաղադրատոմս",
|
"Rating": "",
|
||||||
"Recipe_Book": "Բաղադրատոմսերի գիրք",
|
"Recently_Viewed": "Վերջերս դիտած",
|
||||||
"Recipe_Image": "Բաղադրատոմսի նկար",
|
"Recipe": "Բաղադրատոմս",
|
||||||
"Recipes": "Բաղադրատոմսեր",
|
"Recipe_Book": "Բաղադրատոմսերի գիրք",
|
||||||
"Recipes_per_page": "Բաղադրատոմս էջում",
|
"Recipe_Image": "Բաղադրատոմսի նկար",
|
||||||
"Remove": "",
|
"Recipes": "Բաղադրատոմսեր",
|
||||||
"Remove_nutrition_recipe": "Հեռացնել բաղադրատոմսի սննդայնությունը",
|
"Recipes_per_page": "Բաղադրատոմս էջում",
|
||||||
"Reset_Search": "Զրոյացնել որոնումը",
|
"Remove": "",
|
||||||
"Save": "",
|
"Remove_nutrition_recipe": "Հեռացնել բաղադրատոմսի սննդայնությունը",
|
||||||
"Save_and_View": "Պահպանել և Դիտել",
|
"Reset_Search": "Զրոյացնել որոնումը",
|
||||||
"Search": "",
|
"Save": "",
|
||||||
"Select_Book": "Ընտրել գիրք",
|
"Save_and_View": "Պահպանել և Դիտել",
|
||||||
"Select_File": "Ընտրել Ֆայլ",
|
"Search": "",
|
||||||
"Selected": "",
|
"Select_Book": "Ընտրել գիրք",
|
||||||
"Servings": "",
|
"Select_File": "Ընտրել Ֆայլ",
|
||||||
"Settings": "Կարգավորումներ",
|
"Selected": "",
|
||||||
"Share": "",
|
"Servings": "",
|
||||||
"Shopping_Category": "Գնումների կատեգորիա",
|
"Settings": "Կարգավորումներ",
|
||||||
"Shopping_list": "Գնումների ցուցակ",
|
"Share": "",
|
||||||
"Show_as_header": "Ցույց տալ որպես խորագիր",
|
"Shopping_Category": "Գնումների կատեգորիա",
|
||||||
"Size": "",
|
"Shopping_list": "Գնումների ցուցակ",
|
||||||
"Sort_by_new": "Տեսակավորել ըստ նորերի",
|
"Show_as_header": "Ցույց տալ որպես խորագիր",
|
||||||
"SpaceMembers": "",
|
"Size": "",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Տեսակավորել ըստ նորերի",
|
||||||
"Step": "",
|
"SpaceMembers": "",
|
||||||
"Step_start_time": "Քայլի սկսելու ժամանակը",
|
"SpaceSettings": "",
|
||||||
"Success": "",
|
"Step": "",
|
||||||
"Supermarket": "",
|
"Step_start_time": "Քայլի սկսելու ժամանակը",
|
||||||
"System": "",
|
"Success": "",
|
||||||
"Table_of_Contents": "Բովանդակություն",
|
"Supermarket": "",
|
||||||
"Url_Import": "URL ներմուծում",
|
"System": "",
|
||||||
"Use_Plural_Food_Always": "",
|
"Table_of_Contents": "Բովանդակություն",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Url_Import": "URL ներմուծում",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"View": "Դիտել",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View_Recipes": "Դիտել բաղադրատոմսերը",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"Waiting": "",
|
"View": "Դիտել",
|
||||||
"YourSpaces": "",
|
"View_Recipes": "Դիտել բաղադրատոմսերը",
|
||||||
"active": "",
|
"Waiting": "",
|
||||||
"all_fields_optional": "Բոլոր տողերը կամավոր են և կարող են մնալ դատարկ։",
|
"YourSpaces": "",
|
||||||
"and": "և",
|
"active": "",
|
||||||
"confirm_delete": "Համոզվա՞ծ եք, որ ուզում եք ջնջել այս {օբյեկտը}։",
|
"all_fields_optional": "Բոլոր տողերը կամավոր են և կարող են մնալ դատարկ։",
|
||||||
"convert_internal": "Փոխակերպել ներքին բաղադրատոմսի",
|
"and": "և",
|
||||||
"create_rule": "և ստեղծել ավտոմատացում",
|
"confirm_delete": "Համոզվա՞ծ եք, որ ուզում եք ջնջել այս {օբյեկտը}։",
|
||||||
"created_by": "",
|
"convert_internal": "Փոխակերպել ներքին բաղադրատոմսի",
|
||||||
"delete_confirmation": "Համոզվա՞ծ եք, որ ուզում եք ջնջել։",
|
"create_rule": "և ստեղծել ավտոմատացում",
|
||||||
"err_creating_resource": "Ռեսուրսը ստեղծելիս սխալ է գրանցվել:",
|
"created_by": "",
|
||||||
"err_deleting_resource": "Ռեսուրսը ջնջելիս սխալ է գրանցվել:",
|
"delete_confirmation": "Համոզվա՞ծ եք, որ ուզում եք ջնջել։",
|
||||||
"err_fetching_resource": "Ռեսուրսը կցելիս սխալ է գրանցվել:",
|
"err_creating_resource": "Ռեսուրսը ստեղծելիս սխալ է գրանցվել:",
|
||||||
"err_updating_resource": "Ռեսուրսը թարմացնելիս սխալ է գրանցվել:",
|
"err_deleting_resource": "Ռեսուրսը ջնջելիս սխալ է գրանցվել:",
|
||||||
"file_upload_disabled": "Ջեր տարածությունում ֆայլերի վերբեռնումը միացված չէ։",
|
"err_fetching_resource": "Ռեսուրսը կցելիս սխալ է գրանցվել:",
|
||||||
"import_running": "Ներմուծվում է, խնդրում ենք սպասել։",
|
"err_updating_resource": "Ռեսուրսը թարմացնելիս սխալ է գրանցվել:",
|
||||||
"min": "",
|
"file_upload_disabled": "Ջեր տարածությունում ֆայլերի վերբեռնումը միացված չէ։",
|
||||||
"or": "կամ",
|
"import_running": "Ներմուծվում է, խնդրում ենք սպասել։",
|
||||||
"plural_short": "",
|
"min": "",
|
||||||
"plural_usage_info": "",
|
"or": "կամ",
|
||||||
"show_only_internal": "Ցույց տալ միայն ներքին բաղադրատոմսերը",
|
"plural_short": "",
|
||||||
"step_time_minutes": "Քայլի տևողությունը րոպեներով",
|
"plural_usage_info": "",
|
||||||
"success_creating_resource": "Ռեսուրսը հաջողությամբ ստեղծվել է։",
|
"show_only_internal": "Ցույց տալ միայն ներքին բաղադրատոմսերը",
|
||||||
"success_deleting_resource": "Ռեսուրսը հաջողությամբ ջնջվել է։",
|
"step_time_minutes": "Քայլի տևողությունը րոպեներով",
|
||||||
"success_fetching_resource": "Ռեսուրսը հաջողությամբ կցվել է։",
|
"success_creating_resource": "Ռեսուրսը հաջողությամբ ստեղծվել է։",
|
||||||
"success_updating_resource": "Ռեսուրսը հաջողությամբ թարմացվել է։",
|
"success_deleting_resource": "Ռեսուրսը հաջողությամբ ջնջվել է։",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_fetching_resource": "Ռեսուրսը հաջողությամբ կցվել է։",
|
||||||
"warning_feature_beta": "Այս հատկությունը ԲԵՏԱ տարբերակում է։ Ակնկալեք սխալներ և անգամ խափանող թարմացումներ ապագայում։"
|
"success_updating_resource": "Ռեսուրսը հաջողությամբ թարմացվել է։",
|
||||||
|
"theUsernameCannotBeChanged": "",
|
||||||
|
"warning_feature_beta": "Այս հատկությունը ԲԵՏԱ տարբերակում է։ Ակնկալեք սխալներ և անգամ խափանող թարմացումներ ապագայում։"
|
||||||
}
|
}
|
||||||
@@ -1,471 +1,473 @@
|
|||||||
{
|
{
|
||||||
"API": "",
|
"API": "",
|
||||||
"Account": "",
|
"Access_Token": "",
|
||||||
"Add": "Tambahkan",
|
"Account": "",
|
||||||
"AddFoodToShopping": "",
|
"Add": "Tambahkan",
|
||||||
"AddToShopping": "",
|
"AddFoodToShopping": "",
|
||||||
"Add_Servings_to_Shopping": "",
|
"AddToShopping": "",
|
||||||
"Add_Step": "Tambahkan Langkah",
|
"Add_Servings_to_Shopping": "",
|
||||||
"Add_nutrition_recipe": "Tambahkan nutrisi ke resep",
|
"Add_Step": "Tambahkan Langkah",
|
||||||
"Add_to_Plan": "Tambahkan ke Rencana",
|
"Add_nutrition_recipe": "Tambahkan nutrisi ke resep",
|
||||||
"Add_to_Shopping": "Tambahkan ke Belanja",
|
"Add_to_Plan": "Tambahkan ke Rencana",
|
||||||
"Added_To_Shopping_List": "",
|
"Add_to_Shopping": "Tambahkan ke Belanja",
|
||||||
"Added_by": "",
|
"Added_To_Shopping_List": "",
|
||||||
"Added_on": "",
|
"Added_by": "",
|
||||||
"Advanced": "",
|
"Added_on": "",
|
||||||
"App": "",
|
"Advanced": "",
|
||||||
"Are_You_Sure": "",
|
"App": "",
|
||||||
"Auto_Planner": "",
|
"Are_You_Sure": "",
|
||||||
"Automate": "",
|
"Auto_Planner": "",
|
||||||
"Automation": "Automatis",
|
"Automate": "",
|
||||||
"Bookmarklet": "",
|
"Automation": "Automatis",
|
||||||
"Books": "Buku",
|
"Bookmarklet": "",
|
||||||
"Calories": "Kalori",
|
"Books": "Buku",
|
||||||
"Cancel": "Batal",
|
"Calories": "Kalori",
|
||||||
"Cannot_Add_Notes_To_Shopping": "",
|
"Cancel": "Batal",
|
||||||
"Carbohydrates": "Karbohidrat",
|
"Cannot_Add_Notes_To_Shopping": "",
|
||||||
"Categories": "Kategori",
|
"Carbohydrates": "Karbohidrat",
|
||||||
"Category": "Kategori",
|
"Categories": "Kategori",
|
||||||
"CategoryInstruction": "",
|
"Category": "Kategori",
|
||||||
"CategoryName": "",
|
"CategoryInstruction": "",
|
||||||
"Change_Password": "",
|
"CategoryName": "",
|
||||||
"ChildInheritFields": "",
|
"Change_Password": "",
|
||||||
"ChildInheritFields_help": "",
|
"ChildInheritFields": "",
|
||||||
"Clear": "",
|
"ChildInheritFields_help": "",
|
||||||
"Click_To_Edit": "",
|
"Clear": "",
|
||||||
"Clone": "",
|
"Click_To_Edit": "",
|
||||||
"Close": "Tutup",
|
"Clone": "",
|
||||||
"Color": "",
|
"Close": "Tutup",
|
||||||
"Coming_Soon": "",
|
"Color": "",
|
||||||
"Comments_setting": "",
|
"Coming_Soon": "",
|
||||||
"Completed": "",
|
"Comments_setting": "",
|
||||||
"Copy": "Salin",
|
"Completed": "",
|
||||||
"Copy Link": "Salin Tautan",
|
"Copy": "Salin",
|
||||||
"Copy Token": "Salin Token",
|
"Copy Link": "Salin Tautan",
|
||||||
"Copy_template_reference": "Salin referensi template",
|
"Copy Token": "Salin Token",
|
||||||
"Cosmetic": "",
|
"Copy_template_reference": "Salin referensi template",
|
||||||
"CountMore": "",
|
"Cosmetic": "",
|
||||||
"Create": "Membuat",
|
"CountMore": "",
|
||||||
"Create Food": "",
|
"Create": "Membuat",
|
||||||
"Create_Meal_Plan_Entry": "",
|
"Create Food": "",
|
||||||
"Create_New_Food": "",
|
"Create_Meal_Plan_Entry": "",
|
||||||
"Create_New_Keyword": "",
|
"Create_New_Food": "",
|
||||||
"Create_New_Meal_Type": "",
|
"Create_New_Keyword": "",
|
||||||
"Create_New_Shopping Category": "",
|
"Create_New_Meal_Type": "",
|
||||||
"Create_New_Shopping_Category": "",
|
"Create_New_Shopping Category": "",
|
||||||
"Create_New_Unit": "",
|
"Create_New_Shopping_Category": "",
|
||||||
"Current_Period": "",
|
"Create_New_Unit": "",
|
||||||
"Custom Filter": "",
|
"Current_Period": "",
|
||||||
"Date": "Tanggal",
|
"Custom Filter": "",
|
||||||
"Day": "",
|
"Date": "Tanggal",
|
||||||
"Days": "",
|
"Day": "",
|
||||||
"Decimals": "",
|
"Days": "",
|
||||||
"Default_Unit": "",
|
"Decimals": "",
|
||||||
"DelayFor": "",
|
"Default_Unit": "",
|
||||||
"DelayUntil": "",
|
"DelayFor": "",
|
||||||
"Delete": "Menghapus",
|
"DelayUntil": "",
|
||||||
"DeleteShoppingConfirm": "",
|
"Delete": "Menghapus",
|
||||||
"Delete_Food": "",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Hapus Kata Kunci",
|
"DeleteShoppingConfirm": "",
|
||||||
"Description": "",
|
"Delete_Food": "",
|
||||||
"Disable": "",
|
"Delete_Keyword": "Hapus Kata Kunci",
|
||||||
"Disable_Amount": "Nonaktifkan Jumlah",
|
"Description": "",
|
||||||
"Disabled": "",
|
"Disable": "",
|
||||||
"Documentation": "",
|
"Disable_Amount": "Nonaktifkan Jumlah",
|
||||||
"Download": "Unduh",
|
"Disabled": "",
|
||||||
"Drag_Here_To_Delete": "",
|
"Documentation": "",
|
||||||
"Edit": "Sunting",
|
"Download": "Unduh",
|
||||||
"Edit_Food": "Sunting Makanan",
|
"Drag_Here_To_Delete": "",
|
||||||
"Edit_Keyword": "Rubah Kata Kunci",
|
"Edit": "Sunting",
|
||||||
"Edit_Meal_Plan_Entry": "",
|
"Edit_Food": "Sunting Makanan",
|
||||||
"Edit_Recipe": "Rubah Resep",
|
"Edit_Keyword": "Rubah Kata Kunci",
|
||||||
"Empty": "",
|
"Edit_Meal_Plan_Entry": "",
|
||||||
"Enable_Amount": "Aktifkan Jumlah",
|
"Edit_Recipe": "Rubah Resep",
|
||||||
"Energy": "Energi",
|
"Empty": "",
|
||||||
"Export": "Ekspor",
|
"Enable_Amount": "Aktifkan Jumlah",
|
||||||
"Export_As_ICal": "",
|
"Energy": "Energi",
|
||||||
"Export_Not_Yet_Supported": "",
|
"Export": "Ekspor",
|
||||||
"Export_Supported": "",
|
"Export_As_ICal": "",
|
||||||
"Export_To_ICal": "",
|
"Export_Not_Yet_Supported": "",
|
||||||
"External": "Luar",
|
"Export_Supported": "",
|
||||||
"External_Recipe_Image": "Gambar Resep Eksternal",
|
"Export_To_ICal": "",
|
||||||
"Failure": "Kegagalan",
|
"External": "Luar",
|
||||||
"Fats": "Lemak",
|
"External_Recipe_Image": "Gambar Resep Eksternal",
|
||||||
"File": "Berkas",
|
"Failure": "Kegagalan",
|
||||||
"Files": "File",
|
"Fats": "Lemak",
|
||||||
"First_name": "",
|
"File": "Berkas",
|
||||||
"Food": "",
|
"Files": "File",
|
||||||
"FoodInherit": "",
|
"First_name": "",
|
||||||
"FoodNotOnHand": "",
|
"Food": "",
|
||||||
"FoodOnHand": "",
|
"FoodInherit": "",
|
||||||
"Food_Alias": "",
|
"FoodNotOnHand": "",
|
||||||
"Foods": "",
|
"FoodOnHand": "",
|
||||||
"GroupBy": "",
|
"Food_Alias": "",
|
||||||
"Hide_Food": "",
|
"Foods": "",
|
||||||
"Hide_Keyword": "",
|
"GroupBy": "",
|
||||||
"Hide_Keywords": "Sembunyikan Kata Kunci",
|
"Hide_Food": "",
|
||||||
"Hide_Recipes": "Sembunyikan Resep",
|
"Hide_Keyword": "",
|
||||||
"Hide_as_header": "Sembunyikan sebagai tajuk",
|
"Hide_Keywords": "Sembunyikan Kata Kunci",
|
||||||
"Hour": "",
|
"Hide_Recipes": "Sembunyikan Resep",
|
||||||
"Hours": "",
|
"Hide_as_header": "Sembunyikan sebagai tajuk",
|
||||||
"Icon": "",
|
"Hour": "",
|
||||||
"IgnoreThis": "",
|
"Hours": "",
|
||||||
"Ignore_Shopping": "Abaikan Belanja",
|
"Icon": "",
|
||||||
"IgnoredFood": "",
|
"IgnoreThis": "",
|
||||||
"Image": "Gambar",
|
"Ignore_Shopping": "Abaikan Belanja",
|
||||||
"Import": "Impor",
|
"IgnoredFood": "",
|
||||||
"Import_Error": "",
|
"Image": "Gambar",
|
||||||
"Import_Not_Yet_Supported": "",
|
"Import": "Impor",
|
||||||
"Import_Result_Info": "",
|
"Import_Error": "",
|
||||||
"Import_Supported": "",
|
"Import_Not_Yet_Supported": "",
|
||||||
"Import_finished": "Impor selesai",
|
"Import_Result_Info": "",
|
||||||
"Imported": "",
|
"Import_Supported": "",
|
||||||
"Imported_From": "",
|
"Import_finished": "Impor selesai",
|
||||||
"Importer_Help": "",
|
"Imported": "",
|
||||||
"Information": "Informasi",
|
"Imported_From": "",
|
||||||
"Ingredient Editor": "Editor Bahan",
|
"Importer_Help": "",
|
||||||
"Ingredient Overview": "",
|
"Information": "Informasi",
|
||||||
"IngredientInShopping": "",
|
"Ingredient Editor": "Editor Bahan",
|
||||||
"Ingredients": "bahan-bahan",
|
"Ingredient Overview": "",
|
||||||
"Inherit": "",
|
"IngredientInShopping": "",
|
||||||
"InheritFields": "",
|
"Ingredients": "bahan-bahan",
|
||||||
"InheritFields_help": "",
|
"Inherit": "",
|
||||||
"InheritWarning": "",
|
"InheritFields": "",
|
||||||
"Instructions": "",
|
"InheritFields_help": "",
|
||||||
"Internal": "",
|
"InheritWarning": "",
|
||||||
"Invites": "",
|
"Instructions": "",
|
||||||
"Key_Ctrl": "",
|
"Internal": "",
|
||||||
"Key_Shift": "",
|
"Invites": "",
|
||||||
"Keyword": "",
|
"Key_Ctrl": "",
|
||||||
"Keyword_Alias": "",
|
"Key_Shift": "",
|
||||||
"Keywords": "Kata Kunci",
|
"Keyword": "",
|
||||||
"Language": "",
|
"Keyword_Alias": "",
|
||||||
"Last_name": "",
|
"Keywords": "Kata Kunci",
|
||||||
"Link": "Link",
|
"Language": "",
|
||||||
"Load_More": "Muat lebih banyak",
|
"Last_name": "",
|
||||||
"Log_Cooking": "Log Memasak",
|
"Link": "Link",
|
||||||
"Log_Recipe_Cooking": "Log Resep Memasak",
|
"Load_More": "Muat lebih banyak",
|
||||||
"Make_Header": "Buat Header",
|
"Log_Cooking": "Log Memasak",
|
||||||
"Make_Ingredient": "Buat bahan",
|
"Log_Recipe_Cooking": "Log Resep Memasak",
|
||||||
"Manage_Books": "Kelola Buku",
|
"Make_Header": "Buat Header",
|
||||||
"Manage_Emails": "",
|
"Make_Ingredient": "Buat bahan",
|
||||||
"Meal_Plan": "rencana makan",
|
"Manage_Books": "Kelola Buku",
|
||||||
"Meal_Plan_Days": "",
|
"Manage_Emails": "",
|
||||||
"Meal_Type": "",
|
"Meal_Plan": "rencana makan",
|
||||||
"Meal_Type_Required": "",
|
"Meal_Plan_Days": "",
|
||||||
"Meal_Types": "",
|
"Meal_Type": "",
|
||||||
"Merge": "Menggabungkan",
|
"Meal_Type_Required": "",
|
||||||
"Merge_Keyword": "Gabungkan Kata Kunci",
|
"Meal_Types": "",
|
||||||
"Message": "",
|
"Merge": "Menggabungkan",
|
||||||
"Month": "",
|
"Merge_Keyword": "Gabungkan Kata Kunci",
|
||||||
"Move": "Bergerak",
|
"Message": "",
|
||||||
"MoveCategory": "",
|
"Month": "",
|
||||||
"Move_Down": "Pindahkan kebawah",
|
"Move": "Bergerak",
|
||||||
"Move_Food": "",
|
"MoveCategory": "",
|
||||||
"Move_Keyword": "Pindahkan Kata Kunci",
|
"Move_Down": "Pindahkan kebawah",
|
||||||
"Move_Up": "Pindahkan keatas",
|
"Move_Food": "",
|
||||||
"Multiple": "",
|
"Move_Keyword": "Pindahkan Kata Kunci",
|
||||||
"Name": "",
|
"Move_Up": "Pindahkan keatas",
|
||||||
"Nav_Color": "",
|
"Multiple": "",
|
||||||
"Nav_Color_Help": "",
|
"Name": "",
|
||||||
"New": "Baru",
|
"Nav_Color": "",
|
||||||
"New_Cookbook": "",
|
"Nav_Color_Help": "",
|
||||||
"New_Entry": "",
|
"New": "Baru",
|
||||||
"New_Food": "",
|
"New_Cookbook": "",
|
||||||
"New_Keyword": "Kata Kunci Baru",
|
"New_Entry": "",
|
||||||
"New_Meal_Type": "",
|
"New_Food": "",
|
||||||
"New_Recipe": "Resep Baru",
|
"New_Keyword": "Kata Kunci Baru",
|
||||||
"New_Supermarket": "",
|
"New_Meal_Type": "",
|
||||||
"New_Supermarket_Category": "",
|
"New_Recipe": "Resep Baru",
|
||||||
"New_Unit": "",
|
"New_Supermarket": "",
|
||||||
"Next_Day": "",
|
"New_Supermarket_Category": "",
|
||||||
"Next_Period": "",
|
"New_Unit": "",
|
||||||
"NoCategory": "",
|
"Next_Day": "",
|
||||||
"No_ID": "",
|
"Next_Period": "",
|
||||||
"No_Results": "",
|
"NoCategory": "",
|
||||||
"NotInShopping": "",
|
"No_ID": "",
|
||||||
"Note": "Catatan",
|
"No_Results": "",
|
||||||
"Nutrition": "Nutrisi",
|
"NotInShopping": "",
|
||||||
"OfflineAlert": "",
|
"Note": "Catatan",
|
||||||
"Ok": "Membuka",
|
"Nutrition": "Nutrisi",
|
||||||
"OnHand": "",
|
"OfflineAlert": "",
|
||||||
"OnHand_help": "",
|
"Ok": "Membuka",
|
||||||
"Open": "Membuka",
|
"OnHand": "",
|
||||||
"Options": "",
|
"OnHand_help": "",
|
||||||
"Page": "",
|
"Open": "Membuka",
|
||||||
"Parameter": "Parameter",
|
"Options": "",
|
||||||
"Parent": "Induk",
|
"Page": "",
|
||||||
"Period": "",
|
"Parameter": "Parameter",
|
||||||
"Periods": "",
|
"Parent": "Induk",
|
||||||
"Pin": "",
|
"Period": "",
|
||||||
"Pinned": "",
|
"Periods": "",
|
||||||
"Plan_Period_To_Show": "",
|
"Pin": "",
|
||||||
"Plan_Show_How_Many_Periods": "",
|
"Pinned": "",
|
||||||
"Planned": "",
|
"Plan_Period_To_Show": "",
|
||||||
"Planner": "",
|
"Plan_Show_How_Many_Periods": "",
|
||||||
"Planner_Settings": "",
|
"Planned": "",
|
||||||
"Preferences": "",
|
"Planner": "",
|
||||||
"Preparation": "Persiapan",
|
"Planner_Settings": "",
|
||||||
"Previous_Day": "",
|
"Preferences": "",
|
||||||
"Previous_Period": "",
|
"Preparation": "Persiapan",
|
||||||
"Print": "Mencetak",
|
"Previous_Day": "",
|
||||||
"Private_Recipe": "Resep Pribadi",
|
"Previous_Period": "",
|
||||||
"Private_Recipe_Help": "Resep hanya diperlihatkan kepada Anda dan orang-orang yang dibagikan resep tersebut.",
|
"Print": "Mencetak",
|
||||||
"Profile": "",
|
"Private_Recipe": "Resep Pribadi",
|
||||||
"Protected": "Terlindung",
|
"Private_Recipe_Help": "Resep hanya diperlihatkan kepada Anda dan orang-orang yang dibagikan resep tersebut.",
|
||||||
"Proteins": "Protein",
|
"Profile": "",
|
||||||
"Quick actions": "",
|
"Protected": "Terlindung",
|
||||||
"QuickEntry": "",
|
"Proteins": "Protein",
|
||||||
"Random Recipes": "",
|
"Quick actions": "",
|
||||||
"Rating": "Peringkat",
|
"QuickEntry": "",
|
||||||
"Ratings": "",
|
"Random Recipes": "",
|
||||||
"Recently_Viewed": "baru saja dilihat",
|
"Rating": "Peringkat",
|
||||||
"Recipe": "",
|
"Ratings": "",
|
||||||
"Recipe_Book": "",
|
"Recently_Viewed": "baru saja dilihat",
|
||||||
"Recipe_Image": "Gambar Resep",
|
"Recipe": "",
|
||||||
"Recipes": "Resep",
|
"Recipe_Book": "",
|
||||||
"Recipes_In_Import": "",
|
"Recipe_Image": "Gambar Resep",
|
||||||
"Recipes_per_page": "Resep per Halaman",
|
"Recipes": "Resep",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "",
|
||||||
"RemoveFoodFromShopping": "",
|
"Recipes_per_page": "Resep per Halaman",
|
||||||
"Remove_nutrition_recipe": "Hapus nutrisi dari resep",
|
"Remove": "",
|
||||||
"Reset": "",
|
"RemoveFoodFromShopping": "",
|
||||||
"Reset_Search": "Setel Ulang Pencarian",
|
"Remove_nutrition_recipe": "Hapus nutrisi dari resep",
|
||||||
"Root": "Akar",
|
"Reset": "",
|
||||||
"Save": "Menyimpan",
|
"Reset_Search": "Setel Ulang Pencarian",
|
||||||
"Save_and_View": "Simpan & Lihat",
|
"Root": "Akar",
|
||||||
"Search": "Mencari",
|
"Save": "Menyimpan",
|
||||||
"Search Settings": "Pengaturan Pencarian",
|
"Save_and_View": "Simpan & Lihat",
|
||||||
"Second": "",
|
"Search": "Mencari",
|
||||||
"Seconds": "",
|
"Search Settings": "Pengaturan Pencarian",
|
||||||
"Select": "",
|
"Second": "",
|
||||||
"Select_App_To_Import": "",
|
"Seconds": "",
|
||||||
"Select_Book": "Pilih Buku",
|
"Select": "",
|
||||||
"Select_File": "Pilih Buku",
|
"Select_App_To_Import": "",
|
||||||
"Selected": "Terpilih",
|
"Select_Book": "Pilih Buku",
|
||||||
"Servings": "Porsi",
|
"Select_File": "Pilih Buku",
|
||||||
"Settings": "Pengaturan",
|
"Selected": "Terpilih",
|
||||||
"Share": "Bagikan",
|
"Servings": "Porsi",
|
||||||
"Shopping_Categories": "Kategori Belanja",
|
"Settings": "Pengaturan",
|
||||||
"Shopping_Category": "Kategori Belanja",
|
"Share": "Bagikan",
|
||||||
"Shopping_List_Empty": "",
|
"Shopping_Categories": "Kategori Belanja",
|
||||||
"Shopping_list": "",
|
"Shopping_Category": "Kategori Belanja",
|
||||||
"ShowDelayed": "",
|
"Shopping_List_Empty": "",
|
||||||
"ShowUncategorizedFood": "",
|
"Shopping_list": "",
|
||||||
"Show_Week_Numbers": "",
|
"ShowDelayed": "",
|
||||||
"Show_as_header": "Tampilkan sebagai tajuk",
|
"ShowUncategorizedFood": "",
|
||||||
"Single": "",
|
"Show_Week_Numbers": "",
|
||||||
"Size": "Ukuran",
|
"Show_as_header": "Tampilkan sebagai tajuk",
|
||||||
"Social_Authentication": "",
|
"Single": "",
|
||||||
"Sort_by_new": "Urutkan berdasarkan baru",
|
"Size": "Ukuran",
|
||||||
"SpaceMembers": "",
|
"Social_Authentication": "",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Urutkan berdasarkan baru",
|
||||||
"Starting_Day": "",
|
"SpaceMembers": "",
|
||||||
"Step": "Melangkah",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Nama Langkah",
|
"Starting_Day": "",
|
||||||
"Step_Type": "Tipe Langkah",
|
"Step": "Melangkah",
|
||||||
"Step_start_time": "Langkah waktu mulai",
|
"Step_Name": "Nama Langkah",
|
||||||
"Sticky_Nav": "",
|
"Step_Type": "Tipe Langkah",
|
||||||
"Sticky_Nav_Help": "",
|
"Step_start_time": "Langkah waktu mulai",
|
||||||
"SubstituteOnHand": "",
|
"Sticky_Nav": "",
|
||||||
"Success": "Sukses",
|
"Sticky_Nav_Help": "",
|
||||||
"SuccessClipboard": "",
|
"SubstituteOnHand": "",
|
||||||
"Supermarket": "Supermarket",
|
"Success": "Sukses",
|
||||||
"SupermarketCategoriesOnly": "",
|
"SuccessClipboard": "",
|
||||||
"SupermarketName": "",
|
"Supermarket": "Supermarket",
|
||||||
"Supermarkets": "",
|
"SupermarketCategoriesOnly": "",
|
||||||
"System": "",
|
"SupermarketName": "",
|
||||||
"Table_of_Contents": "Daftar isi",
|
"Supermarkets": "",
|
||||||
"Text": "",
|
"System": "",
|
||||||
"Theme": "",
|
"Table_of_Contents": "Daftar isi",
|
||||||
"Time": "",
|
"Text": "",
|
||||||
"Title": "",
|
"Theme": "",
|
||||||
"Title_or_Recipe_Required": "",
|
"Time": "",
|
||||||
"Toggle": "",
|
"Title": "",
|
||||||
"Type": "",
|
"Title_or_Recipe_Required": "",
|
||||||
"Undefined": "",
|
"Toggle": "",
|
||||||
"Unit": "",
|
"Type": "",
|
||||||
"Unit_Alias": "",
|
"Undefined": "",
|
||||||
"Units": "",
|
"Unit": "",
|
||||||
"Unrated": "",
|
"Unit_Alias": "",
|
||||||
"Url_Import": "Impor Url",
|
"Units": "",
|
||||||
"Use_Fractions": "",
|
"Unrated": "",
|
||||||
"Use_Fractions_Help": "",
|
"Url_Import": "Impor Url",
|
||||||
"Use_Kj": "",
|
"Use_Fractions": "",
|
||||||
"User": "",
|
"Use_Fractions_Help": "",
|
||||||
"Username": "",
|
"Use_Kj": "",
|
||||||
"Users": "",
|
"User": "",
|
||||||
"Valid Until": "",
|
"Username": "",
|
||||||
"View": "Melihat",
|
"Users": "",
|
||||||
"View_Recipes": "Lihat Resep",
|
"Valid Until": "",
|
||||||
"Waiting": "Menunggu",
|
"View": "Melihat",
|
||||||
"Warning": "",
|
"View_Recipes": "Lihat Resep",
|
||||||
"Warning_Delete_Supermarket_Category": "",
|
"Waiting": "Menunggu",
|
||||||
"Website": "",
|
"Warning": "",
|
||||||
"Week": "",
|
"Warning_Delete_Supermarket_Category": "",
|
||||||
"Week_Numbers": "",
|
"Website": "",
|
||||||
"Year": "",
|
"Week": "",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "",
|
||||||
"active": "",
|
"Year": "",
|
||||||
"add_keyword": "",
|
"YourSpaces": "",
|
||||||
"additional_options": "",
|
"active": "",
|
||||||
"advanced": "",
|
"add_keyword": "",
|
||||||
"advanced_search_settings": "",
|
"additional_options": "",
|
||||||
"all_fields_optional": "Semua bidang adalah opsional dan dapat dibiarkan kosong.",
|
"advanced": "",
|
||||||
"and": "dan",
|
"advanced_search_settings": "",
|
||||||
"and_down": "",
|
"all_fields_optional": "Semua bidang adalah opsional dan dapat dibiarkan kosong.",
|
||||||
"and_up": "",
|
"and": "dan",
|
||||||
"asc": "",
|
"and_down": "",
|
||||||
"book_filter_help": "",
|
"and_up": "",
|
||||||
"click_image_import": "",
|
"asc": "",
|
||||||
"confirm_delete": "Anda yakin ingin menghapus {object} ini?",
|
"book_filter_help": "",
|
||||||
"convert_internal": "Ubah ke resep internal",
|
"click_image_import": "",
|
||||||
"copy_markdown_table": "",
|
"confirm_delete": "Anda yakin ingin menghapus {object} ini?",
|
||||||
"copy_to_clipboard": "",
|
"convert_internal": "Ubah ke resep internal",
|
||||||
"copy_to_new": "",
|
"copy_markdown_table": "",
|
||||||
"create_food_desc": "",
|
"copy_to_clipboard": "",
|
||||||
"create_rule": "dan buat otomatisasi",
|
"copy_to_new": "",
|
||||||
"create_title": "",
|
"create_food_desc": "",
|
||||||
"created_by": "",
|
"create_rule": "dan buat otomatisasi",
|
||||||
"created_on": "",
|
"create_title": "",
|
||||||
"csv_delim_help": "",
|
"created_by": "",
|
||||||
"csv_delim_label": "",
|
"created_on": "",
|
||||||
"csv_prefix_help": "",
|
"csv_delim_help": "",
|
||||||
"csv_prefix_label": "",
|
"csv_delim_label": "",
|
||||||
"date_created": "",
|
"csv_prefix_help": "",
|
||||||
"date_viewed": "",
|
"csv_prefix_label": "",
|
||||||
"default_delay": "",
|
"date_created": "",
|
||||||
"default_delay_desc": "",
|
"date_viewed": "",
|
||||||
"del_confirmation_tree": "",
|
"default_delay": "",
|
||||||
"delete_confirmation": "Yakin ingin menghapus {source}?",
|
"default_delay_desc": "",
|
||||||
"delete_title": "",
|
"del_confirmation_tree": "",
|
||||||
"desc": "",
|
"delete_confirmation": "Yakin ingin menghapus {source}?",
|
||||||
"download_csv": "",
|
"delete_title": "",
|
||||||
"download_pdf": "",
|
"desc": "",
|
||||||
"edit_title": "",
|
"download_csv": "",
|
||||||
"empty_list": "",
|
"download_pdf": "",
|
||||||
"enable_expert": "",
|
"edit_title": "",
|
||||||
"err_creating_resource": "Terjadi kesalahan saat membuat sumber daya!",
|
"empty_list": "",
|
||||||
"err_deleting_protected_resource": "Objek yang Anda coba hapus masih digunakan dan tidak dapat dihapus.",
|
"enable_expert": "",
|
||||||
"err_deleting_resource": "Terjadi kesalahan saat menghapus sumber daya!",
|
"err_creating_resource": "Terjadi kesalahan saat membuat sumber daya!",
|
||||||
"err_fetching_resource": "Terjadi kesalahan saat memperoleh sumber daya!",
|
"err_deleting_protected_resource": "Objek yang Anda coba hapus masih digunakan dan tidak dapat dihapus.",
|
||||||
"err_merge_self": "",
|
"err_deleting_resource": "Terjadi kesalahan saat menghapus sumber daya!",
|
||||||
"err_merging_resource": "Terjadi kesalahan saat menggabungkan sumber daya!",
|
"err_fetching_resource": "Terjadi kesalahan saat memperoleh sumber daya!",
|
||||||
"err_move_self": "",
|
"err_merge_self": "",
|
||||||
"err_moving_resource": "Terjadi kesalahan saat memindahkan sumber daya!",
|
"err_merging_resource": "Terjadi kesalahan saat menggabungkan sumber daya!",
|
||||||
"err_updating_resource": "Terjadi kesalahan saat memperbarui sumber daya!",
|
"err_move_self": "",
|
||||||
"expert_mode": "",
|
"err_moving_resource": "Terjadi kesalahan saat memindahkan sumber daya!",
|
||||||
"explain": "",
|
"err_updating_resource": "Terjadi kesalahan saat memperbarui sumber daya!",
|
||||||
"fields": "",
|
"expert_mode": "",
|
||||||
"file_upload_disabled": "Unggahan file tidak diaktifkan untuk ruang Anda.",
|
"explain": "",
|
||||||
"filter": "",
|
"fields": "",
|
||||||
"filter_name": "",
|
"file_upload_disabled": "Unggahan file tidak diaktifkan untuk ruang Anda.",
|
||||||
"filter_to_supermarket": "",
|
"filter": "",
|
||||||
"filter_to_supermarket_desc": "",
|
"filter_name": "",
|
||||||
"food_inherit_info": "Bidang pada makanan yang harus diwarisi secara default.",
|
"filter_to_supermarket": "",
|
||||||
"food_recipe_help": "",
|
"filter_to_supermarket_desc": "",
|
||||||
"ignore_shopping_help": "",
|
"food_inherit_info": "Bidang pada makanan yang harus diwarisi secara default.",
|
||||||
"import_duplicates": "",
|
"food_recipe_help": "",
|
||||||
"import_running": "Impor berjalan, harap tunggu!",
|
"ignore_shopping_help": "",
|
||||||
"in_shopping": "",
|
"import_duplicates": "",
|
||||||
"ingredient_list": "",
|
"import_running": "Impor berjalan, harap tunggu!",
|
||||||
"last_cooked": "",
|
"in_shopping": "",
|
||||||
"last_viewed": "",
|
"ingredient_list": "",
|
||||||
"left_handed": "",
|
"last_cooked": "",
|
||||||
"left_handed_help": "",
|
"last_viewed": "",
|
||||||
"make_now": "",
|
"left_handed": "",
|
||||||
"mark_complete": "",
|
"left_handed_help": "",
|
||||||
"mealplan_autoadd_shopping": "",
|
"make_now": "",
|
||||||
"mealplan_autoadd_shopping_desc": "",
|
"mark_complete": "",
|
||||||
"mealplan_autoexclude_onhand": "",
|
"mealplan_autoadd_shopping": "",
|
||||||
"mealplan_autoexclude_onhand_desc": "",
|
"mealplan_autoadd_shopping_desc": "",
|
||||||
"mealplan_autoinclude_related": "",
|
"mealplan_autoexclude_onhand": "",
|
||||||
"mealplan_autoinclude_related_desc": "",
|
"mealplan_autoexclude_onhand_desc": "",
|
||||||
"merge_confirmation": "Ganti <i>{source}</i> dengan <i>{target}</i>",
|
"mealplan_autoinclude_related": "",
|
||||||
"merge_selection": "Ganti semua kemunculan {source} dengan {type} yang dipilih.",
|
"mealplan_autoinclude_related_desc": "",
|
||||||
"merge_title": "",
|
"merge_confirmation": "Ganti <i>{source}</i> dengan <i>{target}</i>",
|
||||||
"min": "min",
|
"merge_selection": "Ganti semua kemunculan {source} dengan {type} yang dipilih.",
|
||||||
"move_confirmation": "Pindahkan <i>{child}</i> ke induk<i>{parent}</i>",
|
"merge_title": "",
|
||||||
"move_selection": "Pilih {type} induk untuk memindahkan {source}.",
|
"min": "min",
|
||||||
"move_title": "",
|
"move_confirmation": "Pindahkan <i>{child}</i> ke induk<i>{parent}</i>",
|
||||||
"no_more_images_found": "",
|
"move_selection": "Pilih {type} induk untuk memindahkan {source}.",
|
||||||
"no_pinned_recipes": "",
|
"move_title": "",
|
||||||
"not": "",
|
"no_more_images_found": "",
|
||||||
"nothing": "",
|
"no_pinned_recipes": "",
|
||||||
"nothing_planned_today": "",
|
"not": "",
|
||||||
"one_url_per_line": "",
|
"nothing": "",
|
||||||
"or": "atau",
|
"nothing_planned_today": "",
|
||||||
"parameter_count": "",
|
"one_url_per_line": "",
|
||||||
"paste_ingredients": "",
|
"or": "atau",
|
||||||
"paste_ingredients_placeholder": "",
|
"parameter_count": "",
|
||||||
"paste_json": "",
|
"paste_ingredients": "",
|
||||||
"plan_share_desc": "",
|
"paste_ingredients_placeholder": "",
|
||||||
"recipe_filter": "",
|
"paste_json": "",
|
||||||
"recipe_name": "",
|
"plan_share_desc": "",
|
||||||
"related_recipes": "",
|
"recipe_filter": "",
|
||||||
"remember_hours": "",
|
"recipe_name": "",
|
||||||
"remember_search": "",
|
"related_recipes": "",
|
||||||
"remove_selection": "",
|
"remember_hours": "",
|
||||||
"reset_children": "",
|
"remember_search": "",
|
||||||
"reset_children_help": "",
|
"remove_selection": "",
|
||||||
"reset_food_inheritance": "",
|
"reset_children": "",
|
||||||
"reset_food_inheritance_info": "",
|
"reset_children_help": "",
|
||||||
"reusable_help_text": "Haruskah tautan undangan dapat digunakan untuk lebih dari satu pengguna.",
|
"reset_food_inheritance": "",
|
||||||
"review_shopping": "",
|
"reset_food_inheritance_info": "",
|
||||||
"save_filter": "",
|
"reusable_help_text": "Haruskah tautan undangan dapat digunakan untuk lebih dari satu pengguna.",
|
||||||
"search_create_help_text": "",
|
"review_shopping": "",
|
||||||
"search_import_help_text": "",
|
"save_filter": "",
|
||||||
"search_no_recipes": "",
|
"search_create_help_text": "",
|
||||||
"search_rank": "",
|
"search_import_help_text": "",
|
||||||
"select_file": "",
|
"search_no_recipes": "",
|
||||||
"select_food": "",
|
"search_rank": "",
|
||||||
"select_keyword": "",
|
"select_file": "",
|
||||||
"select_recipe": "",
|
"select_food": "",
|
||||||
"select_unit": "",
|
"select_keyword": "",
|
||||||
"shared_with": "",
|
"select_recipe": "",
|
||||||
"shopping_add_onhand": "",
|
"select_unit": "",
|
||||||
"shopping_add_onhand_desc": "",
|
"shared_with": "",
|
||||||
"shopping_auto_sync": "",
|
"shopping_add_onhand": "",
|
||||||
"shopping_auto_sync_desc": "",
|
"shopping_add_onhand_desc": "",
|
||||||
"shopping_category_help": "",
|
"shopping_auto_sync": "",
|
||||||
"shopping_recent_days": "",
|
"shopping_auto_sync_desc": "",
|
||||||
"shopping_recent_days_desc": "",
|
"shopping_category_help": "",
|
||||||
"shopping_share": "",
|
"shopping_recent_days": "",
|
||||||
"shopping_share_desc": "",
|
"shopping_recent_days_desc": "",
|
||||||
"show_books": "",
|
"shopping_share": "",
|
||||||
"show_filters": "",
|
"shopping_share_desc": "",
|
||||||
"show_foods": "",
|
"show_books": "",
|
||||||
"show_ingredient_overview": "",
|
"show_filters": "",
|
||||||
"show_keywords": "",
|
"show_foods": "",
|
||||||
"show_only_internal": "Hanya tampilkan resep internal",
|
"show_ingredient_overview": "",
|
||||||
"show_rating": "",
|
"show_keywords": "",
|
||||||
"show_sortby": "",
|
"show_only_internal": "Hanya tampilkan resep internal",
|
||||||
"show_split_screen": "Tampilan Terpisah",
|
"show_rating": "",
|
||||||
"show_sql": "",
|
"show_sortby": "",
|
||||||
"show_units": "",
|
"show_split_screen": "Tampilan Terpisah",
|
||||||
"simple_mode": "",
|
"show_sql": "",
|
||||||
"sort_by": "",
|
"show_units": "",
|
||||||
"sql_debug": "",
|
"simple_mode": "",
|
||||||
"step_time_minutes": "Langkah waktu dalam menit",
|
"sort_by": "",
|
||||||
"substitute_children": "",
|
"sql_debug": "",
|
||||||
"substitute_children_help": "",
|
"step_time_minutes": "Langkah waktu dalam menit",
|
||||||
"substitute_help": "",
|
"substitute_children": "",
|
||||||
"substitute_siblings": "",
|
"substitute_children_help": "",
|
||||||
"substitute_siblings_help": "",
|
"substitute_help": "",
|
||||||
"success_creating_resource": "Berhasil membuat sumber daya!",
|
"substitute_siblings": "",
|
||||||
"success_deleting_resource": "Berhasil menghapus sumber daya!",
|
"substitute_siblings_help": "",
|
||||||
"success_fetching_resource": "Berhasil mengambil sumber daya!",
|
"success_creating_resource": "Berhasil membuat sumber daya!",
|
||||||
"success_merging_resource": "Berhasil menggabungkan sumber daya!",
|
"success_deleting_resource": "Berhasil menghapus sumber daya!",
|
||||||
"success_moving_resource": "Berhasil memindahkan sumber daya!",
|
"success_fetching_resource": "Berhasil mengambil sumber daya!",
|
||||||
"success_updating_resource": "Berhasil memperbarui sumber daya!",
|
"success_merging_resource": "Berhasil menggabungkan sumber daya!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Berhasil memindahkan sumber daya!",
|
||||||
"times_cooked": "",
|
"success_updating_resource": "Berhasil memperbarui sumber daya!",
|
||||||
"today_recipes": "",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "",
|
"times_cooked": "",
|
||||||
"tree_select": "",
|
"today_recipes": "",
|
||||||
"updatedon": "",
|
"tree_root": "",
|
||||||
"view_recipe": "",
|
"tree_select": "",
|
||||||
"warning_duplicate_filter": "",
|
"updatedon": "",
|
||||||
"warning_feature_beta": "Fitur ini saat ini dalam status BETA (pengujian). Mungkin terdapat bug dan perubahan yang penting di masa mendatang (sehingga mungkin terjadi kehilangan data terkait fitur) saat menggunakan fitur ini.",
|
"view_recipe": "",
|
||||||
"warning_space_delete": "Anda dapat menghapus ruang Anda termasuk semua resep, daftar belanja, rencana makan, dan apa pun yang telah Anda buat. Ini tidak dapat dibatalkan! Apakah Anda yakin ingin melakukan ini?"
|
"warning_duplicate_filter": "",
|
||||||
|
"warning_feature_beta": "Fitur ini saat ini dalam status BETA (pengujian). Mungkin terdapat bug dan perubahan yang penting di masa mendatang (sehingga mungkin terjadi kehilangan data terkait fitur) saat menggunakan fitur ini.",
|
||||||
|
"warning_space_delete": "Anda dapat menghapus ruang Anda termasuk semua resep, daftar belanja, rencana makan, dan apa pun yang telah Anda buat. Ini tidak dapat dibatalkan! Apakah Anda yakin ingin melakukan ini?"
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -1,487 +1,489 @@
|
|||||||
{
|
{
|
||||||
"API": "API",
|
"API": "API",
|
||||||
"Account": "Account",
|
"Access_Token": "",
|
||||||
"Add": "Aggiungi",
|
"Account": "Account",
|
||||||
"AddFoodToShopping": "Aggiungi {food} alla tua lista della spesa",
|
"Add": "Aggiungi",
|
||||||
"AddToShopping": "Aggiungi a lista della spesa",
|
"AddFoodToShopping": "Aggiungi {food} alla tua lista della spesa",
|
||||||
"Add_Servings_to_Shopping": "Aggiungi {servings} porzioni alla spesa",
|
"AddToShopping": "Aggiungi a lista della spesa",
|
||||||
"Add_Step": "Aggiungi Step",
|
"Add_Servings_to_Shopping": "Aggiungi {servings} porzioni alla spesa",
|
||||||
"Add_nutrition_recipe": "Aggiungi nutrienti alla ricetta",
|
"Add_Step": "Aggiungi Step",
|
||||||
"Add_to_Plan": "Aggiungi a Piano",
|
"Add_nutrition_recipe": "Aggiungi nutrienti alla ricetta",
|
||||||
"Add_to_Shopping": "Aggiunti agli acquisti",
|
"Add_to_Plan": "Aggiungi a Piano",
|
||||||
"Added_To_Shopping_List": "Aggiunto alla lista della spesa",
|
"Add_to_Shopping": "Aggiunti agli acquisti",
|
||||||
"Added_by": "Aggiunto da",
|
"Added_To_Shopping_List": "Aggiunto alla lista della spesa",
|
||||||
"Added_on": "Aggiunto il",
|
"Added_by": "Aggiunto da",
|
||||||
"Advanced": "Avanzate",
|
"Added_on": "Aggiunto il",
|
||||||
"Advanced Search Settings": "Impostazioni avanzate di ricerca",
|
"Advanced": "Avanzate",
|
||||||
"Amount": "Quantità",
|
"Advanced Search Settings": "Impostazioni avanzate di ricerca",
|
||||||
"App": "Applicazione",
|
"Amount": "Quantità",
|
||||||
"Are_You_Sure": "Sei sicuro?",
|
"App": "Applicazione",
|
||||||
"Auto_Planner": "Pianificazione automatica",
|
"Are_You_Sure": "Sei sicuro?",
|
||||||
"Auto_Sort": "Ordinamento Automatico",
|
"Auto_Planner": "Pianificazione automatica",
|
||||||
"Auto_Sort_Help": "Sposta tutti gli ingredienti allo step più adatto.",
|
"Auto_Sort": "Ordinamento Automatico",
|
||||||
"Automate": "Automatizza",
|
"Auto_Sort_Help": "Sposta tutti gli ingredienti allo step più adatto.",
|
||||||
"Automation": "Automazione",
|
"Automate": "Automatizza",
|
||||||
"Bookmarklet": "Segnalibro",
|
"Automation": "Automazione",
|
||||||
"Books": "Libri",
|
"Bookmarklet": "Segnalibro",
|
||||||
"Calories": "Calorie",
|
"Books": "Libri",
|
||||||
"Cancel": "Annulla",
|
"Calories": "Calorie",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Le note non possono essere aggiunte alla lista della spesa",
|
"Cancel": "Annulla",
|
||||||
"Carbohydrates": "Carboidrati",
|
"Cannot_Add_Notes_To_Shopping": "Le note non possono essere aggiunte alla lista della spesa",
|
||||||
"Categories": "Categorie",
|
"Carbohydrates": "Carboidrati",
|
||||||
"Category": "Categoria",
|
"Categories": "Categorie",
|
||||||
"CategoryInstruction": "Trascina le categorie per cambiare l'ordine in cui appaiono nella lista della spesa.",
|
"Category": "Categoria",
|
||||||
"CategoryName": "Nome categoria",
|
"CategoryInstruction": "Trascina le categorie per cambiare l'ordine in cui appaiono nella lista della spesa.",
|
||||||
"Change_Password": "Cambia password",
|
"CategoryName": "Nome categoria",
|
||||||
"ChildInheritFields": "Gli eredi ereditano i valori",
|
"Change_Password": "Cambia password",
|
||||||
"Clear": "Pulisci",
|
"ChildInheritFields": "Gli eredi ereditano i valori",
|
||||||
"Click_To_Edit": "Clicca per modificare",
|
"Clear": "Pulisci",
|
||||||
"Clone": "Duplica",
|
"Click_To_Edit": "Clicca per modificare",
|
||||||
"Close": "Chiudi",
|
"Clone": "Duplica",
|
||||||
"Color": "Colore",
|
"Close": "Chiudi",
|
||||||
"Combine_All_Steps": "Combina tutti gli step in un singolo campo.",
|
"Color": "Colore",
|
||||||
"Coming_Soon": "In-Arrivo",
|
"Combine_All_Steps": "Combina tutti gli step in un singolo campo.",
|
||||||
"Comments_setting": "Mostra commenti",
|
"Coming_Soon": "In-Arrivo",
|
||||||
"Completed": "Completato",
|
"Comments_setting": "Mostra commenti",
|
||||||
"Copy": "Copia",
|
"Completed": "Completato",
|
||||||
"Copy Link": "Copia link",
|
"Copy": "Copia",
|
||||||
"Copy Token": "Copia token",
|
"Copy Link": "Copia link",
|
||||||
"Copy_template_reference": "Copia riferimento template",
|
"Copy Token": "Copia token",
|
||||||
"Cosmetic": "Aspetto",
|
"Copy_template_reference": "Copia riferimento template",
|
||||||
"CountMore": "...più +{count}",
|
"Cosmetic": "Aspetto",
|
||||||
"Create": "Crea",
|
"CountMore": "...più +{count}",
|
||||||
"Create Food": "Crea alimento",
|
"Create": "Crea",
|
||||||
"Create_Meal_Plan_Entry": "Crea voce nel piano alimentare",
|
"Create Food": "Crea alimento",
|
||||||
"Create_New_Food": "Aggiungi nuovo alimento",
|
"Create_Meal_Plan_Entry": "Crea voce nel piano alimentare",
|
||||||
"Create_New_Keyword": "Aggiungi nuova parola chiave",
|
"Create_New_Food": "Aggiungi nuovo alimento",
|
||||||
"Create_New_Meal_Type": "Aggiungi nuovo tipo di pasto",
|
"Create_New_Keyword": "Aggiungi nuova parola chiave",
|
||||||
"Create_New_Shopping Category": "Crea nuova categoria della spesa",
|
"Create_New_Meal_Type": "Aggiungi nuovo tipo di pasto",
|
||||||
"Create_New_Shopping_Category": "Aggiungi nuova categoria di spesa",
|
"Create_New_Shopping Category": "Crea nuova categoria della spesa",
|
||||||
"Create_New_Unit": "Aggiungi nuova unità",
|
"Create_New_Shopping_Category": "Aggiungi nuova categoria di spesa",
|
||||||
"Current_Period": "Periodo attuale",
|
"Create_New_Unit": "Aggiungi nuova unità",
|
||||||
"Custom Filter": "Filtro personalizzato",
|
"Current_Period": "Periodo attuale",
|
||||||
"Date": "Data",
|
"Custom Filter": "Filtro personalizzato",
|
||||||
"Day": "Giorno",
|
"Date": "Data",
|
||||||
"Days": "Giorni",
|
"Day": "Giorno",
|
||||||
"Decimals": "Decimali",
|
"Days": "Giorni",
|
||||||
"Default_Unit": "Unità predefinita",
|
"Decimals": "Decimali",
|
||||||
"DelayFor": "Ritarda per {hours} ore",
|
"Default_Unit": "Unità predefinita",
|
||||||
"DelayUntil": "Ritarda fino a",
|
"DelayFor": "Ritarda per {hours} ore",
|
||||||
"Delete": "Elimina",
|
"DelayUntil": "Ritarda fino a",
|
||||||
"DeleteShoppingConfirm": "Sei sicuro di voler rimuovere tutto {food} dalla lista della spesa?",
|
"Delete": "Elimina",
|
||||||
"Delete_Food": "Elimina alimento",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Elimina parola chiave",
|
"DeleteShoppingConfirm": "Sei sicuro di voler rimuovere tutto {food} dalla lista della spesa?",
|
||||||
"Description": "Descrizione",
|
"Delete_Food": "Elimina alimento",
|
||||||
"Description_Replace": "Sostituisci descrizione",
|
"Delete_Keyword": "Elimina parola chiave",
|
||||||
"Disable": "Disabilita",
|
"Description": "Descrizione",
|
||||||
"Disable_Amount": "Disabilita Quantità",
|
"Description_Replace": "Sostituisci descrizione",
|
||||||
"Disabled": "Disabilitato",
|
"Disable": "Disabilita",
|
||||||
"Documentation": "Documentazione",
|
"Disable_Amount": "Disabilita Quantità",
|
||||||
"Download": "Scarica",
|
"Disabled": "Disabilitato",
|
||||||
"Drag_Here_To_Delete": "Sposta qui per eliminare",
|
"Documentation": "Documentazione",
|
||||||
"Edit": "Modifica",
|
"Download": "Scarica",
|
||||||
"Edit_Food": "Modifica alimento",
|
"Drag_Here_To_Delete": "Sposta qui per eliminare",
|
||||||
"Edit_Keyword": "Modifica parola chiave",
|
"Edit": "Modifica",
|
||||||
"Edit_Meal_Plan_Entry": "Modifica voce del piano alimentare",
|
"Edit_Food": "Modifica alimento",
|
||||||
"Edit_Recipe": "Modifica Ricetta",
|
"Edit_Keyword": "Modifica parola chiave",
|
||||||
"Empty": "Vuoto",
|
"Edit_Meal_Plan_Entry": "Modifica voce del piano alimentare",
|
||||||
"Enable_Amount": "Abilita Quantità",
|
"Edit_Recipe": "Modifica Ricetta",
|
||||||
"Energy": "Energia",
|
"Empty": "Vuoto",
|
||||||
"Export": "Esporta",
|
"Enable_Amount": "Abilita Quantità",
|
||||||
"Export_As_ICal": "Esporta il periodo attuale in formato .iCal",
|
"Energy": "Energia",
|
||||||
"Export_Not_Yet_Supported": "Esportazione non ancora supportata",
|
"Export": "Esporta",
|
||||||
"Export_Supported": "Esportazione supportata",
|
"Export_As_ICal": "Esporta il periodo attuale in formato .iCal",
|
||||||
"Export_To_ICal": "Esporta .ics",
|
"Export_Not_Yet_Supported": "Esportazione non ancora supportata",
|
||||||
"External": "Esterna",
|
"Export_Supported": "Esportazione supportata",
|
||||||
"External_Recipe_Image": "Immagine ricetta esterna",
|
"Export_To_ICal": "Esporta .ics",
|
||||||
"Failure": "Errore",
|
"External": "Esterna",
|
||||||
"Fats": "Grassi",
|
"External_Recipe_Image": "Immagine ricetta esterna",
|
||||||
"File": "File",
|
"Failure": "Errore",
|
||||||
"Files": "File",
|
"Fats": "Grassi",
|
||||||
"First_name": "Nome",
|
"File": "File",
|
||||||
"Food": "Alimento",
|
"Files": "File",
|
||||||
"FoodInherit": "Campi ereditabili dagli Alimenti",
|
"First_name": "Nome",
|
||||||
"FoodNotOnHand": "Non hai {food} a disposizione.",
|
"Food": "Alimento",
|
||||||
"FoodOnHand": "Hai {food} a disposizione.",
|
"FoodInherit": "Campi ereditabili dagli Alimenti",
|
||||||
"Food_Alias": "Alias Alimento",
|
"FoodNotOnHand": "Non hai {food} a disposizione.",
|
||||||
"Foods": "Alimenti",
|
"FoodOnHand": "Hai {food} a disposizione.",
|
||||||
"GroupBy": "Raggruppa per",
|
"Food_Alias": "Alias Alimento",
|
||||||
"Hide_Food": "Nascondi alimento",
|
"Foods": "Alimenti",
|
||||||
"Hide_Keyword": "Nascondi parole chiave",
|
"GroupBy": "Raggruppa per",
|
||||||
"Hide_Keywords": "Nascondi parola chiave",
|
"Hide_Food": "Nascondi alimento",
|
||||||
"Hide_Recipes": "Nascondi Ricette",
|
"Hide_Keyword": "Nascondi parole chiave",
|
||||||
"Hide_as_header": "Nascondi come intestazione",
|
"Hide_Keywords": "Nascondi parola chiave",
|
||||||
"Hour": "Ora",
|
"Hide_Recipes": "Nascondi Ricette",
|
||||||
"Hours": "Ore",
|
"Hide_as_header": "Nascondi come intestazione",
|
||||||
"Icon": "Icona",
|
"Hour": "Ora",
|
||||||
"IgnoreThis": "Non aggiungere mai {food} alla spesa",
|
"Hours": "Ore",
|
||||||
"Ignore_Shopping": "Ignora spesa",
|
"Icon": "Icona",
|
||||||
"IgnoredFood": "{food} è impostato per ignorare la spesa.",
|
"IgnoreThis": "Non aggiungere mai {food} alla spesa",
|
||||||
"Image": "Immagine",
|
"Ignore_Shopping": "Ignora spesa",
|
||||||
"Import": "Importa",
|
"IgnoredFood": "{food} è impostato per ignorare la spesa.",
|
||||||
"Import_Error": "Si è verificato un errore durante l'importazione. Per avere maggiori informazioni, espandi la sezione dettagli in fondo alla pagina.",
|
"Image": "Immagine",
|
||||||
"Import_Not_Yet_Supported": "Importazione non ancora supportata",
|
"Import": "Importa",
|
||||||
"Import_Result_Info": "{imported} di {total} ricette sono state importate",
|
"Import_Error": "Si è verificato un errore durante l'importazione. Per avere maggiori informazioni, espandi la sezione dettagli in fondo alla pagina.",
|
||||||
"Import_Supported": "Importazione supportata",
|
"Import_Not_Yet_Supported": "Importazione non ancora supportata",
|
||||||
"Import_finished": "Importazione completata",
|
"Import_Result_Info": "{imported} di {total} ricette sono state importate",
|
||||||
"Imported": "Importato",
|
"Import_Supported": "Importazione supportata",
|
||||||
"Imported_From": "Importato da",
|
"Import_finished": "Importazione completata",
|
||||||
"Importer_Help": "Per altre informazioni e aiuto su questo importer:",
|
"Imported": "Importato",
|
||||||
"Information": "Informazioni",
|
"Imported_From": "Importato da",
|
||||||
"Ingredient Editor": "Editor Ingredienti",
|
"Importer_Help": "Per altre informazioni e aiuto su questo importer:",
|
||||||
"Ingredient Overview": "Panoramica Ingredienti",
|
"Information": "Informazioni",
|
||||||
"IngredientInShopping": "Questo ingrediente è nella tua lista della spesa.",
|
"Ingredient Editor": "Editor Ingredienti",
|
||||||
"Ingredients": "Ingredienti",
|
"Ingredient Overview": "Panoramica Ingredienti",
|
||||||
"Inherit": "Eredita",
|
"IngredientInShopping": "Questo ingrediente è nella tua lista della spesa.",
|
||||||
"InheritFields": "Eredita i valori dei campi",
|
"Ingredients": "Ingredienti",
|
||||||
"InheritWarning": "{food} è impostato per ereditare, i cambiamenti potrebbero non essere applicati.",
|
"Inherit": "Eredita",
|
||||||
"Instruction_Replace": "Sostituisci istruzioni",
|
"InheritFields": "Eredita i valori dei campi",
|
||||||
"Instructions": "Istruzioni",
|
"InheritWarning": "{food} è impostato per ereditare, i cambiamenti potrebbero non essere applicati.",
|
||||||
"Internal": "Interno",
|
"Instruction_Replace": "Sostituisci istruzioni",
|
||||||
"Invites": "Inviti",
|
"Instructions": "Istruzioni",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Internal": "Interno",
|
||||||
"Key_Shift": "Maiusc",
|
"Invites": "Inviti",
|
||||||
"Keyword": "Parola chiave",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keyword_Alias": "Alias Parola Chiave",
|
"Key_Shift": "Maiusc",
|
||||||
"Keywords": "Parole chiave",
|
"Keyword": "Parola chiave",
|
||||||
"Language": "Lingua",
|
"Keyword_Alias": "Alias Parola Chiave",
|
||||||
"Last_name": "Cognome",
|
"Keywords": "Parole chiave",
|
||||||
"Link": "Link",
|
"Language": "Lingua",
|
||||||
"Load_More": "Carica di più",
|
"Last_name": "Cognome",
|
||||||
"Log_Cooking": "Registro ricette cucinate",
|
"Link": "Link",
|
||||||
"Log_Recipe_Cooking": "Aggiungi a ricette cucinate",
|
"Load_More": "Carica di più",
|
||||||
"Make_Header": "Crea Intestazione",
|
"Log_Cooking": "Registro ricette cucinate",
|
||||||
"Make_Ingredient": "Crea Ingrediente",
|
"Log_Recipe_Cooking": "Aggiungi a ricette cucinate",
|
||||||
"Manage_Books": "Gestisci Libri",
|
"Make_Header": "Crea Intestazione",
|
||||||
"Manage_Emails": "Gestisci email",
|
"Make_Ingredient": "Crea Ingrediente",
|
||||||
"Meal_Plan": "Piano alimentare",
|
"Manage_Books": "Gestisci Libri",
|
||||||
"Meal_Plan_Days": "Piani alimentari futuri",
|
"Manage_Emails": "Gestisci email",
|
||||||
"Meal_Type": "Tipo di pasto",
|
"Meal_Plan": "Piano alimentare",
|
||||||
"Meal_Type_Required": "Il tipo di pasto è richiesto",
|
"Meal_Plan_Days": "Piani alimentari futuri",
|
||||||
"Meal_Types": "Tipi di pasto",
|
"Meal_Type": "Tipo di pasto",
|
||||||
"Merge": "Unisci",
|
"Meal_Type_Required": "Il tipo di pasto è richiesto",
|
||||||
"Merge_Keyword": "Unisci parola chiave",
|
"Meal_Types": "Tipi di pasto",
|
||||||
"Message": "Messaggio",
|
"Merge": "Unisci",
|
||||||
"Month": "Mese",
|
"Merge_Keyword": "Unisci parola chiave",
|
||||||
"Move": "Sposta",
|
"Message": "Messaggio",
|
||||||
"MoveCategory": "Sposta in: ",
|
"Month": "Mese",
|
||||||
"Move_Down": "Sposta Sotto",
|
"Move": "Sposta",
|
||||||
"Move_Food": "Sposta alimento",
|
"MoveCategory": "Sposta in: ",
|
||||||
"Move_Keyword": "Sposta parola chiave",
|
"Move_Down": "Sposta Sotto",
|
||||||
"Move_Up": "Sposta Sopra",
|
"Move_Food": "Sposta alimento",
|
||||||
"Multiple": "Multiplo",
|
"Move_Keyword": "Sposta parola chiave",
|
||||||
"Name": "Nome",
|
"Move_Up": "Sposta Sopra",
|
||||||
"Nav_Color": "Colore di navigazione",
|
"Multiple": "Multiplo",
|
||||||
"Nav_Color_Help": "Cambia il colore di navigazione.",
|
"Name": "Nome",
|
||||||
"New": "Nuovo",
|
"Nav_Color": "Colore di navigazione",
|
||||||
"New_Cookbook": "Nuovo libro di ricette",
|
"Nav_Color_Help": "Cambia il colore di navigazione.",
|
||||||
"New_Entry": "Nuova voce",
|
"New": "Nuovo",
|
||||||
"New_Food": "Nuovo alimento",
|
"New_Cookbook": "Nuovo libro di ricette",
|
||||||
"New_Keyword": "Nuova parola chiave",
|
"New_Entry": "Nuova voce",
|
||||||
"New_Meal_Type": "Nuovo tipo di pasto",
|
"New_Food": "Nuovo alimento",
|
||||||
"New_Recipe": "Nuova Ricetta",
|
"New_Keyword": "Nuova parola chiave",
|
||||||
"New_Supermarket": "Crea nuovo supermercato",
|
"New_Meal_Type": "Nuovo tipo di pasto",
|
||||||
"New_Supermarket_Category": "Crea nuova categoria di supermercato",
|
"New_Recipe": "Nuova Ricetta",
|
||||||
"New_Unit": "Nuova unità di misura",
|
"New_Supermarket": "Crea nuovo supermercato",
|
||||||
"Next_Day": "Giorno successivo",
|
"New_Supermarket_Category": "Crea nuova categoria di supermercato",
|
||||||
"Next_Period": "Periodo successivo",
|
"New_Unit": "Nuova unità di misura",
|
||||||
"NoCategory": "Nessuna categoria selezionata.",
|
"Next_Day": "Giorno successivo",
|
||||||
"No_ID": "ID non trovato, non è possibile eliminare.",
|
"Next_Period": "Periodo successivo",
|
||||||
"No_Results": "Nessun risultato",
|
"NoCategory": "Nessuna categoria selezionata.",
|
||||||
"NotInShopping": "{food} non è nella tua lista della spesa.",
|
"No_ID": "ID non trovato, non è possibile eliminare.",
|
||||||
"Note": "Nota",
|
"No_Results": "Nessun risultato",
|
||||||
"Nutrition": "Nutrienti",
|
"NotInShopping": "{food} non è nella tua lista della spesa.",
|
||||||
"OfflineAlert": "Sei offline, le liste della spesa potrebbero non sincronizzarsi.",
|
"Note": "Nota",
|
||||||
"Ok": "Ok",
|
"Nutrition": "Nutrienti",
|
||||||
"OnHand": "Attualmente disponibili",
|
"OfflineAlert": "Sei offline, le liste della spesa potrebbero non sincronizzarsi.",
|
||||||
"OnHand_help": "Gli alimenti sono nell'inventario e non verranno automaticamente aggiunti alla lista della spesa. Lo stato di disponibilità è condiviso con gli utenti di spesa.",
|
"Ok": "Ok",
|
||||||
"Open": "Apri",
|
"OnHand": "Attualmente disponibili",
|
||||||
"Options": "Opzioni",
|
"OnHand_help": "Gli alimenti sono nell'inventario e non verranno automaticamente aggiunti alla lista della spesa. Lo stato di disponibilità è condiviso con gli utenti di spesa.",
|
||||||
"Original_Text": "Testo originale",
|
"Open": "Apri",
|
||||||
"Page": "Pagina",
|
"Options": "Opzioni",
|
||||||
"Parameter": "Parametro",
|
"Original_Text": "Testo originale",
|
||||||
"Parent": "Primario",
|
"Page": "Pagina",
|
||||||
"Period": "Periodo",
|
"Parameter": "Parametro",
|
||||||
"Periods": "Periodi",
|
"Parent": "Primario",
|
||||||
"Pin": "Fissa",
|
"Period": "Periodo",
|
||||||
"Pinned": "Fissato",
|
"Periods": "Periodi",
|
||||||
"PinnedConfirmation": "{recipe} è stata fissata.",
|
"Pin": "Fissa",
|
||||||
"Plan_Period_To_Show": "Mostra settimane, mesi o anni",
|
"Pinned": "Fissato",
|
||||||
"Plan_Show_How_Many_Periods": "Periodo da mostrare",
|
"PinnedConfirmation": "{recipe} è stata fissata.",
|
||||||
"Planned": "Pianificato",
|
"Plan_Period_To_Show": "Mostra settimane, mesi o anni",
|
||||||
"Planner": "Planner",
|
"Plan_Show_How_Many_Periods": "Periodo da mostrare",
|
||||||
"Planner_Settings": "Impostazioni planner",
|
"Planned": "Pianificato",
|
||||||
"Plural": "Plurale",
|
"Planner": "Planner",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Impostazioni planner",
|
||||||
"Preparation": "Preparazione",
|
"Plural": "Plurale",
|
||||||
"Previous_Day": "Giorno precedente",
|
"Preferences": "",
|
||||||
"Previous_Period": "Periodo precedente",
|
"Preparation": "Preparazione",
|
||||||
"Print": "Stampa",
|
"Previous_Day": "Giorno precedente",
|
||||||
"Private_Recipe": "Ricetta privata",
|
"Previous_Period": "Periodo precedente",
|
||||||
"Private_Recipe_Help": "La ricetta viene mostrata solo a te e a chi l'hai condivisa.",
|
"Print": "Stampa",
|
||||||
"Profile": "",
|
"Private_Recipe": "Ricetta privata",
|
||||||
"Protected": "Protetto",
|
"Private_Recipe_Help": "La ricetta viene mostrata solo a te e a chi l'hai condivisa.",
|
||||||
"Proteins": "Proteine",
|
"Profile": "",
|
||||||
"Quick actions": "Azioni rapide",
|
"Protected": "Protetto",
|
||||||
"QuickEntry": "Inserimento rapido",
|
"Proteins": "Proteine",
|
||||||
"Random Recipes": "Ricette casuali",
|
"Quick actions": "Azioni rapide",
|
||||||
"Rating": "Valutazione",
|
"QuickEntry": "Inserimento rapido",
|
||||||
"Ratings": "Valutazioni",
|
"Random Recipes": "Ricette casuali",
|
||||||
"Recently_Viewed": "Visualizzato di recente",
|
"Rating": "Valutazione",
|
||||||
"Recipe": "Ricetta",
|
"Ratings": "Valutazioni",
|
||||||
"Recipe_Book": "Libro di Ricette",
|
"Recently_Viewed": "Visualizzato di recente",
|
||||||
"Recipe_Image": "Immagine ricetta",
|
"Recipe": "Ricetta",
|
||||||
"Recipes": "Ricette",
|
"Recipe_Book": "Libro di Ricette",
|
||||||
"Recipes_In_Import": "Rocette nel tuo file di importazione",
|
"Recipe_Image": "Immagine ricetta",
|
||||||
"Recipes_per_page": "Ricette per pagina",
|
"Recipes": "Ricette",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "Rocette nel tuo file di importazione",
|
||||||
"RemoveFoodFromShopping": "Rimuovi {food} dalla tua lista della spesa",
|
"Recipes_per_page": "Ricette per pagina",
|
||||||
"Remove_nutrition_recipe": "Elimina nutrienti dalla ricetta",
|
"Remove": "",
|
||||||
"Reset": "Azzera",
|
"RemoveFoodFromShopping": "Rimuovi {food} dalla tua lista della spesa",
|
||||||
"Reset_Search": "Ripristina Ricerca",
|
"Remove_nutrition_recipe": "Elimina nutrienti dalla ricetta",
|
||||||
"Root": "Radice",
|
"Reset": "Azzera",
|
||||||
"Save": "Salva",
|
"Reset_Search": "Ripristina Ricerca",
|
||||||
"Save_and_View": "Salva & Mostra",
|
"Root": "Radice",
|
||||||
"Search": "Cerca",
|
"Save": "Salva",
|
||||||
"Search Settings": "Impostazioni di ricerca",
|
"Save_and_View": "Salva & Mostra",
|
||||||
"Second": "Secondo",
|
"Search": "Cerca",
|
||||||
"Seconds": "Secondi",
|
"Search Settings": "Impostazioni di ricerca",
|
||||||
"Select": "Seleziona",
|
"Second": "Secondo",
|
||||||
"Select_App_To_Import": "Seleziona una App da cui importare",
|
"Seconds": "Secondi",
|
||||||
"Select_Book": "Seleziona Libro",
|
"Select": "Seleziona",
|
||||||
"Select_File": "Seleziona file",
|
"Select_App_To_Import": "Seleziona una App da cui importare",
|
||||||
"Selected": "Selezionato",
|
"Select_Book": "Seleziona Libro",
|
||||||
"Servings": "Porzioni",
|
"Select_File": "Seleziona file",
|
||||||
"Settings": "Impostazioni",
|
"Selected": "Selezionato",
|
||||||
"Share": "Condividi",
|
"Servings": "Porzioni",
|
||||||
"Shopping_Categories": "Categorie di spesa",
|
"Settings": "Impostazioni",
|
||||||
"Shopping_Category": "Categoria Spesa",
|
"Share": "Condividi",
|
||||||
"Shopping_List_Empty": "La tua lista della spesa è vuota, puoi aggiungere elementi dal menù contestuale di una voce nel piano alimentare (clicca con il tasto destro sulla scheda o clicca con il tasto sinistro sull'icona del menù)",
|
"Shopping_Categories": "Categorie di spesa",
|
||||||
"Shopping_list": "Lista della spesa",
|
"Shopping_Category": "Categoria Spesa",
|
||||||
"ShowDelayed": "Mostra elementi ritardati",
|
"Shopping_List_Empty": "La tua lista della spesa è vuota, puoi aggiungere elementi dal menù contestuale di una voce nel piano alimentare (clicca con il tasto destro sulla scheda o clicca con il tasto sinistro sull'icona del menù)",
|
||||||
"ShowUncategorizedFood": "Mostra non definiti",
|
"Shopping_list": "Lista della spesa",
|
||||||
"Show_Week_Numbers": "Mostra numeri della settimana?",
|
"ShowDelayed": "Mostra elementi ritardati",
|
||||||
"Show_as_header": "Mostra come intestazione",
|
"ShowUncategorizedFood": "Mostra non definiti",
|
||||||
"Single": "Singolo",
|
"Show_Week_Numbers": "Mostra numeri della settimana?",
|
||||||
"Size": "Dimensione",
|
"Show_as_header": "Mostra come intestazione",
|
||||||
"Social_Authentication": "Autenticazione social",
|
"Single": "Singolo",
|
||||||
"Sort_by_new": "Prima i nuovi",
|
"Size": "Dimensione",
|
||||||
"SpaceMembers": "",
|
"Social_Authentication": "Autenticazione social",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Prima i nuovi",
|
||||||
"Split_All_Steps": "Divide tutte le righe in step separati.",
|
"SpaceMembers": "",
|
||||||
"Starting_Day": "Giorno di inizio della settimana",
|
"SpaceSettings": "",
|
||||||
"Step": "Step",
|
"Split_All_Steps": "Divide tutte le righe in step separati.",
|
||||||
"Step_Name": "Nome dello Step",
|
"Starting_Day": "Giorno di inizio della settimana",
|
||||||
"Step_Type": "Tipo di Step",
|
"Step": "Step",
|
||||||
"Step_start_time": "Ora di inizio dello Step",
|
"Step_Name": "Nome dello Step",
|
||||||
"Sticky_Nav": "Navigazione con menu fissato",
|
"Step_Type": "Tipo di Step",
|
||||||
"Sticky_Nav_Help": "Mostra sempre il menu di navigazione in alto.",
|
"Step_start_time": "Ora di inizio dello Step",
|
||||||
"SubstituteOnHand": "Hai un sostituto disponibile.",
|
"Sticky_Nav": "Navigazione con menu fissato",
|
||||||
"Success": "Riuscito",
|
"Sticky_Nav_Help": "Mostra sempre il menu di navigazione in alto.",
|
||||||
"SuccessClipboard": "Lista della spesa copiata negli appunti",
|
"SubstituteOnHand": "Hai un sostituto disponibile.",
|
||||||
"Supermarket": "Supermercato",
|
"Success": "Riuscito",
|
||||||
"SupermarketCategoriesOnly": "Solo categorie supermercati",
|
"SuccessClipboard": "Lista della spesa copiata negli appunti",
|
||||||
"SupermarketName": "Nome supermercato",
|
"Supermarket": "Supermercato",
|
||||||
"Supermarkets": "Supermercati",
|
"SupermarketCategoriesOnly": "Solo categorie supermercati",
|
||||||
"System": "",
|
"SupermarketName": "Nome supermercato",
|
||||||
"Table_of_Contents": "Indice dei contenuti",
|
"Supermarkets": "Supermercati",
|
||||||
"Text": "Testo",
|
"System": "",
|
||||||
"Theme": "Tema",
|
"Table_of_Contents": "Indice dei contenuti",
|
||||||
"Time": "Tempo",
|
"Text": "Testo",
|
||||||
"Title": "Titolo",
|
"Theme": "Tema",
|
||||||
"Title_or_Recipe_Required": "Sono richiesti titolo o ricetta",
|
"Time": "Tempo",
|
||||||
"Toggle": "Attiva/Disattiva",
|
"Title": "Titolo",
|
||||||
"Type": "Tipo",
|
"Title_or_Recipe_Required": "Sono richiesti titolo o ricetta",
|
||||||
"Undefined": "Non definito",
|
"Toggle": "Attiva/Disattiva",
|
||||||
"Unit": "Unità di misura",
|
"Type": "Tipo",
|
||||||
"Unit_Alias": "Alias Unità",
|
"Undefined": "Non definito",
|
||||||
"Units": "Unità di misura",
|
"Unit": "Unità di misura",
|
||||||
"Unpin": "Non fissare",
|
"Unit_Alias": "Alias Unità",
|
||||||
"UnpinnedConfirmation": "{recipe} non è più fissata.",
|
"Units": "Unità di misura",
|
||||||
"Unrated": "Senza valutazione",
|
"Unpin": "Non fissare",
|
||||||
"Url_Import": "Importa da URL",
|
"UnpinnedConfirmation": "{recipe} non è più fissata.",
|
||||||
"Use_Fractions": "Usa frazioni",
|
"Unrated": "Senza valutazione",
|
||||||
"Use_Fractions_Help": "Converti automaticamente i decimali in frazioni quando apri una ricetta.",
|
"Url_Import": "Importa da URL",
|
||||||
"Use_Kj": "Usa kJ invece di kcal",
|
"Use_Fractions": "Usa frazioni",
|
||||||
"Use_Plural_Food_Always": "Usa sempre il plurale per gli alimenti",
|
"Use_Fractions_Help": "Converti automaticamente i decimali in frazioni quando apri una ricetta.",
|
||||||
"Use_Plural_Food_Simple": "Usa dinamicamente il plurale per gli alimenti",
|
"Use_Kj": "Usa kJ invece di kcal",
|
||||||
"Use_Plural_Unit_Always": "Usa sempre il plurale per le unità di misura",
|
"Use_Plural_Food_Always": "Usa sempre il plurale per gli alimenti",
|
||||||
"Use_Plural_Unit_Simple": "Usa dinamicamente il plurale per le unità di misura",
|
"Use_Plural_Food_Simple": "Usa dinamicamente il plurale per gli alimenti",
|
||||||
"User": "Utente",
|
"Use_Plural_Unit_Always": "Usa sempre il plurale per le unità di misura",
|
||||||
"Username": "Nome utente",
|
"Use_Plural_Unit_Simple": "Usa dinamicamente il plurale per le unità di misura",
|
||||||
"Users": "Utenti",
|
"User": "Utente",
|
||||||
"Valid Until": "Valido fino",
|
"Username": "Nome utente",
|
||||||
"View": "Mostra",
|
"Users": "Utenti",
|
||||||
"View_Recipes": "Mostra ricette",
|
"Valid Until": "Valido fino",
|
||||||
"Waiting": "Attesa",
|
"View": "Mostra",
|
||||||
"Warning": "Attenzione",
|
"View_Recipes": "Mostra ricette",
|
||||||
"Warning_Delete_Supermarket_Category": "L'eliminazione di una categoria di supermercato comporta anche l'eliminazione di tutte le relazioni con gli alimenti. Sei sicuro?",
|
"Waiting": "Attesa",
|
||||||
"Website": "Sito web",
|
"Warning": "Attenzione",
|
||||||
"Week": "Settimana",
|
"Warning_Delete_Supermarket_Category": "L'eliminazione di una categoria di supermercato comporta anche l'eliminazione di tutte le relazioni con gli alimenti. Sei sicuro?",
|
||||||
"Week_Numbers": "Numeri della settimana",
|
"Website": "Sito web",
|
||||||
"Year": "Anno",
|
"Week": "Settimana",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Numeri della settimana",
|
||||||
"active": "",
|
"Year": "Anno",
|
||||||
"add_keyword": "Aggiungi parola chiave",
|
"YourSpaces": "",
|
||||||
"additional_options": "Opzioni aggiuntive",
|
"active": "",
|
||||||
"advanced": "Avanzate",
|
"add_keyword": "Aggiungi parola chiave",
|
||||||
"advanced_search_settings": "Impostazioni avanzate di ricerca",
|
"additional_options": "Opzioni aggiuntive",
|
||||||
"all_fields_optional": "Tutti i campi sono opzionali e possono essere lasciati vuoti.",
|
"advanced": "Avanzate",
|
||||||
"and": "e",
|
"advanced_search_settings": "Impostazioni avanzate di ricerca",
|
||||||
"and_down": "& Giù",
|
"all_fields_optional": "Tutti i campi sono opzionali e possono essere lasciati vuoti.",
|
||||||
"and_up": "& Su",
|
"and": "e",
|
||||||
"asc": "Crescente",
|
"and_down": "& Giù",
|
||||||
"book_filter_help": "Includi ricette dal filtro ricette oltre a quelle assegnate manualmente.",
|
"and_up": "& Su",
|
||||||
"click_image_import": "Clicca sull'immagine che vuoi importare per questa ricetta",
|
"asc": "Crescente",
|
||||||
"confirm_delete": "Sei sicuro di voler eliminare questo {object}?",
|
"book_filter_help": "Includi ricette dal filtro ricette oltre a quelle assegnate manualmente.",
|
||||||
"convert_internal": "Converti come ricetta interna",
|
"click_image_import": "Clicca sull'immagine che vuoi importare per questa ricetta",
|
||||||
"copy_markdown_table": "Copia come tabella Markdown",
|
"confirm_delete": "Sei sicuro di voler eliminare questo {object}?",
|
||||||
"copy_to_clipboard": "Copia negli appunti",
|
"convert_internal": "Converti come ricetta interna",
|
||||||
"copy_to_new": "Copia in una nuova ricetta",
|
"copy_markdown_table": "Copia come tabella Markdown",
|
||||||
"create_food_desc": "Crea un alimento e collegalo a questa ricetta.",
|
"copy_to_clipboard": "Copia negli appunti",
|
||||||
"create_rule": "e crea automazione",
|
"copy_to_new": "Copia in una nuova ricetta",
|
||||||
"create_title": "Nuovo {type}",
|
"create_food_desc": "Crea un alimento e collegalo a questa ricetta.",
|
||||||
"created_by": "",
|
"create_rule": "e crea automazione",
|
||||||
"created_on": "Creato il",
|
"create_title": "Nuovo {type}",
|
||||||
"csv_delim_help": "Delimitatore usato per le esportazioni CSV.",
|
"created_by": "",
|
||||||
"csv_delim_label": "Delimitatore CSV",
|
"created_on": "Creato il",
|
||||||
"csv_prefix_help": "Prefisso da aggiungere quando si copia una lista negli appunti.",
|
"csv_delim_help": "Delimitatore usato per le esportazioni CSV.",
|
||||||
"csv_prefix_label": "Prefisso lista",
|
"csv_delim_label": "Delimitatore CSV",
|
||||||
"date_created": "Data di creazione",
|
"csv_prefix_help": "Prefisso da aggiungere quando si copia una lista negli appunti.",
|
||||||
"date_viewed": "Recenti",
|
"csv_prefix_label": "Prefisso lista",
|
||||||
"default_delay": "Ore di ritardo predefinite",
|
"date_created": "Data di creazione",
|
||||||
"default_delay_desc": "Il numero predefinito di ore per ritardare l'inserimento di una lista della spesa.",
|
"date_viewed": "Recenti",
|
||||||
"del_confirmation_tree": "Sei sicuro di voler eliminare {source} e tutti gli elementi dipendenti?",
|
"default_delay": "Ore di ritardo predefinite",
|
||||||
"delete_confimation": "Sei sicuro di voler eliminare {kw} e tutti gli elementi dipendenti?",
|
"default_delay_desc": "Il numero predefinito di ore per ritardare l'inserimento di una lista della spesa.",
|
||||||
"delete_confirmation": "Sei sicuro di voler eliminare {source}?",
|
"del_confirmation_tree": "Sei sicuro di voler eliminare {source} e tutti gli elementi dipendenti?",
|
||||||
"delete_title": "Elimina {type}",
|
"delete_confimation": "Sei sicuro di voler eliminare {kw} e tutti gli elementi dipendenti?",
|
||||||
"desc": "Decrescente",
|
"delete_confirmation": "Sei sicuro di voler eliminare {source}?",
|
||||||
"download_csv": "Scarica CSV",
|
"delete_title": "Elimina {type}",
|
||||||
"download_pdf": "Scarica PDF",
|
"desc": "Decrescente",
|
||||||
"edit_title": "Modifica {type}",
|
"download_csv": "Scarica CSV",
|
||||||
"empty_list": "La lista è vuota.",
|
"download_pdf": "Scarica PDF",
|
||||||
"enable_expert": "Abilita modalità esperto",
|
"edit_title": "Modifica {type}",
|
||||||
"err_creating_resource": "Si è verificato un errore durante la creazione di una risorsa!",
|
"empty_list": "La lista è vuota.",
|
||||||
"err_deleting_protected_resource": "L'elemento che stai cercando di eliminare è ancora in uso e non può essere eliminato.",
|
"enable_expert": "Abilita modalità esperto",
|
||||||
"err_deleting_resource": "Si è verificato un errore durante la cancellazione di una risorsa!",
|
"err_creating_resource": "Si è verificato un errore durante la creazione di una risorsa!",
|
||||||
"err_fetching_resource": "Si è verificato un errore durante il recupero di una risorsa!",
|
"err_deleting_protected_resource": "L'elemento che stai cercando di eliminare è ancora in uso e non può essere eliminato.",
|
||||||
"err_importing_recipe": "Si è verificato un errore durante l'importazione della ricetta!",
|
"err_deleting_resource": "Si è verificato un errore durante la cancellazione di una risorsa!",
|
||||||
"err_merge_self": "Non è possibile unire un elemento in sé stesso",
|
"err_fetching_resource": "Si è verificato un errore durante il recupero di una risorsa!",
|
||||||
"err_merging_resource": "Si è verificato un errore durante l'unione di una risorsa!",
|
"err_importing_recipe": "Si è verificato un errore durante l'importazione della ricetta!",
|
||||||
"err_move_self": "Non è possibile muovere un elemento in sé stesso",
|
"err_merge_self": "Non è possibile unire un elemento in sé stesso",
|
||||||
"err_moving_resource": "Si è verificato un errore durante lo spostamento di una risorsa!",
|
"err_merging_resource": "Si è verificato un errore durante l'unione di una risorsa!",
|
||||||
"err_updating_resource": "Si è verificato un errore durante l'aggiornamento di una risorsa!",
|
"err_move_self": "Non è possibile muovere un elemento in sé stesso",
|
||||||
"expert_mode": "Modalità esperto",
|
"err_moving_resource": "Si è verificato un errore durante lo spostamento di una risorsa!",
|
||||||
"explain": "Maggior informazioni",
|
"err_updating_resource": "Si è verificato un errore durante l'aggiornamento di una risorsa!",
|
||||||
"fields": "Campi",
|
"expert_mode": "Modalità esperto",
|
||||||
"file_upload_disabled": "Il caricamento dei file non è abilitato in questa istanza.",
|
"explain": "Maggior informazioni",
|
||||||
"filter": "Filtro",
|
"fields": "Campi",
|
||||||
"filter_name": "Nome filtro",
|
"file_upload_disabled": "Il caricamento dei file non è abilitato in questa istanza.",
|
||||||
"filter_to_supermarket": "Filtra per supermercato",
|
"filter": "Filtro",
|
||||||
"filter_to_supermarket_desc": "Per impostazione predefinita, filtra la lista della spesa per includere esclusivamente le categorie del supermercato selezionato.",
|
"filter_name": "Nome filtro",
|
||||||
"food_inherit_info": "Campi di alimenti che devono essere ereditati per impostazione predefinita.",
|
"filter_to_supermarket": "Filtra per supermercato",
|
||||||
"food_recipe_help": "Collegando qui una ricetta, includerà la stessa in ogni altra ricetta che usa questo alimento",
|
"filter_to_supermarket_desc": "Per impostazione predefinita, filtra la lista della spesa per includere esclusivamente le categorie del supermercato selezionato.",
|
||||||
"ignore_shopping_help": "Non aggiungere gli alimenti alla lista della spesa (es. acqua)",
|
"food_inherit_info": "Campi di alimenti che devono essere ereditati per impostazione predefinita.",
|
||||||
"import_duplicates": "Per evitare duplicati, le ricette con lo stesso nome di quelle esistenti vengono ignorate. Selezionare questa casella per importare tutto.",
|
"food_recipe_help": "Collegando qui una ricetta, includerà la stessa in ogni altra ricetta che usa questo alimento",
|
||||||
"import_running": "Importazione in corso, attendere prego!",
|
"ignore_shopping_help": "Non aggiungere gli alimenti alla lista della spesa (es. acqua)",
|
||||||
"in_shopping": "Nella lista della spesa",
|
"import_duplicates": "Per evitare duplicati, le ricette con lo stesso nome di quelle esistenti vengono ignorate. Selezionare questa casella per importare tutto.",
|
||||||
"ingredient_list": "Lista Ingredienti",
|
"import_running": "Importazione in corso, attendere prego!",
|
||||||
"last_cooked": "Cucinato di recente",
|
"in_shopping": "Nella lista della spesa",
|
||||||
"last_viewed": "Ultima visualizzazione",
|
"ingredient_list": "Lista Ingredienti",
|
||||||
"left_handed": "Modalità per mancini",
|
"last_cooked": "Cucinato di recente",
|
||||||
"left_handed_help": "L'interfaccia verrà ottimizzata per l'uso con la mano sinistra.",
|
"last_viewed": "Ultima visualizzazione",
|
||||||
"make_now": "Fai ora",
|
"left_handed": "Modalità per mancini",
|
||||||
"mark_complete": "Contrassegna come completato",
|
"left_handed_help": "L'interfaccia verrà ottimizzata per l'uso con la mano sinistra.",
|
||||||
"mealplan_autoadd_shopping": "Aggiungi automaticamente al piano alimentare",
|
"make_now": "Fai ora",
|
||||||
"mealplan_autoadd_shopping_desc": "Aggiungi automaticamente gli ingredienti del piano alimentare alla lista della spesa.",
|
"mark_complete": "Contrassegna come completato",
|
||||||
"mealplan_autoexclude_onhand": "Escludi alimenti disponibili",
|
"mealplan_autoadd_shopping": "Aggiungi automaticamente al piano alimentare",
|
||||||
"mealplan_autoexclude_onhand_desc": "Quando aggiungi un piano alimentare alla lista della spesa (manualmente o automaticamente), escludi gli ingredienti che sono già disponibili.",
|
"mealplan_autoadd_shopping_desc": "Aggiungi automaticamente gli ingredienti del piano alimentare alla lista della spesa.",
|
||||||
"mealplan_autoinclude_related": "Aggiungi ricette correlate",
|
"mealplan_autoexclude_onhand": "Escludi alimenti disponibili",
|
||||||
"mealplan_autoinclude_related_desc": "Quando aggiungi un piano alimentare alla lista della spesa (manualmente o automaticamente), includi tutte le ricette correlate.",
|
"mealplan_autoexclude_onhand_desc": "Quando aggiungi un piano alimentare alla lista della spesa (manualmente o automaticamente), escludi gli ingredienti che sono già disponibili.",
|
||||||
"merge_confirmation": "Sostituisci <i>{source}</i> con <i>{target}</i>",
|
"mealplan_autoinclude_related": "Aggiungi ricette correlate",
|
||||||
"merge_selection": "Sostituisci tutte le voci di {source} con il {type} selezionato.",
|
"mealplan_autoinclude_related_desc": "Quando aggiungi un piano alimentare alla lista della spesa (manualmente o automaticamente), includi tutte le ricette correlate.",
|
||||||
"merge_title": "Unisci {type}",
|
"merge_confirmation": "Sostituisci <i>{source}</i> con <i>{target}</i>",
|
||||||
"min": "min",
|
"merge_selection": "Sostituisci tutte le voci di {source} con il {type} selezionato.",
|
||||||
"move_confirmation": "Sposta <i>{child}</i> al primario <i>{parent}</i>",
|
"merge_title": "Unisci {type}",
|
||||||
"move_selection": "Scegli un primario {type} dove spostare {source}.",
|
"min": "min",
|
||||||
"move_title": "Sposta {type}",
|
"move_confirmation": "Sposta <i>{child}</i> al primario <i>{parent}</i>",
|
||||||
"no_more_images_found": "Non sono state trovate altre immagini sul sito web.",
|
"move_selection": "Scegli un primario {type} dove spostare {source}.",
|
||||||
"no_pinned_recipes": "Non hai ricette fissate!",
|
"move_title": "Sposta {type}",
|
||||||
"not": "not",
|
"no_more_images_found": "Non sono state trovate altre immagini sul sito web.",
|
||||||
"nothing": "Nulla da fare",
|
"no_pinned_recipes": "Non hai ricette fissate!",
|
||||||
"nothing_planned_today": "Non hai pianificato nulla per oggi!",
|
"not": "not",
|
||||||
"one_url_per_line": "Un indirizzo per riga",
|
"nothing": "Nulla da fare",
|
||||||
"or": "o",
|
"nothing_planned_today": "Non hai pianificato nulla per oggi!",
|
||||||
"parameter_count": "Parametro {count}",
|
"one_url_per_line": "Un indirizzo per riga",
|
||||||
"paste_ingredients": "Incolla ingredienti",
|
"or": "o",
|
||||||
"paste_ingredients_placeholder": "Incolla qui la lista degli ingredienti...",
|
"parameter_count": "Parametro {count}",
|
||||||
"paste_json": "Incolla qui il codice sorgente html o json per caricare la ricetta.",
|
"paste_ingredients": "Incolla ingredienti",
|
||||||
"per_serving": "per porzioni",
|
"paste_ingredients_placeholder": "Incolla qui la lista degli ingredienti...",
|
||||||
"plan_share_desc": "Le nuove voci del piano alimentare saranno automaticamente condivise con gli utenti selezionati.",
|
"paste_json": "Incolla qui il codice sorgente html o json per caricare la ricetta.",
|
||||||
"plural_short": "plurale",
|
"per_serving": "per porzioni",
|
||||||
"plural_usage_info": "Usa il plurale per le unità di misura e gli alimenti messi qui.",
|
"plan_share_desc": "Le nuove voci del piano alimentare saranno automaticamente condivise con gli utenti selezionati.",
|
||||||
"recipe_filter": "Filtro ricette",
|
"plural_short": "plurale",
|
||||||
"recipe_name": "Nome Ricetta",
|
"plural_usage_info": "Usa il plurale per le unità di misura e gli alimenti messi qui.",
|
||||||
"recipe_property_info": "Puoi anche aggiungere proprietà ai cibi per calcolarli automaticamente in base alla tua ricetta!",
|
"recipe_filter": "Filtro ricette",
|
||||||
"related_recipes": "Ricette correlate",
|
"recipe_name": "Nome Ricetta",
|
||||||
"remember_hours": "Ore da ricordare",
|
"recipe_property_info": "Puoi anche aggiungere proprietà ai cibi per calcolarli automaticamente in base alla tua ricetta!",
|
||||||
"remember_search": "Ricorda ricerca",
|
"related_recipes": "Ricette correlate",
|
||||||
"remove_selection": "Deseleziona",
|
"remember_hours": "Ore da ricordare",
|
||||||
"reset_children": "Reimposta l'eredità degli eredi",
|
"remember_search": "Ricorda ricerca",
|
||||||
"reusable_help_text": "Il link di invito dovrebbe essere usabile per più di un utente.",
|
"remove_selection": "Deseleziona",
|
||||||
"review_shopping": "Rivedi le voci della spesa prima di salvare",
|
"reset_children": "Reimposta l'eredità degli eredi",
|
||||||
"save_filter": "Salva filtro",
|
"reusable_help_text": "Il link di invito dovrebbe essere usabile per più di un utente.",
|
||||||
"search_create_help_text": "Crea una nuova ricetta direttamente in Tandoor.",
|
"review_shopping": "Rivedi le voci della spesa prima di salvare",
|
||||||
"search_import_help_text": "Importa una ricetta da un sito web o da una applicazione.",
|
"save_filter": "Salva filtro",
|
||||||
"search_no_recipes": "Non sono state trovate ricette!",
|
"search_create_help_text": "Crea una nuova ricetta direttamente in Tandoor.",
|
||||||
"search_rank": "Posizione di ricerca",
|
"search_import_help_text": "Importa una ricetta da un sito web o da una applicazione.",
|
||||||
"select_file": "Seleziona file",
|
"search_no_recipes": "Non sono state trovate ricette!",
|
||||||
"select_food": "Seleziona alimento",
|
"search_rank": "Posizione di ricerca",
|
||||||
"select_keyword": "Seleziona parola chiave",
|
"select_file": "Seleziona file",
|
||||||
"select_recipe": "Seleziona ricetta",
|
"select_food": "Seleziona alimento",
|
||||||
"select_unit": "Seleziona unità di misura",
|
"select_keyword": "Seleziona parola chiave",
|
||||||
"shared_with": "Condiviso con",
|
"select_recipe": "Seleziona ricetta",
|
||||||
"shopping_add_onhand": "Auto disponibilità",
|
"select_unit": "Seleziona unità di misura",
|
||||||
"shopping_add_onhand_desc": "Contrassegna gli alimenti come \"disponibili\" quando vengono spuntati dalla lista della spesa.",
|
"shared_with": "Condiviso con",
|
||||||
"shopping_auto_sync": "Sincronizzazione automatica",
|
"shopping_add_onhand": "Auto disponibilità",
|
||||||
"shopping_auto_sync_desc": "La sincronizzazione automatica verrà disabilitata se impostato a 0. Quando si visualizza una lista della spesa, la lista viene aggiornata ogni tot secondi impostati per sincronizzare le modifiche che qualcun altro potrebbe aver fatto. Utile per gli acquisti condivisi con più persone, ma potrebbe utilizzare un po' di dati mobili.",
|
"shopping_add_onhand_desc": "Contrassegna gli alimenti come \"disponibili\" quando vengono spuntati dalla lista della spesa.",
|
||||||
"shopping_category_help": "I supermercati possono essere ordinati e filtrati per categoria di spesa seguendo la disposizione degli scaffali.",
|
"shopping_auto_sync": "Sincronizzazione automatica",
|
||||||
"shopping_recent_days": "Giorni recenti",
|
"shopping_auto_sync_desc": "La sincronizzazione automatica verrà disabilitata se impostato a 0. Quando si visualizza una lista della spesa, la lista viene aggiornata ogni tot secondi impostati per sincronizzare le modifiche che qualcun altro potrebbe aver fatto. Utile per gli acquisti condivisi con più persone, ma potrebbe utilizzare un po' di dati mobili.",
|
||||||
"shopping_recent_days_desc": "Giorni di visualizzazione delle voci recenti della lista della spesa.",
|
"shopping_category_help": "I supermercati possono essere ordinati e filtrati per categoria di spesa seguendo la disposizione degli scaffali.",
|
||||||
"shopping_share": "Condividi lista della spesa",
|
"shopping_recent_days": "Giorni recenti",
|
||||||
"shopping_share_desc": "Gli utenti vedranno tutti gli elementi che aggiungi alla tua lista della spesa Per poter vedere gli elementi della loro lista, loro dovranno aggiungerti.",
|
"shopping_recent_days_desc": "Giorni di visualizzazione delle voci recenti della lista della spesa.",
|
||||||
"show_books": "Mostra libri",
|
"shopping_share": "Condividi lista della spesa",
|
||||||
"show_filters": "Mostra filtri",
|
"shopping_share_desc": "Gli utenti vedranno tutti gli elementi che aggiungi alla tua lista della spesa Per poter vedere gli elementi della loro lista, loro dovranno aggiungerti.",
|
||||||
"show_foods": "Mostra alimenti",
|
"show_books": "Mostra libri",
|
||||||
"show_ingredient_overview": "Mostra la lista degli ingredienti all'inizio della ricetta.",
|
"show_filters": "Mostra filtri",
|
||||||
"show_keywords": "Mostra parole chiave",
|
"show_foods": "Mostra alimenti",
|
||||||
"show_only_internal": "Mostra solo ricette interne",
|
"show_ingredient_overview": "Mostra la lista degli ingredienti all'inizio della ricetta.",
|
||||||
"show_rating": "Mostra valutazione",
|
"show_keywords": "Mostra parole chiave",
|
||||||
"show_sortby": "Mostra Ordina per",
|
"show_only_internal": "Mostra solo ricette interne",
|
||||||
"show_split_screen": "Vista divisa",
|
"show_rating": "Mostra valutazione",
|
||||||
"show_sql": "Mostra SQL",
|
"show_sortby": "Mostra Ordina per",
|
||||||
"show_step_ingredients_setting": "Mostra gli ingredienti vicino ai passaggi della ricetta",
|
"show_split_screen": "Vista divisa",
|
||||||
"show_units": "Mostra unità di misura",
|
"show_sql": "Mostra SQL",
|
||||||
"simple_mode": "Modalità semplice",
|
"show_step_ingredients_setting": "Mostra gli ingredienti vicino ai passaggi della ricetta",
|
||||||
"sort_by": "Ordina per",
|
"show_units": "Mostra unità di misura",
|
||||||
"sql_debug": "Debug SQL",
|
"simple_mode": "Modalità semplice",
|
||||||
"step_time_minutes": "Tempo dello step in minuti",
|
"sort_by": "Ordina per",
|
||||||
"substitute_siblings": "Sostituire prodotti eredi",
|
"sql_debug": "Debug SQL",
|
||||||
"substitute_siblings_help": "Tutti gli alimenti che condividono un genitore di questo alimento sono considerati sostituti",
|
"step_time_minutes": "Tempo dello step in minuti",
|
||||||
"success_creating_resource": "Risorsa creata con successo!",
|
"substitute_siblings": "Sostituire prodotti eredi",
|
||||||
"success_deleting_resource": "Risorsa eliminata con successo!",
|
"substitute_siblings_help": "Tutti gli alimenti che condividono un genitore di questo alimento sono considerati sostituti",
|
||||||
"success_fetching_resource": "Risorsa recuperata con successo!",
|
"success_creating_resource": "Risorsa creata con successo!",
|
||||||
"success_merging_resource": "Risorsa unita con successo!",
|
"success_deleting_resource": "Risorsa eliminata con successo!",
|
||||||
"success_moving_resource": "Risorsa spostata con successo!",
|
"success_fetching_resource": "Risorsa recuperata con successo!",
|
||||||
"success_updating_resource": "Risorsa aggiornata con successo!",
|
"success_merging_resource": "Risorsa unita con successo!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Risorsa spostata con successo!",
|
||||||
"times_cooked": "Cucinato N volte",
|
"success_updating_resource": "Risorsa aggiornata con successo!",
|
||||||
"today_recipes": "Ricette di oggi",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "Radice dell'albero",
|
"times_cooked": "Cucinato N volte",
|
||||||
"tree_select": "Usa selezione ad albero",
|
"today_recipes": "Ricette di oggi",
|
||||||
"updatedon": "Aggiornato il",
|
"tree_root": "Radice dell'albero",
|
||||||
"view_recipe": "Mostra ricetta",
|
"tree_select": "Usa selezione ad albero",
|
||||||
"warning_duplicate_filter": "Avviso: a causa di limitazioni tecniche, usare più filtri di ricerca della stessa combinazione (and/or/not) potrebbe portare a risultati inaspettati.",
|
"updatedon": "Aggiornato il",
|
||||||
"warning_feature_beta": "Questa funzione è attualmente in BETA (non è completa). Potrebbero verificarsi delle anomalie e modifiche che in futuro potrebbero bloccare la funzionalità stessa o rimuove i dati correlati ad essa.",
|
"view_recipe": "Mostra ricetta",
|
||||||
"warning_space_delete": "Stai per eliminare la tua istanza che include tutte le ricette, liste della spesa, piani alimentari e tutto ciò che hai creato. Questa azione non può essere annullata! Sei sicuro di voler procedere?"
|
"warning_duplicate_filter": "Avviso: a causa di limitazioni tecniche, usare più filtri di ricerca della stessa combinazione (and/or/not) potrebbe portare a risultati inaspettati.",
|
||||||
|
"warning_feature_beta": "Questa funzione è attualmente in BETA (non è completa). Potrebbero verificarsi delle anomalie e modifiche che in futuro potrebbero bloccare la funzionalità stessa o rimuove i dati correlati ad essa.",
|
||||||
|
"warning_space_delete": "Stai per eliminare la tua istanza che include tutte le ricette, liste della spesa, piani alimentari e tutto ciò che hai creato. Questa azione non può essere annullata! Sei sicuro di voler procedere?"
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,5 +1,6 @@
|
|||||||
{
|
{
|
||||||
"API": "API",
|
"API": "API",
|
||||||
|
"Access_Token": "",
|
||||||
"Account": "Account",
|
"Account": "Account",
|
||||||
"Add": "Voeg toe",
|
"Add": "Voeg toe",
|
||||||
"AddFoodToShopping": "Voeg {food} toe aan je boodschappenlijst",
|
"AddFoodToShopping": "Voeg {food} toe aan je boodschappenlijst",
|
||||||
@@ -76,6 +77,7 @@
|
|||||||
"DelayFor": "Stel {hours} uur uit",
|
"DelayFor": "Stel {hours} uur uit",
|
||||||
"DelayUntil": "Vertraag tot",
|
"DelayUntil": "Vertraag tot",
|
||||||
"Delete": "Verwijder",
|
"Delete": "Verwijder",
|
||||||
|
"DeleteConfirmQuestion": "",
|
||||||
"DeleteShoppingConfirm": "Weet je zeker dat je {food} van de boodschappenlijst wil verwijderen?",
|
"DeleteShoppingConfirm": "Weet je zeker dat je {food} van de boodschappenlijst wil verwijderen?",
|
||||||
"Delete_Food": "Verwijder Eten",
|
"Delete_Food": "Verwijder Eten",
|
||||||
"Delete_Keyword": "Verwijder Etiket",
|
"Delete_Keyword": "Verwijder Etiket",
|
||||||
|
|||||||
File diff suppressed because it is too large
Load Diff
@@ -1,425 +1,427 @@
|
|||||||
{
|
{
|
||||||
"Add": "Adicionar",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "Adicionar {food} à sua lista de compras",
|
"Add": "Adicionar",
|
||||||
"AddToShopping": "Adicionar á lista de compras",
|
"AddFoodToShopping": "Adicionar {food} à sua lista de compras",
|
||||||
"Add_Servings_to_Shopping": "Adicionar {servings} doses ás compras",
|
"AddToShopping": "Adicionar á lista de compras",
|
||||||
"Add_Step": "Adicionar passo",
|
"Add_Servings_to_Shopping": "Adicionar {servings} doses ás compras",
|
||||||
"Add_nutrition_recipe": "Adicionar valor nutricional á receita",
|
"Add_Step": "Adicionar passo",
|
||||||
"Add_to_Plan": "Adicionar ao plano",
|
"Add_nutrition_recipe": "Adicionar valor nutricional á receita",
|
||||||
"Add_to_Shopping": "Adicionar á lista de compras",
|
"Add_to_Plan": "Adicionar ao plano",
|
||||||
"Added_To_Shopping_List": "Adicionado à lista de compras",
|
"Add_to_Shopping": "Adicionar á lista de compras",
|
||||||
"Added_by": "Adicionado por",
|
"Added_To_Shopping_List": "Adicionado à lista de compras",
|
||||||
"Added_on": "Adicionado a",
|
"Added_by": "Adicionado por",
|
||||||
"Advanced": "Avançado",
|
"Added_on": "Adicionado a",
|
||||||
"Amount": "Quantidade",
|
"Advanced": "Avançado",
|
||||||
"Auto_Planner": "",
|
"Amount": "Quantidade",
|
||||||
"Auto_Sort": "Classificação automática",
|
"Auto_Planner": "",
|
||||||
"Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.",
|
"Auto_Sort": "Classificação automática",
|
||||||
"Automate": "Automatizar",
|
"Auto_Sort_Help": "Mover todos os ingredientes para o passo mais indicado.",
|
||||||
"Automation": "Automação",
|
"Automate": "Automatizar",
|
||||||
"Books": "Livros",
|
"Automation": "Automação",
|
||||||
"Calories": "Calorias",
|
"Books": "Livros",
|
||||||
"Cancel": "Cancelar",
|
"Calories": "Calorias",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Notas não podem ser adicionadas à lista de compras",
|
"Cancel": "Cancelar",
|
||||||
"Carbohydrates": "Carboidratos",
|
"Cannot_Add_Notes_To_Shopping": "Notas não podem ser adicionadas à lista de compras",
|
||||||
"Categories": "Categorias",
|
"Carbohydrates": "Carboidratos",
|
||||||
"Category": "Categoria",
|
"Categories": "Categorias",
|
||||||
"CategoryInstruction": "",
|
"Category": "Categoria",
|
||||||
"CategoryName": "",
|
"CategoryInstruction": "",
|
||||||
"ChildInheritFields": "",
|
"CategoryName": "",
|
||||||
"ChildInheritFields_help": "",
|
"ChildInheritFields": "",
|
||||||
"Clear": "",
|
"ChildInheritFields_help": "",
|
||||||
"Clone": "Clonar",
|
"Clear": "",
|
||||||
"Close": "Fechar",
|
"Clone": "Clonar",
|
||||||
"Color": "Cor",
|
"Close": "Fechar",
|
||||||
"Coming_Soon": "",
|
"Color": "Cor",
|
||||||
"Completed": "Completo",
|
"Coming_Soon": "",
|
||||||
"Copy": "Copiar",
|
"Completed": "Completo",
|
||||||
"Copy Link": "Copiar Ligação",
|
"Copy": "Copiar",
|
||||||
"Copy Token": "Copiar Chave",
|
"Copy Link": "Copiar Ligação",
|
||||||
"Copy_template_reference": "Copiar modelo de referencia",
|
"Copy Token": "Copiar Chave",
|
||||||
"CountMore": "...+{count} mais",
|
"Copy_template_reference": "Copiar modelo de referencia",
|
||||||
"Create": "Criar",
|
"CountMore": "...+{count} mais",
|
||||||
"Create Food": "Criar Comida",
|
"Create": "Criar",
|
||||||
"Create_Meal_Plan_Entry": "Criar entrada para plano de refeições",
|
"Create Food": "Criar Comida",
|
||||||
"Create_New_Food": "Adicionar nova comida",
|
"Create_Meal_Plan_Entry": "Criar entrada para plano de refeições",
|
||||||
"Create_New_Keyword": "Adicionar nova palavra-chave",
|
"Create_New_Food": "Adicionar nova comida",
|
||||||
"Create_New_Meal_Type": "Adicionar novo tipo de refeição",
|
"Create_New_Keyword": "Adicionar nova palavra-chave",
|
||||||
"Create_New_Shopping Category": "Criar nova categoria de Compras",
|
"Create_New_Meal_Type": "Adicionar novo tipo de refeição",
|
||||||
"Create_New_Shopping_Category": "Adicionar nova categoria de compras",
|
"Create_New_Shopping Category": "Criar nova categoria de Compras",
|
||||||
"Create_New_Unit": "Adicionar nova unidade",
|
"Create_New_Shopping_Category": "Adicionar nova categoria de compras",
|
||||||
"Current_Period": "Período atual",
|
"Create_New_Unit": "Adicionar nova unidade",
|
||||||
"Custom Filter": "",
|
"Current_Period": "Período atual",
|
||||||
"Date": "Data",
|
"Custom Filter": "",
|
||||||
"Decimals": "Casas decimais",
|
"Date": "Data",
|
||||||
"Default_Unit": "Unidade padrão",
|
"Decimals": "Casas decimais",
|
||||||
"DelayFor": "Atrasar por {hours} horas",
|
"Default_Unit": "Unidade padrão",
|
||||||
"DelayUntil": "",
|
"DelayFor": "Atrasar por {hours} horas",
|
||||||
"Delete": "Apagar",
|
"DelayUntil": "",
|
||||||
"DeleteShoppingConfirm": "Tem a certeza que pretende remover toda {food} da sua lista de compras?",
|
"Delete": "Apagar",
|
||||||
"Delete_Food": "Eliminar comida",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Eliminar Palavra Chave",
|
"DeleteShoppingConfirm": "Tem a certeza que pretende remover toda {food} da sua lista de compras?",
|
||||||
"Description": "Descrição",
|
"Delete_Food": "Eliminar comida",
|
||||||
"Description_Replace": "Substituir descrição",
|
"Delete_Keyword": "Eliminar Palavra Chave",
|
||||||
"Disable_Amount": "Desativar quantidade",
|
"Description": "Descrição",
|
||||||
"Download": "Transferência",
|
"Description_Replace": "Substituir descrição",
|
||||||
"Drag_Here_To_Delete": "Arraste para aqui para eliminar",
|
"Disable_Amount": "Desativar quantidade",
|
||||||
"Edit": "Editar",
|
"Download": "Transferência",
|
||||||
"Edit_Food": "Editar comida",
|
"Drag_Here_To_Delete": "Arraste para aqui para eliminar",
|
||||||
"Edit_Keyword": "Editar Palavra Chave",
|
"Edit": "Editar",
|
||||||
"Edit_Meal_Plan_Entry": "Editar entrada de plano de refeições",
|
"Edit_Food": "Editar comida",
|
||||||
"Edit_Recipe": "Editar receita",
|
"Edit_Keyword": "Editar Palavra Chave",
|
||||||
"Empty": "Esvaziar",
|
"Edit_Meal_Plan_Entry": "Editar entrada de plano de refeições",
|
||||||
"Enable_Amount": "Ativar quantidade",
|
"Edit_Recipe": "Editar receita",
|
||||||
"Energy": "Energia",
|
"Empty": "Esvaziar",
|
||||||
"Export": "Exportar",
|
"Enable_Amount": "Ativar quantidade",
|
||||||
"Export_As_ICal": "Exportar período atual para o formato ICal",
|
"Energy": "Energia",
|
||||||
"Export_To_ICal": "Exportar .ics",
|
"Export": "Exportar",
|
||||||
"External": "Externo",
|
"Export_As_ICal": "Exportar período atual para o formato ICal",
|
||||||
"External_Recipe_Image": "Imagem da receita externa",
|
"Export_To_ICal": "Exportar .ics",
|
||||||
"Failure": "Falha",
|
"External": "Externo",
|
||||||
"Fats": "Gorduras",
|
"External_Recipe_Image": "Imagem da receita externa",
|
||||||
"File": "Ficheiro",
|
"Failure": "Falha",
|
||||||
"Files": "Ficheiros",
|
"Fats": "Gorduras",
|
||||||
"Food": "Comida",
|
"File": "Ficheiro",
|
||||||
"FoodInherit": "Campos herdados por comida",
|
"Files": "Ficheiros",
|
||||||
"FoodNotOnHand": "Não têm {food} disponível.",
|
"Food": "Comida",
|
||||||
"FoodOnHand": "Tem {food} disponível.",
|
"FoodInherit": "Campos herdados por comida",
|
||||||
"Food_Alias": "Alcunha da comida",
|
"FoodNotOnHand": "Não têm {food} disponível.",
|
||||||
"Foods": "",
|
"FoodOnHand": "Tem {food} disponível.",
|
||||||
"GroupBy": "Agrupar por",
|
"Food_Alias": "Alcunha da comida",
|
||||||
"Hide_Food": "Esconder comida",
|
"Foods": "",
|
||||||
"Hide_Keyword": "",
|
"GroupBy": "Agrupar por",
|
||||||
"Hide_Keywords": "Esconder palavra-chave",
|
"Hide_Food": "Esconder comida",
|
||||||
"Hide_Recipes": "Esconder Receitas",
|
"Hide_Keyword": "",
|
||||||
"Hide_as_header": "Esconder como cabeçalho",
|
"Hide_Keywords": "Esconder palavra-chave",
|
||||||
"Icon": "Ícone",
|
"Hide_Recipes": "Esconder Receitas",
|
||||||
"IgnoreThis": "Nunca adicionar automaticamente {food} á lista de compras",
|
"Hide_as_header": "Esconder como cabeçalho",
|
||||||
"Ignore_Shopping": "Ignorar compras",
|
"Icon": "Ícone",
|
||||||
"IgnoredFood": "{food} está definida para ignorar compras.",
|
"IgnoreThis": "Nunca adicionar automaticamente {food} á lista de compras",
|
||||||
"Image": "Image",
|
"Ignore_Shopping": "Ignorar compras",
|
||||||
"Import": "Importar",
|
"IgnoredFood": "{food} está definida para ignorar compras.",
|
||||||
"Import_finished": "Importação terminada",
|
"Image": "Image",
|
||||||
"Information": "Informação",
|
"Import": "Importar",
|
||||||
"Ingredient Editor": "Editor de Ingredientes",
|
"Import_finished": "Importação terminada",
|
||||||
"IngredientInShopping": "Este ingrediente está na sua lista de compras.",
|
"Information": "Informação",
|
||||||
"Ingredients": "Ingredientes",
|
"Ingredient Editor": "Editor de Ingredientes",
|
||||||
"Inherit": "Herdado",
|
"IngredientInShopping": "Este ingrediente está na sua lista de compras.",
|
||||||
"InheritFields": "Campos herdados",
|
"Ingredients": "Ingredientes",
|
||||||
"InheritFields_help": "",
|
"Inherit": "Herdado",
|
||||||
"InheritWarning": "{food} esta definida para herdar, alterações podem não persistir.",
|
"InheritFields": "Campos herdados",
|
||||||
"Instruction_Replace": "Substituir Instrução",
|
"InheritFields_help": "",
|
||||||
"Instructions": "Instruções",
|
"InheritWarning": "{food} esta definida para herdar, alterações podem não persistir.",
|
||||||
"Internal": "Interno",
|
"Instruction_Replace": "Substituir Instrução",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Instructions": "Instruções",
|
||||||
"Key_Shift": "Shift",
|
"Internal": "Interno",
|
||||||
"Keyword": "Palavra Chave",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keyword_Alias": "Alcunha da palavra-chave",
|
"Key_Shift": "Shift",
|
||||||
"Keywords": "Palavras-chave",
|
"Keyword": "Palavra Chave",
|
||||||
"Language": "Linguagem",
|
"Keyword_Alias": "Alcunha da palavra-chave",
|
||||||
"Link": "Ligação",
|
"Keywords": "Palavras-chave",
|
||||||
"Load_More": "Carregar Mais",
|
"Language": "Linguagem",
|
||||||
"Log_Cooking": "Registrar Culinária",
|
"Link": "Ligação",
|
||||||
"Log_Recipe_Cooking": "Registrar Receitas de Culinária",
|
"Load_More": "Carregar Mais",
|
||||||
"Make_Header": "Tornar cabeçalho",
|
"Log_Cooking": "Registrar Culinária",
|
||||||
"Make_Ingredient": "Fazer ingrediente",
|
"Log_Recipe_Cooking": "Registrar Receitas de Culinária",
|
||||||
"Manage_Books": "Gerenciar Livros",
|
"Make_Header": "Tornar cabeçalho",
|
||||||
"Meal_Plan": "Plano de Refeição",
|
"Make_Ingredient": "Fazer ingrediente",
|
||||||
"Meal_Plan_Days": "Planos de alimentação futuros",
|
"Manage_Books": "Gerenciar Livros",
|
||||||
"Meal_Type": "Tipo de refeição",
|
"Meal_Plan": "Plano de Refeição",
|
||||||
"Meal_Type_Required": "Tipo de refeição é necessário",
|
"Meal_Plan_Days": "Planos de alimentação futuros",
|
||||||
"Meal_Types": "Tipos de refeições",
|
"Meal_Type": "Tipo de refeição",
|
||||||
"Merge": "Juntar",
|
"Meal_Type_Required": "Tipo de refeição é necessário",
|
||||||
"Merge_Keyword": "Unir palavra-chave",
|
"Meal_Types": "Tipos de refeições",
|
||||||
"Month": "Mês",
|
"Merge": "Juntar",
|
||||||
"Move": "Mover",
|
"Merge_Keyword": "Unir palavra-chave",
|
||||||
"MoveCategory": "Mover para: ",
|
"Month": "Mês",
|
||||||
"Move_Down": "Mover para baixo",
|
"Move": "Mover",
|
||||||
"Move_Food": "Mover comida",
|
"MoveCategory": "Mover para: ",
|
||||||
"Move_Keyword": "Mover palavra-chave",
|
"Move_Down": "Mover para baixo",
|
||||||
"Move_Up": "Mover para cima",
|
"Move_Food": "Mover comida",
|
||||||
"Name": "Nome",
|
"Move_Keyword": "Mover palavra-chave",
|
||||||
"New": "Novo",
|
"Move_Up": "Mover para cima",
|
||||||
"New_Cookbook": "",
|
"Name": "Nome",
|
||||||
"New_Entry": "Nova entrada",
|
"New": "Novo",
|
||||||
"New_Food": "Nova comida",
|
"New_Cookbook": "",
|
||||||
"New_Keyword": "Nova Palavra Chave",
|
"New_Entry": "Nova entrada",
|
||||||
"New_Meal_Type": "Novo tipo de refeição",
|
"New_Food": "Nova comida",
|
||||||
"New_Recipe": "Nova Receita",
|
"New_Keyword": "Nova Palavra Chave",
|
||||||
"New_Unit": "Nova Unidade",
|
"New_Meal_Type": "Novo tipo de refeição",
|
||||||
"Next_Day": "Dia seguinte",
|
"New_Recipe": "Nova Receita",
|
||||||
"Next_Period": "Próximo período",
|
"New_Unit": "Nova Unidade",
|
||||||
"NoCategory": "Nenhuma categoria selecionada.",
|
"Next_Day": "Dia seguinte",
|
||||||
"No_ID": "identificação não encontrada, impossível eliminar.",
|
"Next_Period": "Próximo período",
|
||||||
"No_Results": "Sem resultados",
|
"NoCategory": "Nenhuma categoria selecionada.",
|
||||||
"NotInShopping": "{food} não está na sua lista de compras.",
|
"No_ID": "identificação não encontrada, impossível eliminar.",
|
||||||
"Note": "Nota",
|
"No_Results": "Sem resultados",
|
||||||
"Nutrition": "Nutrição",
|
"NotInShopping": "{food} não está na sua lista de compras.",
|
||||||
"OfflineAlert": "Está offline, lista das compras poderá não sincronizar.",
|
"Note": "Nota",
|
||||||
"Ok": "Ok",
|
"Nutrition": "Nutrição",
|
||||||
"OnHand": "Atualmente disponível",
|
"OfflineAlert": "Está offline, lista das compras poderá não sincronizar.",
|
||||||
"OnHand_help": "",
|
"Ok": "Ok",
|
||||||
"Open": "Abrir",
|
"OnHand": "Atualmente disponível",
|
||||||
"Original_Text": "Texto original",
|
"OnHand_help": "",
|
||||||
"Page": "Página",
|
"Open": "Abrir",
|
||||||
"Parameter": "Parâmetro",
|
"Original_Text": "Texto original",
|
||||||
"Parent": "Parente",
|
"Page": "Página",
|
||||||
"Period": "Período",
|
"Parameter": "Parâmetro",
|
||||||
"Periods": "Períodos",
|
"Parent": "Parente",
|
||||||
"Pin": "",
|
"Period": "Período",
|
||||||
"Pinned": "Marcado",
|
"Periods": "Períodos",
|
||||||
"Plan_Period_To_Show": "Mostrar semanas, meses ou anos",
|
"Pin": "",
|
||||||
"Plan_Show_How_Many_Periods": "Quantos períodos mostrar",
|
"Pinned": "Marcado",
|
||||||
"Planned": "Planeado",
|
"Plan_Period_To_Show": "Mostrar semanas, meses ou anos",
|
||||||
"Planner": "Planeador",
|
"Plan_Show_How_Many_Periods": "Quantos períodos mostrar",
|
||||||
"Planner_Settings": "Definições do planeador",
|
"Planned": "Planeado",
|
||||||
"Plural": "",
|
"Planner": "Planeador",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Definições do planeador",
|
||||||
"Preparation": "Preparação",
|
"Plural": "",
|
||||||
"Previous_Day": "Dia anterior",
|
"Preferences": "",
|
||||||
"Previous_Period": "Período anterior",
|
"Preparation": "Preparação",
|
||||||
"Print": "Imprimir",
|
"Previous_Day": "Dia anterior",
|
||||||
"Private_Recipe": "Receita Privada",
|
"Previous_Period": "Período anterior",
|
||||||
"Private_Recipe_Help": "A receita só é mostrada ás pessoas com que foi partilhada.",
|
"Print": "Imprimir",
|
||||||
"Profile": "",
|
"Private_Recipe": "Receita Privada",
|
||||||
"Protected": "Protegido",
|
"Private_Recipe_Help": "A receita só é mostrada ás pessoas com que foi partilhada.",
|
||||||
"Proteins": "Proteínas",
|
"Profile": "",
|
||||||
"Quick actions": "Acções Rápidas",
|
"Protected": "Protegido",
|
||||||
"QuickEntry": "",
|
"Proteins": "Proteínas",
|
||||||
"Random Recipes": "Receitas Aleatórias",
|
"Quick actions": "Acções Rápidas",
|
||||||
"Rating": "Avaliação",
|
"QuickEntry": "",
|
||||||
"Ratings": "Avaliações",
|
"Random Recipes": "Receitas Aleatórias",
|
||||||
"Recently_Viewed": "Vistos Recentemente",
|
"Rating": "Avaliação",
|
||||||
"Recipe": "Receita",
|
"Ratings": "Avaliações",
|
||||||
"Recipe_Book": "Livro de Receitas",
|
"Recently_Viewed": "Vistos Recentemente",
|
||||||
"Recipe_Image": "Imagem da Receita",
|
"Recipe": "Receita",
|
||||||
"Recipes": "Receitas",
|
"Recipe_Book": "Livro de Receitas",
|
||||||
"Recipes_per_page": "Receitas por página",
|
"Recipe_Image": "Imagem da Receita",
|
||||||
"Remove": "",
|
"Recipes": "Receitas",
|
||||||
"RemoveFoodFromShopping": "Remover {food} da sua lista de compras",
|
"Recipes_per_page": "Receitas por página",
|
||||||
"Remove_nutrition_recipe": "Remover valor nutricional da receita",
|
"Remove": "",
|
||||||
"Reset": "Reiniciar",
|
"RemoveFoodFromShopping": "Remover {food} da sua lista de compras",
|
||||||
"Reset_Search": "Repor Pesquisa",
|
"Remove_nutrition_recipe": "Remover valor nutricional da receita",
|
||||||
"Root": "Raiz",
|
"Reset": "Reiniciar",
|
||||||
"Save": "Guardar",
|
"Reset_Search": "Repor Pesquisa",
|
||||||
"Save_and_View": "Gravar & Ver",
|
"Root": "Raiz",
|
||||||
"Search": "Pesquisar",
|
"Save": "Guardar",
|
||||||
"Search Settings": "Definições de Pesquisa",
|
"Save_and_View": "Gravar & Ver",
|
||||||
"Select": "Selecionar",
|
"Search": "Pesquisar",
|
||||||
"Select_Book": "Selecionar Livro",
|
"Search Settings": "Definições de Pesquisa",
|
||||||
"Select_File": "Selecionar Ficheiro",
|
"Select": "Selecionar",
|
||||||
"Selected": "Selecionado",
|
"Select_Book": "Selecionar Livro",
|
||||||
"Servings": "Doses",
|
"Select_File": "Selecionar Ficheiro",
|
||||||
"Settings": "Definições",
|
"Selected": "Selecionado",
|
||||||
"Share": "Partilhar",
|
"Servings": "Doses",
|
||||||
"Shopping_Categories": "Categorias de Compras",
|
"Settings": "Definições",
|
||||||
"Shopping_Category": "Categoria de Compras",
|
"Share": "Partilhar",
|
||||||
"Shopping_List_Empty": "A sua lista de compras encontra-se vazia, pode adicionar itens através do menu de contexto de um plano de refeições (carregar com o botão direito no cartão ou carregar com o botão esquerdo no ícone do menu)",
|
"Shopping_Categories": "Categorias de Compras",
|
||||||
"Shopping_list": "Lista de Compras",
|
"Shopping_Category": "Categoria de Compras",
|
||||||
"ShowDelayed": "Mostrar itens atrasados",
|
"Shopping_List_Empty": "A sua lista de compras encontra-se vazia, pode adicionar itens através do menu de contexto de um plano de refeições (carregar com o botão direito no cartão ou carregar com o botão esquerdo no ícone do menu)",
|
||||||
"ShowUncategorizedFood": "Mostrar não definidos",
|
"Shopping_list": "Lista de Compras",
|
||||||
"Show_Week_Numbers": "Mostrar números das semanas?",
|
"ShowDelayed": "Mostrar itens atrasados",
|
||||||
"Show_as_header": "Mostrar como cabeçalho",
|
"ShowUncategorizedFood": "Mostrar não definidos",
|
||||||
"Size": "Tamanho",
|
"Show_Week_Numbers": "Mostrar números das semanas?",
|
||||||
"Sort_by_new": "Ordenar por mais recente",
|
"Show_as_header": "Mostrar como cabeçalho",
|
||||||
"SpaceMembers": "",
|
"Size": "Tamanho",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Ordenar por mais recente",
|
||||||
"Starting_Day": "Dia de início da semana",
|
"SpaceMembers": "",
|
||||||
"Step": "Passo",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Nome do Passo",
|
"Starting_Day": "Dia de início da semana",
|
||||||
"Step_Type": "Tipo do passo",
|
"Step": "Passo",
|
||||||
"Step_start_time": "Hora de Inicio do passo",
|
"Step_Name": "Nome do Passo",
|
||||||
"SubstituteOnHand": "",
|
"Step_Type": "Tipo do passo",
|
||||||
"Success": "Sucesso",
|
"Step_start_time": "Hora de Inicio do passo",
|
||||||
"SuccessClipboard": "",
|
"SubstituteOnHand": "",
|
||||||
"Supermarket": "Supermercado",
|
"Success": "Sucesso",
|
||||||
"SupermarketCategoriesOnly": "Apenas categorias do supermercado",
|
"SuccessClipboard": "",
|
||||||
"SupermarketName": "",
|
"Supermarket": "Supermercado",
|
||||||
"Supermarkets": "Supermercados",
|
"SupermarketCategoriesOnly": "Apenas categorias do supermercado",
|
||||||
"System": "",
|
"SupermarketName": "",
|
||||||
"Table_of_Contents": "Tabela de Conteúdos",
|
"Supermarkets": "Supermercados",
|
||||||
"Text": "Texto",
|
"System": "",
|
||||||
"Theme": "Tema",
|
"Table_of_Contents": "Tabela de Conteúdos",
|
||||||
"Time": "tempo",
|
"Text": "Texto",
|
||||||
"Title": "Título",
|
"Theme": "Tema",
|
||||||
"Title_or_Recipe_Required": "Título ou seleção de receitas é necessário",
|
"Time": "tempo",
|
||||||
"Type": "Tipo",
|
"Title": "Título",
|
||||||
"Undefined": "Não definido",
|
"Title_or_Recipe_Required": "Título ou seleção de receitas é necessário",
|
||||||
"Unit": "Unidade",
|
"Type": "Tipo",
|
||||||
"Unit_Alias": "Alcunha da unidade",
|
"Undefined": "Não definido",
|
||||||
"Units": "Unidades",
|
"Unit": "Unidade",
|
||||||
"Unrated": "Sem classificação",
|
"Unit_Alias": "Alcunha da unidade",
|
||||||
"Url_Import": "Importação de URL",
|
"Units": "Unidades",
|
||||||
"Use_Fractions": "Usar frações",
|
"Unrated": "Sem classificação",
|
||||||
"Use_Fractions_Help": "Converter automaticamente casas decimais para frações enquanto se visualiza uma receita.",
|
"Url_Import": "Importação de URL",
|
||||||
"Use_Plural_Food_Always": "",
|
"Use_Fractions": "Usar frações",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Use_Fractions_Help": "Converter automaticamente casas decimais para frações enquanto se visualiza uma receita.",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"User": "Utilizador",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View": "Vista",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"View_Recipes": "Ver Receitas",
|
"User": "Utilizador",
|
||||||
"Waiting": "Em espera",
|
"View": "Vista",
|
||||||
"Warning": "Aviso",
|
"View_Recipes": "Ver Receitas",
|
||||||
"Week": "Semana",
|
"Waiting": "Em espera",
|
||||||
"Week_Numbers": "Números das semanas",
|
"Warning": "Aviso",
|
||||||
"Year": "Ano",
|
"Week": "Semana",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Números das semanas",
|
||||||
"active": "",
|
"Year": "Ano",
|
||||||
"add_keyword": "Adicionar Palavra Chave",
|
"YourSpaces": "",
|
||||||
"advanced": "",
|
"active": "",
|
||||||
"advanced_search_settings": "Configurações Avançadas de Pesquisa",
|
"add_keyword": "Adicionar Palavra Chave",
|
||||||
"all_fields_optional": "Todo os campos são opcionais e podem ficar vazios.",
|
"advanced": "",
|
||||||
"and": "e",
|
"advanced_search_settings": "Configurações Avançadas de Pesquisa",
|
||||||
"and_down": "e para baixo",
|
"all_fields_optional": "Todo os campos são opcionais e podem ficar vazios.",
|
||||||
"and_up": "e para cima",
|
"and": "e",
|
||||||
"asc": "",
|
"and_down": "e para baixo",
|
||||||
"book_filter_help": "",
|
"and_up": "e para cima",
|
||||||
"confirm_delete": "Tem a certeza que pretende eliminar este {object}?",
|
"asc": "",
|
||||||
"convert_internal": "Converter em receita interna",
|
"book_filter_help": "",
|
||||||
"copy_markdown_table": "",
|
"confirm_delete": "Tem a certeza que pretende eliminar este {object}?",
|
||||||
"copy_to_clipboard": "",
|
"convert_internal": "Converter em receita interna",
|
||||||
"copy_to_new": "",
|
"copy_markdown_table": "",
|
||||||
"create_food_desc": "Criar a comida e ligar a esta receita.",
|
"copy_to_clipboard": "",
|
||||||
"create_rule": "e criar automação",
|
"copy_to_new": "",
|
||||||
"create_shopping_new": "",
|
"create_food_desc": "Criar a comida e ligar a esta receita.",
|
||||||
"create_title": "Novo {type}",
|
"create_rule": "e criar automação",
|
||||||
"created_by": "",
|
"create_shopping_new": "",
|
||||||
"created_on": "Criado em",
|
"create_title": "Novo {type}",
|
||||||
"csv_delim_help": "",
|
"created_by": "",
|
||||||
"csv_delim_label": "",
|
"created_on": "Criado em",
|
||||||
"csv_prefix_help": "",
|
"csv_delim_help": "",
|
||||||
"csv_prefix_label": "",
|
"csv_delim_label": "",
|
||||||
"date_created": "",
|
"csv_prefix_help": "",
|
||||||
"date_viewed": "",
|
"csv_prefix_label": "",
|
||||||
"default_delay": "Horas de atraso por padrão",
|
"date_created": "",
|
||||||
"default_delay_desc": "",
|
"date_viewed": "",
|
||||||
"del_confirmation_tree": "Tem a certeza que pretende eliminar {source} e todas as suas crianças?",
|
"default_delay": "Horas de atraso por padrão",
|
||||||
"delete_confirmation": "Tem a certeza que pretende eliminar {source}?",
|
"default_delay_desc": "",
|
||||||
"delete_title": "Eliminar {type}",
|
"del_confirmation_tree": "Tem a certeza que pretende eliminar {source} e todas as suas crianças?",
|
||||||
"desc": "",
|
"delete_confirmation": "Tem a certeza que pretende eliminar {source}?",
|
||||||
"download_csv": "",
|
"delete_title": "Eliminar {type}",
|
||||||
"download_pdf": "",
|
"desc": "",
|
||||||
"edit_title": "Editar {type}",
|
"download_csv": "",
|
||||||
"empty_list": "Lista está vazia.",
|
"download_pdf": "",
|
||||||
"enable_expert": "",
|
"edit_title": "Editar {type}",
|
||||||
"err_creating_resource": "Ocorreu um erro criando um recurso!",
|
"empty_list": "Lista está vazia.",
|
||||||
"err_deleting_protected_resource": "O objeto que você está tentando deletar ainda está sendo utilizado, portanto não pode ser deletado.",
|
"enable_expert": "",
|
||||||
"err_deleting_resource": "Ocorreu um erro deletando um recurso!",
|
"err_creating_resource": "Ocorreu um erro criando um recurso!",
|
||||||
"err_fetching_resource": "Ocorreu um erro buscando um recurso!",
|
"err_deleting_protected_resource": "O objeto que você está tentando deletar ainda está sendo utilizado, portanto não pode ser deletado.",
|
||||||
"err_merge_self": "",
|
"err_deleting_resource": "Ocorreu um erro deletando um recurso!",
|
||||||
"err_merging_resource": "Ocorreu um erro mesclando os recursos!",
|
"err_fetching_resource": "Ocorreu um erro buscando um recurso!",
|
||||||
"err_move_self": "",
|
"err_merge_self": "",
|
||||||
"err_moving_resource": "Ocorreu um erro movendo o recurso!",
|
"err_merging_resource": "Ocorreu um erro mesclando os recursos!",
|
||||||
"err_updating_resource": "Ocorreu um erro atualizando um recurso!",
|
"err_move_self": "",
|
||||||
"expert_mode": "",
|
"err_moving_resource": "Ocorreu um erro movendo o recurso!",
|
||||||
"explain": "",
|
"err_updating_resource": "Ocorreu um erro atualizando um recurso!",
|
||||||
"fields": "",
|
"expert_mode": "",
|
||||||
"file_upload_disabled": "Upload de arquivos não está habilitado para seu espaço.",
|
"explain": "",
|
||||||
"filter": "",
|
"fields": "",
|
||||||
"filter_name": "",
|
"file_upload_disabled": "Upload de arquivos não está habilitado para seu espaço.",
|
||||||
"filter_to_supermarket": "",
|
"filter": "",
|
||||||
"filter_to_supermarket_desc": "",
|
"filter_name": "",
|
||||||
"food_inherit_info": "Campos no alimento que devem ser herdados por padrão.",
|
"filter_to_supermarket": "",
|
||||||
"food_recipe_help": "",
|
"filter_to_supermarket_desc": "",
|
||||||
"ignore_shopping_help": "",
|
"food_inherit_info": "Campos no alimento que devem ser herdados por padrão.",
|
||||||
"import_running": "Importação a decorrer, por favor aguarde!",
|
"food_recipe_help": "",
|
||||||
"in_shopping": "",
|
"ignore_shopping_help": "",
|
||||||
"ingredient_list": "",
|
"import_running": "Importação a decorrer, por favor aguarde!",
|
||||||
"last_cooked": "",
|
"in_shopping": "",
|
||||||
"last_viewed": "",
|
"ingredient_list": "",
|
||||||
"left_handed": "",
|
"last_cooked": "",
|
||||||
"left_handed_help": "",
|
"last_viewed": "",
|
||||||
"make_now": "",
|
"left_handed": "",
|
||||||
"mark_complete": "",
|
"left_handed_help": "",
|
||||||
"mealplan_autoadd_shopping": "Adicionar automaticamente plano de refeições",
|
"make_now": "",
|
||||||
"mealplan_autoadd_shopping_desc": "Adicionar automaticamente ingredientes do plano de refeições á lista de compras.",
|
"mark_complete": "",
|
||||||
"mealplan_autoexclude_onhand": "Excluir comida disponível",
|
"mealplan_autoadd_shopping": "Adicionar automaticamente plano de refeições",
|
||||||
"mealplan_autoexclude_onhand_desc": "",
|
"mealplan_autoadd_shopping_desc": "Adicionar automaticamente ingredientes do plano de refeições á lista de compras.",
|
||||||
"mealplan_autoinclude_related": "Adicionar receitas relacionadas",
|
"mealplan_autoexclude_onhand": "Excluir comida disponível",
|
||||||
"mealplan_autoinclude_related_desc": "",
|
"mealplan_autoexclude_onhand_desc": "",
|
||||||
"merge_confirmation": "Substituir <i>{source}</i> por <i>{target}</i>",
|
"mealplan_autoinclude_related": "Adicionar receitas relacionadas",
|
||||||
"merge_selection": "Substituir todas as ocorrências de {source} por {type}.",
|
"mealplan_autoinclude_related_desc": "",
|
||||||
"merge_title": "Unir {type}",
|
"merge_confirmation": "Substituir <i>{source}</i> por <i>{target}</i>",
|
||||||
"min": "minimo",
|
"merge_selection": "Substituir todas as ocorrências de {source} por {type}.",
|
||||||
"move_confirmation": "Mover <i> {child}</i>para parente <i>{parent}</i>",
|
"merge_title": "Unir {type}",
|
||||||
"move_selection": "Selecionar um parente {type} para mover {source} para.",
|
"min": "minimo",
|
||||||
"move_title": "Mover {type}",
|
"move_confirmation": "Mover <i> {child}</i>para parente <i>{parent}</i>",
|
||||||
"no_pinned_recipes": "Não Tem nenhuma receita marcada!",
|
"move_selection": "Selecionar um parente {type} para mover {source} para.",
|
||||||
"not": "",
|
"move_title": "Mover {type}",
|
||||||
"nothing": "",
|
"no_pinned_recipes": "Não Tem nenhuma receita marcada!",
|
||||||
"nothing_planned_today": "Não Tem nada planeado para hoje!",
|
"not": "",
|
||||||
"one_url_per_line": "Um URL por linha",
|
"nothing": "",
|
||||||
"or": "ou",
|
"nothing_planned_today": "Não Tem nada planeado para hoje!",
|
||||||
"parameter_count": "Parametro {count}",
|
"one_url_per_line": "Um URL por linha",
|
||||||
"paste_ingredients": "",
|
"or": "ou",
|
||||||
"paste_ingredients_placeholder": "",
|
"parameter_count": "Parametro {count}",
|
||||||
"plan_share_desc": "Novas entradas do plano de refeições serão automaticamente partilhadas com os utilizadores selecionados.",
|
"paste_ingredients": "",
|
||||||
"plural_short": "",
|
"paste_ingredients_placeholder": "",
|
||||||
"plural_usage_info": "",
|
"plan_share_desc": "Novas entradas do plano de refeições serão automaticamente partilhadas com os utilizadores selecionados.",
|
||||||
"recipe_filter": "",
|
"plural_short": "",
|
||||||
"recipe_name": "",
|
"plural_usage_info": "",
|
||||||
"related_recipes": "",
|
"recipe_filter": "",
|
||||||
"remember_hours": "",
|
"recipe_name": "",
|
||||||
"remember_search": "",
|
"related_recipes": "",
|
||||||
"remove_selection": "Deselecionar",
|
"remember_hours": "",
|
||||||
"reset_children": "",
|
"remember_search": "",
|
||||||
"reset_children_help": "",
|
"remove_selection": "Deselecionar",
|
||||||
"reusable_help_text": "O link de convite poderá ser usado por mais do que um utilizador.",
|
"reset_children": "",
|
||||||
"review_shopping": "",
|
"reset_children_help": "",
|
||||||
"save_filter": "",
|
"reusable_help_text": "O link de convite poderá ser usado por mais do que um utilizador.",
|
||||||
"search_create_help_text": "",
|
"review_shopping": "",
|
||||||
"search_import_help_text": "",
|
"save_filter": "",
|
||||||
"search_no_recipes": "",
|
"search_create_help_text": "",
|
||||||
"search_rank": "",
|
"search_import_help_text": "",
|
||||||
"select_file": "Selecionar Ficheiro",
|
"search_no_recipes": "",
|
||||||
"select_food": "Selecionar Comida",
|
"search_rank": "",
|
||||||
"select_keyword": "Selecionar Palavra Chave",
|
"select_file": "Selecionar Ficheiro",
|
||||||
"select_recipe": "Selecionar Receita",
|
"select_food": "Selecionar Comida",
|
||||||
"select_unit": "Selecionar Unidade",
|
"select_keyword": "Selecionar Palavra Chave",
|
||||||
"shared_with": "",
|
"select_recipe": "Selecionar Receita",
|
||||||
"shopping_add_onhand": "",
|
"select_unit": "Selecionar Unidade",
|
||||||
"shopping_add_onhand_desc": "",
|
"shared_with": "",
|
||||||
"shopping_auto_sync": "Sincronização automática",
|
"shopping_add_onhand": "",
|
||||||
"shopping_auto_sync_desc": "Definir a 0 irá desativar a sincronização automática. Quando se visualiza uma lista de compras a lista é atualizada após um número determinado de segundos para sincronizar com possíveis alterações feitas por outrem. Útil quando se partilha a lista de compras porém irá consumir dados móveis.",
|
"shopping_add_onhand_desc": "",
|
||||||
"shopping_category_help": "",
|
"shopping_auto_sync": "Sincronização automática",
|
||||||
"shopping_recent_days": "",
|
"shopping_auto_sync_desc": "Definir a 0 irá desativar a sincronização automática. Quando se visualiza uma lista de compras a lista é atualizada após um número determinado de segundos para sincronizar com possíveis alterações feitas por outrem. Útil quando se partilha a lista de compras porém irá consumir dados móveis.",
|
||||||
"shopping_recent_days_desc": "",
|
"shopping_category_help": "",
|
||||||
"shopping_share": "Partilhar lista de compras",
|
"shopping_recent_days": "",
|
||||||
"shopping_share_desc": "Utilizadores poderão ver todos os itens que adicionar à sua lista de compras. Eles devem adicioná-lo para ver os itens na lista deles.",
|
"shopping_recent_days_desc": "",
|
||||||
"show_books": "",
|
"shopping_share": "Partilhar lista de compras",
|
||||||
"show_filters": "",
|
"shopping_share_desc": "Utilizadores poderão ver todos os itens que adicionar à sua lista de compras. Eles devem adicioná-lo para ver os itens na lista deles.",
|
||||||
"show_foods": "",
|
"show_books": "",
|
||||||
"show_keywords": "",
|
"show_filters": "",
|
||||||
"show_only_internal": "Mostrar apenas receitas internas",
|
"show_foods": "",
|
||||||
"show_rating": "",
|
"show_keywords": "",
|
||||||
"show_sortby": "",
|
"show_only_internal": "Mostrar apenas receitas internas",
|
||||||
"show_split_screen": "Vista dividida",
|
"show_rating": "",
|
||||||
"show_sql": "",
|
"show_sortby": "",
|
||||||
"show_units": "",
|
"show_split_screen": "Vista dividida",
|
||||||
"simple_mode": "",
|
"show_sql": "",
|
||||||
"sort_by": "",
|
"show_units": "",
|
||||||
"sql_debug": "",
|
"simple_mode": "",
|
||||||
"step_time_minutes": "tempo da etapa em minutos",
|
"sort_by": "",
|
||||||
"substitute_children": "",
|
"sql_debug": "",
|
||||||
"substitute_children_help": "",
|
"step_time_minutes": "tempo da etapa em minutos",
|
||||||
"substitute_help": "",
|
"substitute_children": "",
|
||||||
"substitute_siblings": "",
|
"substitute_children_help": "",
|
||||||
"substitute_siblings_help": "",
|
"substitute_help": "",
|
||||||
"success_creating_resource": "Recurso criado com sucesso!",
|
"substitute_siblings": "",
|
||||||
"success_deleting_resource": "Recurso excluído com sucesso!",
|
"substitute_siblings_help": "",
|
||||||
"success_fetching_resource": "Recurso carregado com sucesso!",
|
"success_creating_resource": "Recurso criado com sucesso!",
|
||||||
"success_merging_resource": "Recurso mesclado com sucesso!",
|
"success_deleting_resource": "Recurso excluído com sucesso!",
|
||||||
"success_moving_resource": "Recurso movido com sucesso!",
|
"success_fetching_resource": "Recurso carregado com sucesso!",
|
||||||
"success_updating_resource": "Recurso atualizado com sucesso!",
|
"success_merging_resource": "Recurso mesclado com sucesso!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Recurso movido com sucesso!",
|
||||||
"times_cooked": "",
|
"success_updating_resource": "Recurso atualizado com sucesso!",
|
||||||
"today_recipes": "",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "Raiz da árvore",
|
"times_cooked": "",
|
||||||
"tree_select": "",
|
"today_recipes": "",
|
||||||
"updatedon": "Atualizado em",
|
"tree_root": "Raiz da árvore",
|
||||||
"view_recipe": "",
|
"tree_select": "",
|
||||||
"warning_duplicate_filter": "",
|
"updatedon": "Atualizado em",
|
||||||
"warning_feature_beta": "Este recurso está atualmente em BETA (sendo testado). Tenha em mente que podem existir bugs atualmente e haja mudanças drásticas no futuro (que podem causar perda de dados) quando utilizar este recurso.",
|
"view_recipe": "",
|
||||||
"warning_space_delete": "Pode eliminar o seu espaço incluindo todas as receitas, listas de compras, planos de refeição e tudo o que tenha criado. Isto não pode ser desfeito! Tem a certeza que quer fazer isto?"
|
"warning_duplicate_filter": "",
|
||||||
|
"warning_feature_beta": "Este recurso está atualmente em BETA (sendo testado). Tenha em mente que podem existir bugs atualmente e haja mudanças drásticas no futuro (que podem causar perda de dados) quando utilizar este recurso.",
|
||||||
|
"warning_space_delete": "Pode eliminar o seu espaço incluindo todas as receitas, listas de compras, planos de refeição e tudo o que tenha criado. Isto não pode ser desfeito! Tem a certeza que quer fazer isto?"
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -1,492 +1,494 @@
|
|||||||
{
|
{
|
||||||
"API": "API",
|
"API": "API",
|
||||||
"Account": "Cont",
|
"Access_Token": "",
|
||||||
"Add": "Adaugă",
|
"Account": "Cont",
|
||||||
"AddFoodToShopping": "Adăugă {food} în lista de cumpărături",
|
"Add": "Adaugă",
|
||||||
"AddToShopping": "Adaugă la lista de cumpărături",
|
"AddFoodToShopping": "Adăugă {food} în lista de cumpărături",
|
||||||
"Add_Servings_to_Shopping": "Adăugă {servings} porții la cumpărături",
|
"AddToShopping": "Adaugă la lista de cumpărături",
|
||||||
"Add_Step": "Adaugă pas",
|
"Add_Servings_to_Shopping": "Adăugă {servings} porții la cumpărături",
|
||||||
"Add_nutrition_recipe": "Adăugare a nutriției la rețetă",
|
"Add_Step": "Adaugă pas",
|
||||||
"Add_to_Plan": "Adăugare la plan",
|
"Add_nutrition_recipe": "Adăugare a nutriției la rețetă",
|
||||||
"Add_to_Shopping": "Adaugare la cumpărături",
|
"Add_to_Plan": "Adăugare la plan",
|
||||||
"Added_To_Shopping_List": "Adăugat la lista de cumpărături",
|
"Add_to_Shopping": "Adaugare la cumpărături",
|
||||||
"Added_by": "Adăugat de",
|
"Added_To_Shopping_List": "Adăugat la lista de cumpărături",
|
||||||
"Added_on": "Adăugat la",
|
"Added_by": "Adăugat de",
|
||||||
"Advanced": "Avansat",
|
"Added_on": "Adăugat la",
|
||||||
"Advanced Search Settings": "",
|
"Advanced": "Avansat",
|
||||||
"Amount": "Cantitate",
|
"Advanced Search Settings": "",
|
||||||
"App": "Aplicație",
|
"Amount": "Cantitate",
|
||||||
"Are_You_Sure": "Sunteți sigur?",
|
"App": "Aplicație",
|
||||||
"Auto_Planner": "Planificator automat",
|
"Are_You_Sure": "Sunteți sigur?",
|
||||||
"Auto_Sort": "Sortare automatizată",
|
"Auto_Planner": "Planificator automat",
|
||||||
"Auto_Sort_Help": "Mutați toate ingredientele la cel mai potrivit pas.",
|
"Auto_Sort": "Sortare automatizată",
|
||||||
"Automate": "Automatizat",
|
"Auto_Sort_Help": "Mutați toate ingredientele la cel mai potrivit pas.",
|
||||||
"Automation": "Automatizare",
|
"Automate": "Automatizat",
|
||||||
"Bookmarklet": "Marcaj",
|
"Automation": "Automatizare",
|
||||||
"Books": "Cărți",
|
"Bookmarklet": "Marcaj",
|
||||||
"Calories": "Calorii",
|
"Books": "Cărți",
|
||||||
"Cancel": "Anulează",
|
"Calories": "Calorii",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Notele nu pot fi adăugate la lista de cumpărături",
|
"Cancel": "Anulează",
|
||||||
"Carbohydrates": "Carbohidrați",
|
"Cannot_Add_Notes_To_Shopping": "Notele nu pot fi adăugate la lista de cumpărături",
|
||||||
"Categories": "Categorii",
|
"Carbohydrates": "Carbohidrați",
|
||||||
"Category": "Categorie",
|
"Categories": "Categorii",
|
||||||
"CategoryInstruction": "Trageți categoriile pentru a schimba categoriile de comenzi care apar în lista de cumpărături.",
|
"Category": "Categorie",
|
||||||
"CategoryName": "Nume categorie",
|
"CategoryInstruction": "Trageți categoriile pentru a schimba categoriile de comenzi care apar în lista de cumpărături.",
|
||||||
"Change_Password": "Schimbați parola",
|
"CategoryName": "Nume categorie",
|
||||||
"ChildInheritFields": "Copiii moștenesc câmpurile",
|
"Change_Password": "Schimbați parola",
|
||||||
"ChildInheritFields_help": "Copiii vor moșteni aceste câmpuri în mod implicit.",
|
"ChildInheritFields": "Copiii moștenesc câmpurile",
|
||||||
"Clear": "Curățare",
|
"ChildInheritFields_help": "Copiii vor moșteni aceste câmpuri în mod implicit.",
|
||||||
"Click_To_Edit": "Faceți click pentru a edita",
|
"Clear": "Curățare",
|
||||||
"Clone": "Clonă",
|
"Click_To_Edit": "Faceți click pentru a edita",
|
||||||
"Close": "Închide",
|
"Clone": "Clonă",
|
||||||
"Color": "Culoare",
|
"Close": "Închide",
|
||||||
"Combine_All_Steps": "Combinați toți pașii într-un singur câmp.",
|
"Color": "Culoare",
|
||||||
"Coming_Soon": "În curând",
|
"Combine_All_Steps": "Combinați toți pașii într-un singur câmp.",
|
||||||
"Comments_setting": "Afișează comentarii",
|
"Coming_Soon": "În curând",
|
||||||
"Completed": "Completat",
|
"Comments_setting": "Afișează comentarii",
|
||||||
"Copy": "Copie",
|
"Completed": "Completat",
|
||||||
"Copy Link": "Copiere link",
|
"Copy": "Copie",
|
||||||
"Copy Token": "Copiere token",
|
"Copy Link": "Copiere link",
|
||||||
"Copy_template_reference": "Copie referința șablonului",
|
"Copy Token": "Copiere token",
|
||||||
"Cosmetic": "Cosmetice",
|
"Copy_template_reference": "Copie referința șablonului",
|
||||||
"CountMore": "...+{count} mai mult",
|
"Cosmetic": "Cosmetice",
|
||||||
"Create": "Creează",
|
"CountMore": "...+{count} mai mult",
|
||||||
"Create Food": "Creare mâncare",
|
"Create": "Creează",
|
||||||
"Create Recipe": "Crearea rețetei",
|
"Create Food": "Creare mâncare",
|
||||||
"Create_Meal_Plan_Entry": "Crearea înregistrării în planul de alimentare",
|
"Create Recipe": "Crearea rețetei",
|
||||||
"Create_New_Food": "Adaugă mâncare nouă",
|
"Create_Meal_Plan_Entry": "Crearea înregistrării în planul de alimentare",
|
||||||
"Create_New_Keyword": "Adaugă cuvânt cheie nou",
|
"Create_New_Food": "Adaugă mâncare nouă",
|
||||||
"Create_New_Meal_Type": "Adaugă tip mâncare nou",
|
"Create_New_Keyword": "Adaugă cuvânt cheie nou",
|
||||||
"Create_New_Shopping Category": "Creați o nouă categorie de cumpărături",
|
"Create_New_Meal_Type": "Adaugă tip mâncare nou",
|
||||||
"Create_New_Shopping_Category": "Adaugă categorie de cumpărături nouă",
|
"Create_New_Shopping Category": "Creați o nouă categorie de cumpărături",
|
||||||
"Create_New_Unit": "Adaugă unitate nouă",
|
"Create_New_Shopping_Category": "Adaugă categorie de cumpărături nouă",
|
||||||
"Current_Period": "Perioada curentă",
|
"Create_New_Unit": "Adaugă unitate nouă",
|
||||||
"Custom Filter": "Filtru personalizat",
|
"Current_Period": "Perioada curentă",
|
||||||
"Date": "Dată",
|
"Custom Filter": "Filtru personalizat",
|
||||||
"Day": "Zi",
|
"Date": "Dată",
|
||||||
"Days": "Zile",
|
"Day": "Zi",
|
||||||
"Decimals": "Zecimale",
|
"Days": "Zile",
|
||||||
"Default_Unit": "Unitate standard",
|
"Decimals": "Zecimale",
|
||||||
"DelayFor": "Întârziere pentru {hours} ore",
|
"Default_Unit": "Unitate standard",
|
||||||
"DelayUntil": "Amână până la",
|
"DelayFor": "Întârziere pentru {hours} ore",
|
||||||
"Delete": "Șterge",
|
"DelayUntil": "Amână până la",
|
||||||
"DeleteShoppingConfirm": "Sunteți sigur că doriți să eliminați toate {food} din lista de cumpărături?",
|
"Delete": "Șterge",
|
||||||
"Delete_Food": "Ștergere mâncare",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Ștergere cuvânt cheie",
|
"DeleteShoppingConfirm": "Sunteți sigur că doriți să eliminați toate {food} din lista de cumpărături?",
|
||||||
"Description": "Descriere",
|
"Delete_Food": "Ștergere mâncare",
|
||||||
"Description_Replace": "Înlocuire descripție",
|
"Delete_Keyword": "Ștergere cuvânt cheie",
|
||||||
"Disable": "Dezactivare",
|
"Description": "Descriere",
|
||||||
"Disable_Amount": "Dezactivare cantitate",
|
"Description_Replace": "Înlocuire descripție",
|
||||||
"Disabled": "Dezactivat",
|
"Disable": "Dezactivare",
|
||||||
"Documentation": "Documentație",
|
"Disable_Amount": "Dezactivare cantitate",
|
||||||
"Download": "Descarcă",
|
"Disabled": "Dezactivat",
|
||||||
"Drag_Here_To_Delete": "Mută aici pentru a șterge",
|
"Documentation": "Documentație",
|
||||||
"Edit": "Editează",
|
"Download": "Descarcă",
|
||||||
"Edit_Food": "Editare mâncare",
|
"Drag_Here_To_Delete": "Mută aici pentru a șterge",
|
||||||
"Edit_Keyword": "Editează cuvânt cheie",
|
"Edit": "Editează",
|
||||||
"Edit_Meal_Plan_Entry": "Editarea înregistrării în planul de alimentare",
|
"Edit_Food": "Editare mâncare",
|
||||||
"Edit_Recipe": "Editează rețeta",
|
"Edit_Keyword": "Editează cuvânt cheie",
|
||||||
"Empty": "Gol",
|
"Edit_Meal_Plan_Entry": "Editarea înregistrării în planul de alimentare",
|
||||||
"Enable_Amount": "Activare cantitate",
|
"Edit_Recipe": "Editează rețeta",
|
||||||
"Energy": "Energie",
|
"Empty": "Gol",
|
||||||
"Export": "Exportă",
|
"Enable_Amount": "Activare cantitate",
|
||||||
"Export_As_ICal": "Exportul perioadei curente în format iCal",
|
"Energy": "Energie",
|
||||||
"Export_Not_Yet_Supported": "Exportul încă nu este compatibil",
|
"Export": "Exportă",
|
||||||
"Export_Supported": "Export compatibil",
|
"Export_As_ICal": "Exportul perioadei curente în format iCal",
|
||||||
"Export_To_ICal": "Exportă .ics",
|
"Export_Not_Yet_Supported": "Exportul încă nu este compatibil",
|
||||||
"External": "Extern",
|
"Export_Supported": "Export compatibil",
|
||||||
"External_Recipe_Image": "Imagine rețetă externă",
|
"Export_To_ICal": "Exportă .ics",
|
||||||
"Failure": "Eșec",
|
"External": "Extern",
|
||||||
"Fats": "Grăsimi",
|
"External_Recipe_Image": "Imagine rețetă externă",
|
||||||
"File": "Fișier",
|
"Failure": "Eșec",
|
||||||
"Files": "Fișiere",
|
"Fats": "Grăsimi",
|
||||||
"First_name": "Prenume",
|
"File": "Fișier",
|
||||||
"Food": "Mâncare",
|
"Files": "Fișiere",
|
||||||
"FoodInherit": "Câmpuri moștenite de alimente",
|
"First_name": "Prenume",
|
||||||
"FoodNotOnHand": "Nu aveți {food} la îndemână.",
|
"Food": "Mâncare",
|
||||||
"FoodOnHand": "Aveți {food} la îndemână.",
|
"FoodInherit": "Câmpuri moștenite de alimente",
|
||||||
"Food_Alias": "Pseudonim mâncare",
|
"FoodNotOnHand": "Nu aveți {food} la îndemână.",
|
||||||
"Foods": "Alimente",
|
"FoodOnHand": "Aveți {food} la îndemână.",
|
||||||
"GroupBy": "Grupat de",
|
"Food_Alias": "Pseudonim mâncare",
|
||||||
"Hide_Food": "Ascunde mâncare",
|
"Foods": "Alimente",
|
||||||
"Hide_Keyword": "Ascunde cuvintele cheie",
|
"GroupBy": "Grupat de",
|
||||||
"Hide_Keywords": "Ascunde cuvânt cheie",
|
"Hide_Food": "Ascunde mâncare",
|
||||||
"Hide_Recipes": "Ascunde rețetele",
|
"Hide_Keyword": "Ascunde cuvintele cheie",
|
||||||
"Hide_as_header": "Ascunderea ca antet",
|
"Hide_Keywords": "Ascunde cuvânt cheie",
|
||||||
"Hour": "Oră",
|
"Hide_Recipes": "Ascunde rețetele",
|
||||||
"Hours": "Ore",
|
"Hide_as_header": "Ascunderea ca antet",
|
||||||
"Icon": "Iconiță",
|
"Hour": "Oră",
|
||||||
"IgnoreThis": "Nu adăugați niciodată automat {food} la cumpărături",
|
"Hours": "Ore",
|
||||||
"Ignore_Shopping": "Ignoră cumpărăturile",
|
"Icon": "Iconiță",
|
||||||
"IgnoredFood": "{food} este setat să ignore cumpărăturile.",
|
"IgnoreThis": "Nu adăugați niciodată automat {food} la cumpărături",
|
||||||
"Image": "Imagine",
|
"Ignore_Shopping": "Ignoră cumpărăturile",
|
||||||
"Import": "Importă",
|
"IgnoredFood": "{food} este setat să ignore cumpărăturile.",
|
||||||
"Import Recipe": "Importă rețeta",
|
"Image": "Imagine",
|
||||||
"Import_Error": "A apărut o eroare în timpul importului. Vă rugăm să extindeți detaliile din partea de jos a paginii pentru a le vizualiza.",
|
"Import": "Importă",
|
||||||
"Import_Not_Yet_Supported": "Importul încă nu este compatibil",
|
"Import Recipe": "Importă rețeta",
|
||||||
"Import_Result_Info": "{imported} din {total} rețete au fost importate",
|
"Import_Error": "A apărut o eroare în timpul importului. Vă rugăm să extindeți detaliile din partea de jos a paginii pentru a le vizualiza.",
|
||||||
"Import_Supported": "Import compatibil",
|
"Import_Not_Yet_Supported": "Importul încă nu este compatibil",
|
||||||
"Import_finished": "Importare finalizată",
|
"Import_Result_Info": "{imported} din {total} rețete au fost importate",
|
||||||
"Imported": "Importate",
|
"Import_Supported": "Import compatibil",
|
||||||
"Imported_From": "Importat din",
|
"Import_finished": "Importare finalizată",
|
||||||
"Importer_Help": "Mai multe informații și ajutor cu privire la acest importator:",
|
"Imported": "Importate",
|
||||||
"Information": "Informație",
|
"Imported_From": "Importat din",
|
||||||
"Ingredient Editor": "Editor de ingrediente",
|
"Importer_Help": "Mai multe informații și ajutor cu privire la acest importator:",
|
||||||
"Ingredient Overview": "Prezentare generală a ingredientelor",
|
"Information": "Informație",
|
||||||
"IngredientInShopping": "Acest ingredient se află în lista de cumpărături.",
|
"Ingredient Editor": "Editor de ingrediente",
|
||||||
"Ingredients": "Ingrediente",
|
"Ingredient Overview": "Prezentare generală a ingredientelor",
|
||||||
"Inherit": "Moștenire",
|
"IngredientInShopping": "Acest ingredient se află în lista de cumpărături.",
|
||||||
"InheritFields": "Moștenirea valorilor câmpurilor",
|
"Ingredients": "Ingrediente",
|
||||||
"InheritFields_help": "Valorile acestor câmpuri vor fi moștenite de la părinte (Excepție: categoriile de cumpărături necompletate nu sunt moștenite)",
|
"Inherit": "Moștenire",
|
||||||
"InheritWarning": "{food} este setat să moștenească, este posibil ca modificările să nu persiste.",
|
"InheritFields": "Moștenirea valorilor câmpurilor",
|
||||||
"Instruction_Replace": "Înlocuire instrucții",
|
"InheritFields_help": "Valorile acestor câmpuri vor fi moștenite de la părinte (Excepție: categoriile de cumpărături necompletate nu sunt moștenite)",
|
||||||
"Instructions": "Instrucțiuni",
|
"InheritWarning": "{food} este setat să moștenească, este posibil ca modificările să nu persiste.",
|
||||||
"Internal": "Intern",
|
"Instruction_Replace": "Înlocuire instrucții",
|
||||||
"Invites": "Invită",
|
"Instructions": "Instrucțiuni",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Internal": "Intern",
|
||||||
"Key_Shift": "Shift",
|
"Invites": "Invită",
|
||||||
"Keyword": "Cuvânt cheie",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keyword_Alias": "Pseudonim cuvânt cheie",
|
"Key_Shift": "Shift",
|
||||||
"Keywords": "Cuvinte cheie",
|
"Keyword": "Cuvânt cheie",
|
||||||
"Language": "Limba",
|
"Keyword_Alias": "Pseudonim cuvânt cheie",
|
||||||
"Last_name": "Nume de familie",
|
"Keywords": "Cuvinte cheie",
|
||||||
"Link": "Link",
|
"Language": "Limba",
|
||||||
"Load_More": "Încărcați mai mult",
|
"Last_name": "Nume de familie",
|
||||||
"Log_Cooking": "Jurnal de pregătire",
|
"Link": "Link",
|
||||||
"Log_Recipe_Cooking": "Jurnalul rețetelor de pregătire",
|
"Load_More": "Încărcați mai mult",
|
||||||
"Make_Header": "Creare antet",
|
"Log_Cooking": "Jurnal de pregătire",
|
||||||
"Make_Ingredient": "Create ingredient",
|
"Log_Recipe_Cooking": "Jurnalul rețetelor de pregătire",
|
||||||
"Manage_Books": "Gestionarea cărților",
|
"Make_Header": "Creare antet",
|
||||||
"Manage_Emails": "Gestionarea e-mailurilor",
|
"Make_Ingredient": "Create ingredient",
|
||||||
"Meal_Plan": "Plan de alimentare",
|
"Manage_Books": "Gestionarea cărților",
|
||||||
"Meal_Plan_Days": "Planuri de alimentație pe viitor",
|
"Manage_Emails": "Gestionarea e-mailurilor",
|
||||||
"Meal_Type": "Tipul mesei",
|
"Meal_Plan": "Plan de alimentare",
|
||||||
"Meal_Type_Required": "Tipul mesei este necesar",
|
"Meal_Plan_Days": "Planuri de alimentație pe viitor",
|
||||||
"Meal_Types": "Tipuri de mese",
|
"Meal_Type": "Tipul mesei",
|
||||||
"Merge": "Unire",
|
"Meal_Type_Required": "Tipul mesei este necesar",
|
||||||
"Merge_Keyword": "Unește cuvânt cheie",
|
"Meal_Types": "Tipuri de mese",
|
||||||
"Message": "Mesaj",
|
"Merge": "Unire",
|
||||||
"Month": "Lună",
|
"Merge_Keyword": "Unește cuvânt cheie",
|
||||||
"Move": "Mută",
|
"Message": "Mesaj",
|
||||||
"MoveCategory": "Mută la: ",
|
"Month": "Lună",
|
||||||
"Move_Down": "Deplasați-vă în jos",
|
"Move": "Mută",
|
||||||
"Move_Food": "Mutare mâncare",
|
"MoveCategory": "Mută la: ",
|
||||||
"Move_Keyword": "Mută cuvânt cheie",
|
"Move_Down": "Deplasați-vă în jos",
|
||||||
"Move_Up": "Deplasați-vă în sus",
|
"Move_Food": "Mutare mâncare",
|
||||||
"Multiple": "Multiplu",
|
"Move_Keyword": "Mută cuvânt cheie",
|
||||||
"Name": "Nume",
|
"Move_Up": "Deplasați-vă în sus",
|
||||||
"Nav_Color": "Culoare navigare",
|
"Multiple": "Multiplu",
|
||||||
"Nav_Color_Help": "Modificare culoare navigare.",
|
"Name": "Nume",
|
||||||
"New": "Nou",
|
"Nav_Color": "Culoare navigare",
|
||||||
"New_Cookbook": "Nouă carte de bucate",
|
"Nav_Color_Help": "Modificare culoare navigare.",
|
||||||
"New_Entry": "Înregistrare nouă",
|
"New": "Nou",
|
||||||
"New_Food": "Mâncare nouă",
|
"New_Cookbook": "Nouă carte de bucate",
|
||||||
"New_Keyword": "Cuvânt cheie nou",
|
"New_Entry": "Înregistrare nouă",
|
||||||
"New_Meal_Type": "Tip de masă nou",
|
"New_Food": "Mâncare nouă",
|
||||||
"New_Recipe": "Rețetă nouă",
|
"New_Keyword": "Cuvânt cheie nou",
|
||||||
"New_Supermarket": "Creați un supermarket nou",
|
"New_Meal_Type": "Tip de masă nou",
|
||||||
"New_Supermarket_Category": "Creați o nouă categorie de supermarket-uri",
|
"New_Recipe": "Rețetă nouă",
|
||||||
"New_Unit": "Unitate nouă",
|
"New_Supermarket": "Creați un supermarket nou",
|
||||||
"Next_Day": "Ziua următoare",
|
"New_Supermarket_Category": "Creați o nouă categorie de supermarket-uri",
|
||||||
"Next_Period": "Perioada următoare",
|
"New_Unit": "Unitate nouă",
|
||||||
"NoCategory": "Nicio categorie selectată.",
|
"Next_Day": "Ziua următoare",
|
||||||
"No_ID": "ID-ul nu a fost găsit, nu se poate șterge.",
|
"Next_Period": "Perioada următoare",
|
||||||
"No_Results": "Fără rezultate",
|
"NoCategory": "Nicio categorie selectată.",
|
||||||
"NotInShopping": "{food} nu se află în lista de cumpărături.",
|
"No_ID": "ID-ul nu a fost găsit, nu se poate șterge.",
|
||||||
"Note": "Notă",
|
"No_Results": "Fără rezultate",
|
||||||
"Nutrition": "Nutriție",
|
"NotInShopping": "{food} nu se află în lista de cumpărături.",
|
||||||
"OfflineAlert": "Sunteți offline, este posibil ca lista de cumpărături să nu se sincronizeze.",
|
"Note": "Notă",
|
||||||
"Ok": "Ok",
|
"Nutrition": "Nutriție",
|
||||||
"OnHand": "În prezent, la îndemână",
|
"OfflineAlert": "Sunteți offline, este posibil ca lista de cumpărături să nu se sincronizeze.",
|
||||||
"OnHand_help": "Alimentele sunt în inventar și nu vor fi adăugate automat la o listă de cumpărături. Starea la îndemână este partajată cu utilizatorii de cumpărături.",
|
"Ok": "Ok",
|
||||||
"Open": "Deschide",
|
"OnHand": "În prezent, la îndemână",
|
||||||
"Options": "Opțiuni",
|
"OnHand_help": "Alimentele sunt în inventar și nu vor fi adăugate automat la o listă de cumpărături. Starea la îndemână este partajată cu utilizatorii de cumpărături.",
|
||||||
"Original_Text": "Text original",
|
"Open": "Deschide",
|
||||||
"Page": "Pagină",
|
"Options": "Opțiuni",
|
||||||
"Parameter": "Parametru",
|
"Original_Text": "Text original",
|
||||||
"Parent": "Părinte",
|
"Page": "Pagină",
|
||||||
"Period": "Perioadă",
|
"Parameter": "Parametru",
|
||||||
"Periods": "Perioade",
|
"Parent": "Părinte",
|
||||||
"Pin": "Fixează",
|
"Period": "Perioadă",
|
||||||
"Pinned": "Fixate",
|
"Periods": "Perioade",
|
||||||
"PinnedConfirmation": "{recipe} a fost fixată.",
|
"Pin": "Fixează",
|
||||||
"Plan_Period_To_Show": "Afișați săptămâni, luni sau ani",
|
"Pinned": "Fixate",
|
||||||
"Plan_Show_How_Many_Periods": "Câte perioade să afișezi",
|
"PinnedConfirmation": "{recipe} a fost fixată.",
|
||||||
"Planned": "Planificate",
|
"Plan_Period_To_Show": "Afișați săptămâni, luni sau ani",
|
||||||
"Planner": "Planificator",
|
"Plan_Show_How_Many_Periods": "Câte perioade să afișezi",
|
||||||
"Planner_Settings": "Setări planificator",
|
"Planned": "Planificate",
|
||||||
"Plural": "Plural",
|
"Planner": "Planificator",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Setări planificator",
|
||||||
"Preparation": "Pregătire",
|
"Plural": "Plural",
|
||||||
"Previous_Day": "Ziua precedentă",
|
"Preferences": "",
|
||||||
"Previous_Period": "Perioada precedentă",
|
"Preparation": "Pregătire",
|
||||||
"Print": "Tipărește",
|
"Previous_Day": "Ziua precedentă",
|
||||||
"Private_Recipe": "Rețetă privată",
|
"Previous_Period": "Perioada precedentă",
|
||||||
"Private_Recipe_Help": "Rețeta este arătată doar ție și oamenilor cu care este împărtășită.",
|
"Print": "Tipărește",
|
||||||
"Profile": "",
|
"Private_Recipe": "Rețetă privată",
|
||||||
"Protected": "Protejat",
|
"Private_Recipe_Help": "Rețeta este arătată doar ție și oamenilor cu care este împărtășită.",
|
||||||
"Proteins": "Proteine",
|
"Profile": "",
|
||||||
"Quick actions": "Acțiuni rapide",
|
"Protected": "Protejat",
|
||||||
"QuickEntry": "Înscriere rapidă",
|
"Proteins": "Proteine",
|
||||||
"Random Recipes": "Rețete aleatoare",
|
"Quick actions": "Acțiuni rapide",
|
||||||
"Rating": "Evaluare",
|
"QuickEntry": "Înscriere rapidă",
|
||||||
"Ratings": "Evaluări",
|
"Random Recipes": "Rețete aleatoare",
|
||||||
"Recently_Viewed": "Vizualizate recent",
|
"Rating": "Evaluare",
|
||||||
"Recipe": "Rețetă",
|
"Ratings": "Evaluări",
|
||||||
"Recipe_Book": "Carte de rețete",
|
"Recently_Viewed": "Vizualizate recent",
|
||||||
"Recipe_Image": "Imagine a rețetei",
|
"Recipe": "Rețetă",
|
||||||
"Recipes": "Rețete",
|
"Recipe_Book": "Carte de rețete",
|
||||||
"Recipes_In_Import": "Rețete în fișierul de import",
|
"Recipe_Image": "Imagine a rețetei",
|
||||||
"Recipes_per_page": "Rețete pe pagină",
|
"Recipes": "Rețete",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "Rețete în fișierul de import",
|
||||||
"RemoveFoodFromShopping": "Șterge {food} din lista de cumpărături",
|
"Recipes_per_page": "Rețete pe pagină",
|
||||||
"Remove_nutrition_recipe": "Ștergere a nutriției din rețetă",
|
"Remove": "",
|
||||||
"Reset": "Resetare",
|
"RemoveFoodFromShopping": "Șterge {food} din lista de cumpărături",
|
||||||
"Reset_Search": "Resetarea căutării",
|
"Remove_nutrition_recipe": "Ștergere a nutriției din rețetă",
|
||||||
"Root": "Rădăcină",
|
"Reset": "Resetare",
|
||||||
"Save": "Salvare",
|
"Reset_Search": "Resetarea căutării",
|
||||||
"Save_and_View": "Salvare și vizionare",
|
"Root": "Rădăcină",
|
||||||
"Search": "Căutare",
|
"Save": "Salvare",
|
||||||
"Search Settings": "Setări de căutare",
|
"Save_and_View": "Salvare și vizionare",
|
||||||
"Second": "Secundă",
|
"Search": "Căutare",
|
||||||
"Seconds": "Secunde",
|
"Search Settings": "Setări de căutare",
|
||||||
"Select": "Selectare",
|
"Second": "Secundă",
|
||||||
"Select_App_To_Import": "Selectați o aplicație din care să importați",
|
"Seconds": "Secunde",
|
||||||
"Select_Book": "Selectare carte",
|
"Select": "Selectare",
|
||||||
"Select_File": "Selectare fișier",
|
"Select_App_To_Import": "Selectați o aplicație din care să importați",
|
||||||
"Selected": "Selectat",
|
"Select_Book": "Selectare carte",
|
||||||
"Servings": "Porții",
|
"Select_File": "Selectare fișier",
|
||||||
"Settings": "Setări",
|
"Selected": "Selectat",
|
||||||
"Share": "Împărtășire",
|
"Servings": "Porții",
|
||||||
"Shopping_Categories": "Categorii de cumpărături",
|
"Settings": "Setări",
|
||||||
"Shopping_Category": "Categorie de cumpărături",
|
"Share": "Împărtășire",
|
||||||
"Shopping_List_Empty": "Lista de cumpărături este în prezent goală, puteți adăuga articole prin meniul contextual al unei intrări în planul de alimentație (faceți click dreapta pe card sau faceți click stânga pe iconița meniului)",
|
"Shopping_Categories": "Categorii de cumpărături",
|
||||||
"Shopping_list": "Lisă de cumpărături",
|
"Shopping_Category": "Categorie de cumpărături",
|
||||||
"ShowDelayed": "Afișarea elementelor întârziate",
|
"Shopping_List_Empty": "Lista de cumpărături este în prezent goală, puteți adăuga articole prin meniul contextual al unei intrări în planul de alimentație (faceți click dreapta pe card sau faceți click stânga pe iconița meniului)",
|
||||||
"ShowUncategorizedFood": "Afișează nedefinit",
|
"Shopping_list": "Lisă de cumpărături",
|
||||||
"Show_Week_Numbers": "Afișați numerele săptămânii?",
|
"ShowDelayed": "Afișarea elementelor întârziate",
|
||||||
"Show_as_header": "Afișare ca antet",
|
"ShowUncategorizedFood": "Afișează nedefinit",
|
||||||
"Single": "Singur",
|
"Show_Week_Numbers": "Afișați numerele săptămânii?",
|
||||||
"Size": "Marime",
|
"Show_as_header": "Afișare ca antet",
|
||||||
"Social_Authentication": "Autentificare socială",
|
"Single": "Singur",
|
||||||
"Sort_by_new": "Sortare după nou",
|
"Size": "Marime",
|
||||||
"SpaceMembers": "",
|
"Social_Authentication": "Autentificare socială",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Sortare după nou",
|
||||||
"Split_All_Steps": "Împărțiți toate rândurile în pași separați.",
|
"SpaceMembers": "",
|
||||||
"Starting_Day": "Ziua de început a săptămânii",
|
"SpaceSettings": "",
|
||||||
"Step": "Pas",
|
"Split_All_Steps": "Împărțiți toate rândurile în pași separați.",
|
||||||
"Step_Name": "Nume pas",
|
"Starting_Day": "Ziua de început a săptămânii",
|
||||||
"Step_Type": "Tip pas",
|
"Step": "Pas",
|
||||||
"Step_start_time": "Pasule de începere a orei",
|
"Step_Name": "Nume pas",
|
||||||
"Sticky_Nav": "Navigare lipicioasă",
|
"Step_Type": "Tip pas",
|
||||||
"Sticky_Nav_Help": "Afișați întotdeauna meniul de navigare din partea de sus a ecranului.",
|
"Step_start_time": "Pasule de începere a orei",
|
||||||
"SubstituteOnHand": "Ai un înlocuitor la îndemână.",
|
"Sticky_Nav": "Navigare lipicioasă",
|
||||||
"Success": "Succes",
|
"Sticky_Nav_Help": "Afișați întotdeauna meniul de navigare din partea de sus a ecranului.",
|
||||||
"SuccessClipboard": "Lista de cumpărături copiată în clipboard",
|
"SubstituteOnHand": "Ai un înlocuitor la îndemână.",
|
||||||
"Supermarket": "Supermarket",
|
"Success": "Succes",
|
||||||
"SupermarketCategoriesOnly": "Numai categorii de supermarket-uri",
|
"SuccessClipboard": "Lista de cumpărături copiată în clipboard",
|
||||||
"SupermarketName": "Numele supermarketului",
|
"Supermarket": "Supermarket",
|
||||||
"Supermarkets": "Supermarket-uri",
|
"SupermarketCategoriesOnly": "Numai categorii de supermarket-uri",
|
||||||
"System": "",
|
"SupermarketName": "Numele supermarketului",
|
||||||
"Table_of_Contents": "Cuprins",
|
"Supermarkets": "Supermarket-uri",
|
||||||
"Text": "Text",
|
"System": "",
|
||||||
"Theme": "Tema",
|
"Table_of_Contents": "Cuprins",
|
||||||
"Time": "Timp",
|
"Text": "Text",
|
||||||
"Title": "Titlu",
|
"Theme": "Tema",
|
||||||
"Title_or_Recipe_Required": "Titlul sau selecția rețetei necesare",
|
"Time": "Timp",
|
||||||
"Toggle": "Comutare",
|
"Title": "Titlu",
|
||||||
"Type": "Tip",
|
"Title_or_Recipe_Required": "Titlul sau selecția rețetei necesare",
|
||||||
"Undefined": "Nedefinit",
|
"Toggle": "Comutare",
|
||||||
"Unit": "Unitate",
|
"Type": "Tip",
|
||||||
"Unit_Alias": "Pseudonim unitate",
|
"Undefined": "Nedefinit",
|
||||||
"Units": "Unități",
|
"Unit": "Unitate",
|
||||||
"Unpin": "Anularea fixării",
|
"Unit_Alias": "Pseudonim unitate",
|
||||||
"UnpinnedConfirmation": "Fixarea {recipe} a fost anulată.",
|
"Units": "Unități",
|
||||||
"Unrated": "Neevaluat",
|
"Unpin": "Anularea fixării",
|
||||||
"Url_Import": "Importă URL",
|
"UnpinnedConfirmation": "Fixarea {recipe} a fost anulată.",
|
||||||
"Use_Fractions": "Folosire fracțiuni",
|
"Unrated": "Neevaluat",
|
||||||
"Use_Fractions_Help": "Convertiți automat zecimalele în fracții atunci când vizualizați o rețetă.",
|
"Url_Import": "Importă URL",
|
||||||
"Use_Kj": "Utilizare kJ în loc de kcal",
|
"Use_Fractions": "Folosire fracțiuni",
|
||||||
"Use_Plural_Food_Always": "Utilizarea formei plurale pentru alimente întotdeauna",
|
"Use_Fractions_Help": "Convertiți automat zecimalele în fracții atunci când vizualizați o rețetă.",
|
||||||
"Use_Plural_Food_Simple": "Utilizarea dinamica a formei plurale pentru alimente",
|
"Use_Kj": "Utilizare kJ în loc de kcal",
|
||||||
"Use_Plural_Unit_Always": "Utilizarea formei plurale pentru unitate întotdeauna",
|
"Use_Plural_Food_Always": "Utilizarea formei plurale pentru alimente întotdeauna",
|
||||||
"Use_Plural_Unit_Simple": "Utilizarea dinamică a formei plurale pentru unitate",
|
"Use_Plural_Food_Simple": "Utilizarea dinamica a formei plurale pentru alimente",
|
||||||
"User": "Utilizator",
|
"Use_Plural_Unit_Always": "Utilizarea formei plurale pentru unitate întotdeauna",
|
||||||
"Username": "Nume utilizator",
|
"Use_Plural_Unit_Simple": "Utilizarea dinamică a formei plurale pentru unitate",
|
||||||
"Users": "Utilizatori",
|
"User": "Utilizator",
|
||||||
"Valid Until": "Valabil până la",
|
"Username": "Nume utilizator",
|
||||||
"View": "Vizualizare",
|
"Users": "Utilizatori",
|
||||||
"View_Recipes": "Vizionare rețete",
|
"Valid Until": "Valabil până la",
|
||||||
"Waiting": "Așteptare",
|
"View": "Vizualizare",
|
||||||
"Warning": "Atenționare",
|
"View_Recipes": "Vizionare rețete",
|
||||||
"Warning_Delete_Supermarket_Category": "Ștergerea unei categorii de supermarketuri va șterge, de asemenea, toate relațiile cu alimentele. Sunteți sigur?",
|
"Waiting": "Așteptare",
|
||||||
"Website": "Site web",
|
"Warning": "Atenționare",
|
||||||
"Week": "Săptămână",
|
"Warning_Delete_Supermarket_Category": "Ștergerea unei categorii de supermarketuri va șterge, de asemenea, toate relațiile cu alimentele. Sunteți sigur?",
|
||||||
"Week_Numbers": "Numerele săptămânii",
|
"Website": "Site web",
|
||||||
"Year": "An",
|
"Week": "Săptămână",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Numerele săptămânii",
|
||||||
"active": "",
|
"Year": "An",
|
||||||
"add_keyword": "Adăugare cuvânt cheie",
|
"YourSpaces": "",
|
||||||
"additional_options": "Opțiuni suplimentare",
|
"active": "",
|
||||||
"advanced": "Avansat",
|
"add_keyword": "Adăugare cuvânt cheie",
|
||||||
"advanced_search_settings": "Setări avansate de căutare",
|
"additional_options": "Opțiuni suplimentare",
|
||||||
"all_fields_optional": "Toate câmpurile sunt opționale și pot fi lăsate necompletate.",
|
"advanced": "Avansat",
|
||||||
"and": "și",
|
"advanced_search_settings": "Setări avansate de căutare",
|
||||||
"and_down": "& Jos",
|
"all_fields_optional": "Toate câmpurile sunt opționale și pot fi lăsate necompletate.",
|
||||||
"and_up": "& Sus",
|
"and": "și",
|
||||||
"asc": "Crescător",
|
"and_down": "& Jos",
|
||||||
"book_filter_help": "Includeți rețete din filtrul de rețete în plus față de cele atribuite manual.",
|
"and_up": "& Sus",
|
||||||
"click_image_import": "Faceți click pe imaginea pe care doriți să o importați pentru această rețetă",
|
"asc": "Crescător",
|
||||||
"confirm_delete": "Sunteți sigur că vreți să ștergeți acest {object}?",
|
"book_filter_help": "Includeți rețete din filtrul de rețete în plus față de cele atribuite manual.",
|
||||||
"convert_internal": "Transformați în rețetă internă",
|
"click_image_import": "Faceți click pe imaginea pe care doriți să o importați pentru această rețetă",
|
||||||
"copy_markdown_table": "Copiere ca tabel Markdown",
|
"confirm_delete": "Sunteți sigur că vreți să ștergeți acest {object}?",
|
||||||
"copy_to_clipboard": "Copierea în Clipboard",
|
"convert_internal": "Transformați în rețetă internă",
|
||||||
"copy_to_new": "Copiere in rețetă nouă",
|
"copy_markdown_table": "Copiere ca tabel Markdown",
|
||||||
"create_food_desc": "Creați un aliment și conectați-l la această rețetă.",
|
"copy_to_clipboard": "Copierea în Clipboard",
|
||||||
"create_rule": "și crearea automatizării",
|
"copy_to_new": "Copiere in rețetă nouă",
|
||||||
"create_title": "{type} nou",
|
"create_food_desc": "Creați un aliment și conectați-l la această rețetă.",
|
||||||
"created_by": "",
|
"create_rule": "și crearea automatizării",
|
||||||
"created_on": "Creat la data de",
|
"create_title": "{type} nou",
|
||||||
"csv_delim_help": "Delimitatorul utilizat pentru exporturile CSV.",
|
"created_by": "",
|
||||||
"csv_delim_label": "Delimitatorul CSV",
|
"created_on": "Creat la data de",
|
||||||
"csv_prefix_help": "Prefix de adăugat la copierea listei în clipboard.",
|
"csv_delim_help": "Delimitatorul utilizat pentru exporturile CSV.",
|
||||||
"csv_prefix_label": "Prefix a listei",
|
"csv_delim_label": "Delimitatorul CSV",
|
||||||
"date_created": "Data creării",
|
"csv_prefix_help": "Prefix de adăugat la copierea listei în clipboard.",
|
||||||
"date_viewed": "Ultimul vizionat",
|
"csv_prefix_label": "Prefix a listei",
|
||||||
"default_delay": "Ore de întârziere implicite",
|
"date_created": "Data creării",
|
||||||
"default_delay_desc": "Numărul implicit de ore pentru a întârzia o intrare în lista de cumpărături.",
|
"date_viewed": "Ultimul vizionat",
|
||||||
"del_confirmation_tree": "Sunteți sigur că doriți să ștergeți {sursa} și toți copiii săi?",
|
"default_delay": "Ore de întârziere implicite",
|
||||||
"delete_confirmation": "Sunteți sigur că doriți să ștergeți {source}?",
|
"default_delay_desc": "Numărul implicit de ore pentru a întârzia o intrare în lista de cumpărături.",
|
||||||
"delete_title": "Ștergere {type}",
|
"del_confirmation_tree": "Sunteți sigur că doriți să ștergeți {sursa} și toți copiii săi?",
|
||||||
"desc": "Descrescător",
|
"delete_confirmation": "Sunteți sigur că doriți să ștergeți {source}?",
|
||||||
"download_csv": "Descarcă CSV",
|
"delete_title": "Ștergere {type}",
|
||||||
"download_pdf": "Descarcă PDF",
|
"desc": "Descrescător",
|
||||||
"edit_title": "Editare {type}",
|
"download_csv": "Descarcă CSV",
|
||||||
"empty_list": "Lista este goală.",
|
"download_pdf": "Descarcă PDF",
|
||||||
"enable_expert": "Activarea modului Expert",
|
"edit_title": "Editare {type}",
|
||||||
"err_creating_resource": "A apărut o eroare la crearea unei resurse!",
|
"empty_list": "Lista este goală.",
|
||||||
"err_deleting_protected_resource": "Obiectul pe care încercați să îl ștergeți este încă utilizat și nu poate fi șters.",
|
"enable_expert": "Activarea modului Expert",
|
||||||
"err_deleting_resource": "A apărut o eroare la ștergerea unei resurse!",
|
"err_creating_resource": "A apărut o eroare la crearea unei resurse!",
|
||||||
"err_fetching_resource": "A apărut o eroare la apelarea unei resurse!",
|
"err_deleting_protected_resource": "Obiectul pe care încercați să îl ștergeți este încă utilizat și nu poate fi șters.",
|
||||||
"err_merge_self": "Nu se poate uni elementul cu el însuși",
|
"err_deleting_resource": "A apărut o eroare la ștergerea unei resurse!",
|
||||||
"err_merging_resource": "A existat o eroare la fuzionarea unei resurse!",
|
"err_fetching_resource": "A apărut o eroare la apelarea unei resurse!",
|
||||||
"err_move_self": "Nu se poate muta elementul în sine",
|
"err_merge_self": "Nu se poate uni elementul cu el însuși",
|
||||||
"err_moving_resource": "A existat o eroare în mutarea unei resurse!",
|
"err_merging_resource": "A existat o eroare la fuzionarea unei resurse!",
|
||||||
"err_updating_resource": "A apărut o eroare la actualizarea unei resurse!",
|
"err_move_self": "Nu se poate muta elementul în sine",
|
||||||
"expert_mode": "Modul Expert",
|
"err_moving_resource": "A existat o eroare în mutarea unei resurse!",
|
||||||
"explain": "Explicație",
|
"err_updating_resource": "A apărut o eroare la actualizarea unei resurse!",
|
||||||
"fields": "Câmpuri",
|
"expert_mode": "Modul Expert",
|
||||||
"file_upload_disabled": "Încărcarea fișierelor nu este activată pentru spațiul dvs.",
|
"explain": "Explicație",
|
||||||
"filter": "Filtru",
|
"fields": "Câmpuri",
|
||||||
"filter_name": "Nume filtru",
|
"file_upload_disabled": "Încărcarea fișierelor nu este activată pentru spațiul dvs.",
|
||||||
"filter_to_supermarket": "Filtrați la supermarket",
|
"filter": "Filtru",
|
||||||
"filter_to_supermarket_desc": "În mod implicit, filtrați lista de cumpărături pentru a include numai categoriile pentru supermarketul selectat.",
|
"filter_name": "Nume filtru",
|
||||||
"food_inherit_info": "Câmpuri pe alimente care ar trebui să fie moștenite în mod implicit.",
|
"filter_to_supermarket": "Filtrați la supermarket",
|
||||||
"food_recipe_help": "Legarea unei rețete aici va include rețeta legată în orice altă rețetă care utilizează acest aliment",
|
"filter_to_supermarket_desc": "În mod implicit, filtrați lista de cumpărături pentru a include numai categoriile pentru supermarketul selectat.",
|
||||||
"ignore_shopping_help": "Nu adăugați niciodată alimente pe lista de cumpărături (ex. apă)",
|
"food_inherit_info": "Câmpuri pe alimente care ar trebui să fie moștenite în mod implicit.",
|
||||||
"import_duplicates": "Pentru a preveni duplicatele, rețetele cu același nume ca și cele existente sunt ignorate. Bifați această casetă pentru a importa totul.",
|
"food_recipe_help": "Legarea unei rețete aici va include rețeta legată în orice altă rețetă care utilizează acest aliment",
|
||||||
"import_running": "Import în desfășurare, așteptați!",
|
"ignore_shopping_help": "Nu adăugați niciodată alimente pe lista de cumpărături (ex. apă)",
|
||||||
"in_shopping": "În lista de cumpărături",
|
"import_duplicates": "Pentru a preveni duplicatele, rețetele cu același nume ca și cele existente sunt ignorate. Bifați această casetă pentru a importa totul.",
|
||||||
"ingredient_list": "Lista de ingrediente",
|
"import_running": "Import în desfășurare, așteptați!",
|
||||||
"last_cooked": "Ultimul pregătit",
|
"in_shopping": "În lista de cumpărături",
|
||||||
"last_viewed": "Ultima vizualizare",
|
"ingredient_list": "Lista de ingrediente",
|
||||||
"left_handed": "Modul stângaci",
|
"last_cooked": "Ultimul pregătit",
|
||||||
"left_handed_help": "Va optimiza interfața de utilizare pentru utilizare cu mâna stângă.",
|
"last_viewed": "Ultima vizualizare",
|
||||||
"make_now": "Creează acum",
|
"left_handed": "Modul stângaci",
|
||||||
"mark_complete": "Marcare completată",
|
"left_handed_help": "Va optimiza interfața de utilizare pentru utilizare cu mâna stângă.",
|
||||||
"mealplan_autoadd_shopping": "Adăugare automată a planului de alimentare",
|
"make_now": "Creează acum",
|
||||||
"mealplan_autoadd_shopping_desc": "Adăugați automat ingredientele planului de alimentare în lista de cumpărături.",
|
"mark_complete": "Marcare completată",
|
||||||
"mealplan_autoexclude_onhand": "Excludeți alimentele la îndemână",
|
"mealplan_autoadd_shopping": "Adăugare automată a planului de alimentare",
|
||||||
"mealplan_autoexclude_onhand_desc": "Atunci când adăugați un plan de alimentare în lista de cumpărături (manual sau automat), excludeți ingredientele care sunt în prezent la îndemână.",
|
"mealplan_autoadd_shopping_desc": "Adăugați automat ingredientele planului de alimentare în lista de cumpărături.",
|
||||||
"mealplan_autoinclude_related": "Adăugați rețete asociate",
|
"mealplan_autoexclude_onhand": "Excludeți alimentele la îndemână",
|
||||||
"mealplan_autoinclude_related_desc": "Atunci când adăugați un plan de alimentare în lista de cumpărături (manual sau automat), includeți toate rețetele asociate.",
|
"mealplan_autoexclude_onhand_desc": "Atunci când adăugați un plan de alimentare în lista de cumpărături (manual sau automat), excludeți ingredientele care sunt în prezent la îndemână.",
|
||||||
"merge_confirmation": "Înlocuiți <i>{source}</i> cu <i>{target}</i>",
|
"mealplan_autoinclude_related": "Adăugați rețete asociate",
|
||||||
"merge_selection": "Înlocuiți toate aparițiile {source} cu {type} selectat.",
|
"mealplan_autoinclude_related_desc": "Atunci când adăugați un plan de alimentare în lista de cumpărături (manual sau automat), includeți toate rețetele asociate.",
|
||||||
"merge_title": "Unire {type}",
|
"merge_confirmation": "Înlocuiți <i>{source}</i> cu <i>{target}</i>",
|
||||||
"min": "min",
|
"merge_selection": "Înlocuiți toate aparițiile {source} cu {type} selectat.",
|
||||||
"move_confirmation": "Mutare <i>{copil}</i> la părinte <i>{părinte}</i>",
|
"merge_title": "Unire {type}",
|
||||||
"move_selection": "Selectați un părinte {type} pentru a muta {source} în.",
|
"min": "min",
|
||||||
"move_title": "Mutare {type}",
|
"move_confirmation": "Mutare <i>{copil}</i> la părinte <i>{părinte}</i>",
|
||||||
"no_more_images_found": "Nu există imagini suplimentare găsite pe site-ul web.",
|
"move_selection": "Selectați un părinte {type} pentru a muta {source} în.",
|
||||||
"no_pinned_recipes": "Nu ai rețete fixate!",
|
"move_title": "Mutare {type}",
|
||||||
"not": "nu",
|
"no_more_images_found": "Nu există imagini suplimentare găsite pe site-ul web.",
|
||||||
"nothing": "Nimic de făcut",
|
"no_pinned_recipes": "Nu ai rețete fixate!",
|
||||||
"nothing_planned_today": "Nu ai nimic planificat pentru ziua de azi!",
|
"not": "nu",
|
||||||
"one_url_per_line": "O adresă URL pe linie",
|
"nothing": "Nimic de făcut",
|
||||||
"or": "sau",
|
"nothing_planned_today": "Nu ai nimic planificat pentru ziua de azi!",
|
||||||
"parameter_count": "Parametru {count}",
|
"one_url_per_line": "O adresă URL pe linie",
|
||||||
"paste_ingredients": "Inserați ingredientele",
|
"or": "sau",
|
||||||
"paste_ingredients_placeholder": "Inserați lista de ingrediente aici...",
|
"parameter_count": "Parametru {count}",
|
||||||
"paste_json": "Inserați sursă JSON sau HTML aici pentru a încărca rețetă.",
|
"paste_ingredients": "Inserați ingredientele",
|
||||||
"plan_share_desc": "Noile intrări din Planul de alimentare vor fi partajate automat cu utilizatorii selectați.",
|
"paste_ingredients_placeholder": "Inserați lista de ingrediente aici...",
|
||||||
"plural_short": "plural",
|
"paste_json": "Inserați sursă JSON sau HTML aici pentru a încărca rețetă.",
|
||||||
"plural_usage_info": "Utilizarea formei plurale pentru unități și alimente în interiorul acestui spațiu.",
|
"plan_share_desc": "Noile intrări din Planul de alimentare vor fi partajate automat cu utilizatorii selectați.",
|
||||||
"recipe_filter": "Filtru rețete",
|
"plural_short": "plural",
|
||||||
"recipe_name": "Nume rețetă",
|
"plural_usage_info": "Utilizarea formei plurale pentru unități și alimente în interiorul acestui spațiu.",
|
||||||
"related_recipes": "Rețete înrudite",
|
"recipe_filter": "Filtru rețete",
|
||||||
"remember_hours": "Ore de reținut",
|
"recipe_name": "Nume rețetă",
|
||||||
"remember_search": "Rețineți căutarea",
|
"related_recipes": "Rețete înrudite",
|
||||||
"remove_selection": "Deselectare",
|
"remember_hours": "Ore de reținut",
|
||||||
"reset_children": "Resetarea moștenirii copilului",
|
"remember_search": "Rețineți căutarea",
|
||||||
"reset_children_help": "Suprascrieți toți copiii cu valori din câmpurile moștenite. Câmpurile moștenite ale copiilor vor fi setate la câmpuri standard, cu excepția cazului în care sunt setate câmpurile moștenite de copii.",
|
"remove_selection": "Deselectare",
|
||||||
"reset_food_inheritance": "Resetați moștenirea",
|
"reset_children": "Resetarea moștenirii copilului",
|
||||||
"reset_food_inheritance_info": "Resetați toate alimentele la câmpurile moștenite implicit și la valorile părinte ale acestora.",
|
"reset_children_help": "Suprascrieți toți copiii cu valori din câmpurile moștenite. Câmpurile moștenite ale copiilor vor fi setate la câmpuri standard, cu excepția cazului în care sunt setate câmpurile moștenite de copii.",
|
||||||
"reusable_help_text": "Ar trebui link-ul de invitație să poată fi utilizat de mai mulți utilizatori.",
|
"reset_food_inheritance": "Resetați moștenirea",
|
||||||
"review_shopping": "Examinați intrările de cumpărături înainte de a salva",
|
"reset_food_inheritance_info": "Resetați toate alimentele la câmpurile moștenite implicit și la valorile părinte ale acestora.",
|
||||||
"save_filter": "Salvare filtru",
|
"reusable_help_text": "Ar trebui link-ul de invitație să poată fi utilizat de mai mulți utilizatori.",
|
||||||
"search_create_help_text": "Creați o rețetă nouă direct în Tandoor.",
|
"review_shopping": "Examinați intrările de cumpărături înainte de a salva",
|
||||||
"search_import_help_text": "Importați o rețetă de pe un site web sau o aplicație externă.",
|
"save_filter": "Salvare filtru",
|
||||||
"search_no_recipes": "Nu a putut găsi nici o rețetă!",
|
"search_create_help_text": "Creați o rețetă nouă direct în Tandoor.",
|
||||||
"search_rank": "Rang de căutare",
|
"search_import_help_text": "Importați o rețetă de pe un site web sau o aplicație externă.",
|
||||||
"select_file": "Selectare fișier",
|
"search_no_recipes": "Nu a putut găsi nici o rețetă!",
|
||||||
"select_food": "Selectare mâncare",
|
"search_rank": "Rang de căutare",
|
||||||
"select_keyword": "Selectați cuvânt cheie",
|
"select_file": "Selectare fișier",
|
||||||
"select_recipe": "Selectare rețetă",
|
"select_food": "Selectare mâncare",
|
||||||
"select_unit": "Selectare unitate",
|
"select_keyword": "Selectați cuvânt cheie",
|
||||||
"shared_with": "Împărtășit cu",
|
"select_recipe": "Selectare rețetă",
|
||||||
"shopping_add_onhand": "La îndemână automat",
|
"select_unit": "Selectare unitate",
|
||||||
"shopping_add_onhand_desc": "Marcați mâncarea 'La îndemână' atunci când este bifată de pe lista de cumpărături.",
|
"shared_with": "Împărtășit cu",
|
||||||
"shopping_auto_sync": "Sincronizare automată",
|
"shopping_add_onhand": "La îndemână automat",
|
||||||
"shopping_auto_sync_desc": "Setarea la 0 va dezactiva sincronizarea automată. Atunci când vizualizați o listă de cumpărături, lista este actualizată la fiecare câteva secunde setate pentru a sincroniza modificările pe care altcineva le-ar fi putut face. Util atunci când faceți cumpărături cu mai multe persoane, dar va folosi mai multe date mobile.",
|
"shopping_add_onhand_desc": "Marcați mâncarea 'La îndemână' atunci când este bifată de pe lista de cumpărături.",
|
||||||
"shopping_category_help": "Supermarket-urile pot fi ordonate și filtrate în funcție de categoria de cumpărături în conformitate cu aspectul culoarului.",
|
"shopping_auto_sync": "Sincronizare automată",
|
||||||
"shopping_recent_days": "Zilele recente",
|
"shopping_auto_sync_desc": "Setarea la 0 va dezactiva sincronizarea automată. Atunci când vizualizați o listă de cumpărături, lista este actualizată la fiecare câteva secunde setate pentru a sincroniza modificările pe care altcineva le-ar fi putut face. Util atunci când faceți cumpărături cu mai multe persoane, dar va folosi mai multe date mobile.",
|
||||||
"shopping_recent_days_desc": "Zile de intrări recente lista de cumpărături pentru a afișa.",
|
"shopping_category_help": "Supermarket-urile pot fi ordonate și filtrate în funcție de categoria de cumpărături în conformitate cu aspectul culoarului.",
|
||||||
"shopping_share": "Partajați lista de cumpărături",
|
"shopping_recent_days": "Zilele recente",
|
||||||
"shopping_share_desc": "Utilizatorii vor vedea toate articolele pe care le adăugați în lista de cumpărături. Ei trebuie să vă adauge pentru a vedea elementele din lista lor.",
|
"shopping_recent_days_desc": "Zile de intrări recente lista de cumpărături pentru a afișa.",
|
||||||
"show_books": "Afișează cărți",
|
"shopping_share": "Partajați lista de cumpărături",
|
||||||
"show_filters": "Afișează filtrele",
|
"shopping_share_desc": "Utilizatorii vor vedea toate articolele pe care le adăugați în lista de cumpărături. Ei trebuie să vă adauge pentru a vedea elementele din lista lor.",
|
||||||
"show_foods": "Afișează mâncări",
|
"show_books": "Afișează cărți",
|
||||||
"show_ingredient_overview": "Afișați o listă cu toate ingredientele la începutul rețetei.",
|
"show_filters": "Afișează filtrele",
|
||||||
"show_keywords": "Afișează cuvinte cheie",
|
"show_foods": "Afișează mâncări",
|
||||||
"show_only_internal": "Arătați doar rețetele interne",
|
"show_ingredient_overview": "Afișați o listă cu toate ingredientele la începutul rețetei.",
|
||||||
"show_rating": "Afișează evaluarea",
|
"show_keywords": "Afișează cuvinte cheie",
|
||||||
"show_sortby": "Afișează sortat de",
|
"show_only_internal": "Arătați doar rețetele interne",
|
||||||
"show_split_screen": "Vedere divizată",
|
"show_rating": "Afișează evaluarea",
|
||||||
"show_sql": "Afișează SQL",
|
"show_sortby": "Afișează sortat de",
|
||||||
"show_units": "Afișează unitățile",
|
"show_split_screen": "Vedere divizată",
|
||||||
"simple_mode": "Modul Simplu",
|
"show_sql": "Afișează SQL",
|
||||||
"sort_by": "Sortat de",
|
"show_units": "Afișează unitățile",
|
||||||
"sql_debug": "Depanare SQL",
|
"simple_mode": "Modul Simplu",
|
||||||
"step_time_minutes": "Timpul pasului în minute",
|
"sort_by": "Sortat de",
|
||||||
"substitute_children": "Înlocuire copii",
|
"sql_debug": "Depanare SQL",
|
||||||
"substitute_children_help": "Toate alimentele care sunt copii ai acestui aliment sunt considerate înlocuitori.",
|
"step_time_minutes": "Timpul pasului în minute",
|
||||||
"substitute_help": "Înlocuitorii sunt luați în considerare atunci când căutați rețete care pot fi făcute cu ingrediente la îndemână.",
|
"substitute_children": "Înlocuire copii",
|
||||||
"substitute_siblings": "Înlocuire frați",
|
"substitute_children_help": "Toate alimentele care sunt copii ai acestui aliment sunt considerate înlocuitori.",
|
||||||
"substitute_siblings_help": "Toate alimentele care împărtășesc un părinte al acestui aliment sunt considerate înlocuitori.",
|
"substitute_help": "Înlocuitorii sunt luați în considerare atunci când căutați rețete care pot fi făcute cu ingrediente la îndemână.",
|
||||||
"success_creating_resource": "Creare cu succes a unei resurse!",
|
"substitute_siblings": "Înlocuire frați",
|
||||||
"success_deleting_resource": "Ștergere cu succes a unei resurse!",
|
"substitute_siblings_help": "Toate alimentele care împărtășesc un părinte al acestui aliment sunt considerate înlocuitori.",
|
||||||
"success_fetching_resource": "Apelare cu succes a unei resurse!",
|
"success_creating_resource": "Creare cu succes a unei resurse!",
|
||||||
"success_merging_resource": "A fuzionat cu succes o resursă!",
|
"success_deleting_resource": "Ștergere cu succes a unei resurse!",
|
||||||
"success_moving_resource": "Resursă mutată cu succes!",
|
"success_fetching_resource": "Apelare cu succes a unei resurse!",
|
||||||
"success_updating_resource": "Actualizare cu succes a unei resurse!",
|
"success_merging_resource": "A fuzionat cu succes o resursă!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Resursă mutată cu succes!",
|
||||||
"times_cooked": "Ori pregătite",
|
"success_updating_resource": "Actualizare cu succes a unei resurse!",
|
||||||
"today_recipes": "Rețete de astăzi",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "Rădăcina copacului",
|
"times_cooked": "Ori pregătite",
|
||||||
"tree_select": "Utilizarea selecției arborilor",
|
"today_recipes": "Rețete de astăzi",
|
||||||
"updatedon": "Actualizat la data de",
|
"tree_root": "Rădăcina copacului",
|
||||||
"view_recipe": "Vizionează rețeta",
|
"tree_select": "Utilizarea selecției arborilor",
|
||||||
"warning_duplicate_filter": "Atenționare: Din cauza limitărilor tehnice care au mai multe filtre de aceeași combinație (și/sau/nu) ar putea da rezultate neașteptate.",
|
"updatedon": "Actualizat la data de",
|
||||||
"warning_feature_beta": "Momentan această funcționalitate este în fază de testare (BETA). Vă rugăm să vă așteptați la erori și, eventual, modificări de întrerupere în viitor atunci când utilizați această caracteristică (cu posibila pierdere a datelor legate de funcționalitate).",
|
"view_recipe": "Vizionează rețeta",
|
||||||
"warning_space_delete": "Puteți șterge spațiul, inclusiv toate rețetele, listele de cumpărături, planurile de alimentare și orice altceva ați creat. Acest lucru nu poate fi anulat! Sunteți sigur că doriți să faceți acest lucru?"
|
"warning_duplicate_filter": "Atenționare: Din cauza limitărilor tehnice care au mai multe filtre de aceeași combinație (și/sau/nu) ar putea da rezultate neașteptate.",
|
||||||
|
"warning_feature_beta": "Momentan această funcționalitate este în fază de testare (BETA). Vă rugăm să vă așteptați la erori și, eventual, modificări de întrerupere în viitor atunci când utilizați această caracteristică (cu posibila pierdere a datelor legate de funcționalitate).",
|
||||||
|
"warning_space_delete": "Puteți șterge spațiul, inclusiv toate rețetele, listele de cumpărături, planurile de alimentare și orice altceva ați creat. Acest lucru nu poate fi anulat! Sunteți sigur că doriți să faceți acest lucru?"
|
||||||
}
|
}
|
||||||
@@ -1,360 +1,362 @@
|
|||||||
{
|
{
|
||||||
"Add": "Добавить",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "Добавить {food} в ваш список покупок",
|
"Add": "Добавить",
|
||||||
"AddToShopping": "Добавить в лист покупок",
|
"AddFoodToShopping": "Добавить {food} в ваш список покупок",
|
||||||
"Add_Servings_to_Shopping": "Добавить {servings} порции в список покупок",
|
"AddToShopping": "Добавить в лист покупок",
|
||||||
"Add_Step": "Добавить шаг",
|
"Add_Servings_to_Shopping": "Добавить {servings} порции в список покупок",
|
||||||
"Add_nutrition_recipe": "Добавьте питательные вещества в рецепт",
|
"Add_Step": "Добавить шаг",
|
||||||
"Add_to_Plan": "Добавить в план",
|
"Add_nutrition_recipe": "Добавьте питательные вещества в рецепт",
|
||||||
"Add_to_Shopping": "Добавить к списку покупок",
|
"Add_to_Plan": "Добавить в план",
|
||||||
"Added_To_Shopping_List": "Добавлено в список покупок",
|
"Add_to_Shopping": "Добавить к списку покупок",
|
||||||
"Added_by": "Добавлено",
|
"Added_To_Shopping_List": "Добавлено в список покупок",
|
||||||
"Added_on": "Добавлено на",
|
"Added_by": "Добавлено",
|
||||||
"Advanced": "Расширенный",
|
"Added_on": "Добавлено на",
|
||||||
"Advanced Search Settings": "",
|
"Advanced": "Расширенный",
|
||||||
"Are_You_Sure": "Вы уверены?",
|
"Advanced Search Settings": "",
|
||||||
"Auto_Planner": "Автопланировщик",
|
"Are_You_Sure": "Вы уверены?",
|
||||||
"Automate": "Автоматизировать",
|
"Auto_Planner": "Автопланировщик",
|
||||||
"Automation": "Автоматизация",
|
"Automate": "Автоматизировать",
|
||||||
"Books": "Книги",
|
"Automation": "Автоматизация",
|
||||||
"Calories": "Каллории",
|
"Books": "Книги",
|
||||||
"Cancel": "Отменить",
|
"Calories": "Каллории",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Нельзя добавить записи в список покупок",
|
"Cancel": "Отменить",
|
||||||
"Carbohydrates": "Углеводы",
|
"Cannot_Add_Notes_To_Shopping": "Нельзя добавить записи в список покупок",
|
||||||
"Categories": "Категории",
|
"Carbohydrates": "Углеводы",
|
||||||
"Category": "Категория",
|
"Categories": "Категории",
|
||||||
"Clear": "Очистить",
|
"Category": "Категория",
|
||||||
"Clone": "Клонировать",
|
"Clear": "Очистить",
|
||||||
"Close": "Закрыть",
|
"Clone": "Клонировать",
|
||||||
"Color": "Цвет",
|
"Close": "Закрыть",
|
||||||
"Coming_Soon": "Скоро",
|
"Color": "Цвет",
|
||||||
"Completed": "Завершено",
|
"Coming_Soon": "Скоро",
|
||||||
"Copy": "Копировать",
|
"Completed": "Завершено",
|
||||||
"Copy_template_reference": "Скопировать ссылку на шаблон",
|
"Copy": "Копировать",
|
||||||
"CountMore": "...+{count} больше",
|
"Copy_template_reference": "Скопировать ссылку на шаблон",
|
||||||
"Create": "Создать",
|
"CountMore": "...+{count} больше",
|
||||||
"Create_Meal_Plan_Entry": "Создать плана питания",
|
"Create": "Создать",
|
||||||
"Create_New_Food": "Добавить новую еду",
|
"Create_Meal_Plan_Entry": "Создать плана питания",
|
||||||
"Create_New_Keyword": "Добавить ключевое слово",
|
"Create_New_Food": "Добавить новую еду",
|
||||||
"Create_New_Meal_Type": "Добавить тип еды",
|
"Create_New_Keyword": "Добавить ключевое слово",
|
||||||
"Create_New_Shopping Category": "Создание новой категории покупок",
|
"Create_New_Meal_Type": "Добавить тип еды",
|
||||||
"Create_New_Shopping_Category": "Добавить новую категорию в список покупок",
|
"Create_New_Shopping Category": "Создание новой категории покупок",
|
||||||
"Create_New_Unit": "Добавить единицу измерения",
|
"Create_New_Shopping_Category": "Добавить новую категорию в список покупок",
|
||||||
"Current_Period": "Текущий период",
|
"Create_New_Unit": "Добавить единицу измерения",
|
||||||
"Custom Filter": "Пользовательский фильтр",
|
"Current_Period": "Текущий период",
|
||||||
"Date": "Дата",
|
"Custom Filter": "Пользовательский фильтр",
|
||||||
"DelayFor": "Отложить на {hours} часов",
|
"Date": "Дата",
|
||||||
"Delete": "Удалить",
|
"DelayFor": "Отложить на {hours} часов",
|
||||||
"DeleteShoppingConfirm": "Вы уверены, что хотите удалить все {food} из вашего списка покупок?",
|
"Delete": "Удалить",
|
||||||
"Delete_Food": "Удалить элемент",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Удалить ключевое слово",
|
"DeleteShoppingConfirm": "Вы уверены, что хотите удалить все {food} из вашего списка покупок?",
|
||||||
"Description": "Описание",
|
"Delete_Food": "Удалить элемент",
|
||||||
"Description_Replace": "Изменить описание",
|
"Delete_Keyword": "Удалить ключевое слово",
|
||||||
"Disable_Amount": "Деактивировать количество",
|
"Description": "Описание",
|
||||||
"Documentation": "Документация",
|
"Description_Replace": "Изменить описание",
|
||||||
"Download": "Загрузить",
|
"Disable_Amount": "Деактивировать количество",
|
||||||
"Drag_Here_To_Delete": "Переместить для удаления",
|
"Documentation": "Документация",
|
||||||
"Edit": "Редактировать",
|
"Download": "Загрузить",
|
||||||
"Edit_Food": "Редактировать еду",
|
"Drag_Here_To_Delete": "Переместить для удаления",
|
||||||
"Edit_Keyword": "Редактировать ключевое слово",
|
"Edit": "Редактировать",
|
||||||
"Edit_Meal_Plan_Entry": "Редактировать план питания",
|
"Edit_Food": "Редактировать еду",
|
||||||
"Edit_Recipe": "Редактировать рецепт",
|
"Edit_Keyword": "Редактировать ключевое слово",
|
||||||
"Empty": "Пустой",
|
"Edit_Meal_Plan_Entry": "Редактировать план питания",
|
||||||
"Enable_Amount": "Активировать Количество",
|
"Edit_Recipe": "Редактировать рецепт",
|
||||||
"Energy": "Энергетическая ценность",
|
"Empty": "Пустой",
|
||||||
"Export": "Экспорт",
|
"Enable_Amount": "Активировать Количество",
|
||||||
"Export_As_ICal": "Экспорт текущего периода в iCal формат",
|
"Energy": "Энергетическая ценность",
|
||||||
"Export_To_ICal": "Экспортировать .ics",
|
"Export": "Экспорт",
|
||||||
"External": "Внешний",
|
"Export_As_ICal": "Экспорт текущего периода в iCal формат",
|
||||||
"External_Recipe_Image": "Изображение рецепта из внешнего источника",
|
"Export_To_ICal": "Экспортировать .ics",
|
||||||
"Failure": "Ошибка",
|
"External": "Внешний",
|
||||||
"Fats": "Жиры",
|
"External_Recipe_Image": "Изображение рецепта из внешнего источника",
|
||||||
"File": "Файл",
|
"Failure": "Ошибка",
|
||||||
"Files": "Файлы",
|
"Fats": "Жиры",
|
||||||
"Food": "Еда",
|
"File": "Файл",
|
||||||
"FoodInherit": "Наследуемые поля продуктов питания",
|
"Files": "Файлы",
|
||||||
"FoodNotOnHand": "{food} отсутствует в наличии.",
|
"Food": "Еда",
|
||||||
"FoodOnHand": "{food} у вас в наличии.",
|
"FoodInherit": "Наследуемые поля продуктов питания",
|
||||||
"Food_Alias": "Наименование еды",
|
"FoodNotOnHand": "{food} отсутствует в наличии.",
|
||||||
"GroupBy": "Сгруппировать по",
|
"FoodOnHand": "{food} у вас в наличии.",
|
||||||
"Hide_Food": "Скрыть еду",
|
"Food_Alias": "Наименование еды",
|
||||||
"Hide_Keyword": "Скрыть ключевые слова",
|
"GroupBy": "Сгруппировать по",
|
||||||
"Hide_Keywords": "Скрыть ключевое слово",
|
"Hide_Food": "Скрыть еду",
|
||||||
"Hide_Recipes": "Скрыть рецепт",
|
"Hide_Keyword": "Скрыть ключевые слова",
|
||||||
"Hide_as_header": "Скрыть заголовок",
|
"Hide_Keywords": "Скрыть ключевое слово",
|
||||||
"Icon": "Иконка",
|
"Hide_Recipes": "Скрыть рецепт",
|
||||||
"IgnoreThis": "Никогда не добавлять {food} в список покупок автоматически",
|
"Hide_as_header": "Скрыть заголовок",
|
||||||
"Ignore_Shopping": "Игнорировать Покупки",
|
"Icon": "Иконка",
|
||||||
"IgnoredFood": "{food} будет исключён из списка покупок.",
|
"IgnoreThis": "Никогда не добавлять {food} в список покупок автоматически",
|
||||||
"Image": "Изображение",
|
"Ignore_Shopping": "Игнорировать Покупки",
|
||||||
"Import": "Импорт",
|
"IgnoredFood": "{food} будет исключён из списка покупок.",
|
||||||
"Import_Error": "Во время импорта произошла ошибка. Для просмотра разверните \"Подробности\" в нижней части страницы.",
|
"Image": "Изображение",
|
||||||
"Import_finished": "Импорт завершен",
|
"Import": "Импорт",
|
||||||
"Imported": "Импортировано",
|
"Import_Error": "Во время импорта произошла ошибка. Для просмотра разверните \"Подробности\" в нижней части страницы.",
|
||||||
"Imported_From": "Импортировано из",
|
"Import_finished": "Импорт завершен",
|
||||||
"Information": "Информация",
|
"Imported": "Импортировано",
|
||||||
"Ingredient Editor": "Редактор ингредиентов",
|
"Imported_From": "Импортировано из",
|
||||||
"IngredientInShopping": "Этот ингредиент в вашем списке покупок.",
|
"Information": "Информация",
|
||||||
"Ingredients": "Ингредиенты",
|
"Ingredient Editor": "Редактор ингредиентов",
|
||||||
"Inherit": "Наследовать",
|
"IngredientInShopping": "Этот ингредиент в вашем списке покупок.",
|
||||||
"InheritFields": "Наследование значений полей",
|
"Ingredients": "Ингредиенты",
|
||||||
"InheritWarning": "{food} примет предыдущие настройки, изменения не будут приняты.",
|
"Inherit": "Наследовать",
|
||||||
"Instructions": "Инструкции",
|
"InheritFields": "Наследование значений полей",
|
||||||
"Internal": "Внутренний",
|
"InheritWarning": "{food} примет предыдущие настройки, изменения не будут приняты.",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Instructions": "Инструкции",
|
||||||
"Key_Shift": "Shift",
|
"Internal": "Внутренний",
|
||||||
"Keyword": "Ключевое слово",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keyword_Alias": "Ключевые слова",
|
"Key_Shift": "Shift",
|
||||||
"Keywords": "Ключевые слова",
|
"Keyword": "Ключевое слово",
|
||||||
"Link": "Гиперссылка",
|
"Keyword_Alias": "Ключевые слова",
|
||||||
"Load_More": "Загрузить еще",
|
"Keywords": "Ключевые слова",
|
||||||
"Log_Cooking": "Журнал приготовления",
|
"Link": "Гиперссылка",
|
||||||
"Log_Recipe_Cooking": "Журнал приготовления",
|
"Load_More": "Загрузить еще",
|
||||||
"Make_Header": "Создание Заголовка",
|
"Log_Cooking": "Журнал приготовления",
|
||||||
"Make_Ingredient": "Создание инградиента",
|
"Log_Recipe_Cooking": "Журнал приготовления",
|
||||||
"Manage_Books": "Управление книгами",
|
"Make_Header": "Создание Заголовка",
|
||||||
"Meal_Plan": "Планирование блюд",
|
"Make_Ingredient": "Создание инградиента",
|
||||||
"Meal_Plan_Days": "Планы питания на будущее",
|
"Manage_Books": "Управление книгами",
|
||||||
"Meal_Type": "Тип питания",
|
"Meal_Plan": "Планирование блюд",
|
||||||
"Meal_Type_Required": "Тип питания обязателен",
|
"Meal_Plan_Days": "Планы питания на будущее",
|
||||||
"Meal_Types": "Типы питания",
|
"Meal_Type": "Тип питания",
|
||||||
"Merge": "Объединить",
|
"Meal_Type_Required": "Тип питания обязателен",
|
||||||
"Merge_Keyword": "Объеденить ключевые слова",
|
"Meal_Types": "Типы питания",
|
||||||
"Month": "Месяц",
|
"Merge": "Объединить",
|
||||||
"Move": "Переместить",
|
"Merge_Keyword": "Объеденить ключевые слова",
|
||||||
"MoveCategory": "Переместить в: ",
|
"Month": "Месяц",
|
||||||
"Move_Down": "Перенести вниз",
|
"Move": "Переместить",
|
||||||
"Move_Food": "Переместить еду",
|
"MoveCategory": "Переместить в: ",
|
||||||
"Move_Keyword": "Перенести ключевое слово",
|
"Move_Down": "Перенести вниз",
|
||||||
"Move_Up": "Перенести вверх",
|
"Move_Food": "Переместить еду",
|
||||||
"Multiple": "Несколько",
|
"Move_Keyword": "Перенести ключевое слово",
|
||||||
"Name": "Наименование",
|
"Move_Up": "Перенести вверх",
|
||||||
"New": "Новое",
|
"Multiple": "Несколько",
|
||||||
"New_Cookbook": "Новая кулинарная книга",
|
"Name": "Наименование",
|
||||||
"New_Entry": "Новая запись",
|
"New": "Новое",
|
||||||
"New_Food": "Новая еда",
|
"New_Cookbook": "Новая кулинарная книга",
|
||||||
"New_Keyword": "Новое ключевое слово",
|
"New_Entry": "Новая запись",
|
||||||
"New_Meal_Type": "Новый тип питания",
|
"New_Food": "Новая еда",
|
||||||
"New_Recipe": "Новый рецепт",
|
"New_Keyword": "Новое ключевое слово",
|
||||||
"New_Supermarket": "Создание нового супермаркета",
|
"New_Meal_Type": "Новый тип питания",
|
||||||
"New_Unit": "Новая единица",
|
"New_Recipe": "Новый рецепт",
|
||||||
"Next_Day": "Следующий день",
|
"New_Supermarket": "Создание нового супермаркета",
|
||||||
"Next_Period": "Следующий период",
|
"New_Unit": "Новая единица",
|
||||||
"NoCategory": "Категория не выбрана.",
|
"Next_Day": "Следующий день",
|
||||||
"No_ID": "ID не найден, удаление не возможно.",
|
"Next_Period": "Следующий период",
|
||||||
"No_Results": "Результаты отсутствуют",
|
"NoCategory": "Категория не выбрана.",
|
||||||
"NotInShopping": "{food} отсутствует в вашем списке покупок.",
|
"No_ID": "ID не найден, удаление не возможно.",
|
||||||
"Note": "Заметка",
|
"No_Results": "Результаты отсутствуют",
|
||||||
"Nutrition": "Питательность",
|
"NotInShopping": "{food} отсутствует в вашем списке покупок.",
|
||||||
"OfflineAlert": "Вы находитесь вне сети, список покупок может не синхронизироваться.",
|
"Note": "Заметка",
|
||||||
"Ok": "Открыть",
|
"Nutrition": "Питательность",
|
||||||
"OnHand": "В Наличии",
|
"OfflineAlert": "Вы находитесь вне сети, список покупок может не синхронизироваться.",
|
||||||
"Open": "Открыть",
|
"Ok": "Открыть",
|
||||||
"Options": "Опции",
|
"OnHand": "В Наличии",
|
||||||
"Page": "Страница",
|
"Open": "Открыть",
|
||||||
"Parameter": "Параметр",
|
"Options": "Опции",
|
||||||
"Parent": "Родитель",
|
"Page": "Страница",
|
||||||
"Period": "Период",
|
"Parameter": "Параметр",
|
||||||
"Periods": "Периоды",
|
"Parent": "Родитель",
|
||||||
"Pinned": "Прикрепленный",
|
"Period": "Период",
|
||||||
"Plan_Period_To_Show": "Показать недели, месяца или годы",
|
"Periods": "Периоды",
|
||||||
"Plan_Show_How_Many_Periods": "Сколько периодов показать",
|
"Pinned": "Прикрепленный",
|
||||||
"Planned": "Запланировано",
|
"Plan_Period_To_Show": "Показать недели, месяца или годы",
|
||||||
"Planner": "Планировщик",
|
"Plan_Show_How_Many_Periods": "Сколько периодов показать",
|
||||||
"Planner_Settings": "Настройки Планировщика",
|
"Planned": "Запланировано",
|
||||||
"Preferences": "",
|
"Planner": "Планировщик",
|
||||||
"Preparation": "Приготовление",
|
"Planner_Settings": "Настройки Планировщика",
|
||||||
"Previous_Day": "Предыдущий день",
|
"Preferences": "",
|
||||||
"Previous_Period": "Предыдущий период",
|
"Preparation": "Приготовление",
|
||||||
"Print": "Распечатать",
|
"Previous_Day": "Предыдущий день",
|
||||||
"Profile": "",
|
"Previous_Period": "Предыдущий период",
|
||||||
"Protected": "Защищено",
|
"Print": "Распечатать",
|
||||||
"Proteins": "Белки",
|
"Profile": "",
|
||||||
"Quick actions": "Быстрые действия",
|
"Protected": "Защищено",
|
||||||
"Random Recipes": "Случайные рецепты",
|
"Proteins": "Белки",
|
||||||
"Rating": "Рейтинг",
|
"Quick actions": "Быстрые действия",
|
||||||
"Ratings": "Рейтинги",
|
"Random Recipes": "Случайные рецепты",
|
||||||
"Recently_Viewed": "Недавно просмотренные",
|
"Rating": "Рейтинг",
|
||||||
"Recipe": "Рецепт",
|
"Ratings": "Рейтинги",
|
||||||
"Recipe_Book": "Книга рецептов",
|
"Recently_Viewed": "Недавно просмотренные",
|
||||||
"Recipe_Image": "Изображение рецепта",
|
"Recipe": "Рецепт",
|
||||||
"Recipes": "Рецепты",
|
"Recipe_Book": "Книга рецептов",
|
||||||
"Recipes_per_page": "Рецептов на странице",
|
"Recipe_Image": "Изображение рецепта",
|
||||||
"Remove": "",
|
"Recipes": "Рецепты",
|
||||||
"RemoveFoodFromShopping": "Удалить {food} из вашего списка покупок",
|
"Recipes_per_page": "Рецептов на странице",
|
||||||
"Remove_nutrition_recipe": "Уберите питательные вещества из рецепта",
|
"Remove": "",
|
||||||
"Reset": "Сбросить",
|
"RemoveFoodFromShopping": "Удалить {food} из вашего списка покупок",
|
||||||
"Reset_Search": "Очистить строку поиска",
|
"Remove_nutrition_recipe": "Уберите питательные вещества из рецепта",
|
||||||
"Root": "Корневой элемент",
|
"Reset": "Сбросить",
|
||||||
"Save": "Сохранить",
|
"Reset_Search": "Очистить строку поиска",
|
||||||
"Save_and_View": "Сохранить и показать",
|
"Root": "Корневой элемент",
|
||||||
"Search": "Поиск",
|
"Save": "Сохранить",
|
||||||
"Search Settings": "Искать настройки",
|
"Save_and_View": "Сохранить и показать",
|
||||||
"Select": "Выбрать",
|
"Search": "Поиск",
|
||||||
"Select_Book": "Выбрать книгу",
|
"Search Settings": "Искать настройки",
|
||||||
"Select_File": "Выбрать файл",
|
"Select": "Выбрать",
|
||||||
"Selected": "Выбрать",
|
"Select_Book": "Выбрать книгу",
|
||||||
"Servings": "Порции",
|
"Select_File": "Выбрать файл",
|
||||||
"Settings": "Настройки",
|
"Selected": "Выбрать",
|
||||||
"Share": "Поделиться",
|
"Servings": "Порции",
|
||||||
"Shopping_Categories": "Категории покупок",
|
"Settings": "Настройки",
|
||||||
"Shopping_Category": "Категория покупок",
|
"Share": "Поделиться",
|
||||||
"Shopping_List_Empty": "В настоящее время ваш список покупок пуст, вы можете добавить пункты через контекстное меню записи плана питания (щелкните правой кнопкой мыши на карточке или щелкните левой кнопкой мыши на значке меню)",
|
"Shopping_Categories": "Категории покупок",
|
||||||
"Shopping_list": "Лист покупок",
|
"Shopping_Category": "Категория покупок",
|
||||||
"ShowDelayed": "Показать отложенные элементы",
|
"Shopping_List_Empty": "В настоящее время ваш список покупок пуст, вы можете добавить пункты через контекстное меню записи плана питания (щелкните правой кнопкой мыши на карточке или щелкните левой кнопкой мыши на значке меню)",
|
||||||
"ShowUncategorizedFood": "Показать неопределенное",
|
"Shopping_list": "Лист покупок",
|
||||||
"Show_Week_Numbers": "Показать номера недель?",
|
"ShowDelayed": "Показать отложенные элементы",
|
||||||
"Show_as_header": "Показывать как заголовок",
|
"ShowUncategorizedFood": "Показать неопределенное",
|
||||||
"Size": "Размер",
|
"Show_Week_Numbers": "Показать номера недель?",
|
||||||
"Sort_by_new": "Сортировка по новизне",
|
"Show_as_header": "Показывать как заголовок",
|
||||||
"SpaceMembers": "",
|
"Size": "Размер",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Сортировка по новизне",
|
||||||
"Starting_Day": "Начальный день недели",
|
"SpaceMembers": "",
|
||||||
"Step": "Шаг",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Имя шага",
|
"Starting_Day": "Начальный день недели",
|
||||||
"Step_Type": "Тип шага",
|
"Step": "Шаг",
|
||||||
"Step_start_time": "Время начала шага",
|
"Step_Name": "Имя шага",
|
||||||
"Success": "Успешно",
|
"Step_Type": "Тип шага",
|
||||||
"Supermarket": "Супермаркет",
|
"Step_start_time": "Время начала шага",
|
||||||
"SupermarketCategoriesOnly": "Только категории супермаркетов",
|
"Success": "Успешно",
|
||||||
"Supermarkets": "Супермаркеты",
|
"Supermarket": "Супермаркет",
|
||||||
"System": "",
|
"SupermarketCategoriesOnly": "Только категории супермаркетов",
|
||||||
"Table_of_Contents": "Содержимое",
|
"Supermarkets": "Супермаркеты",
|
||||||
"Text": "Текст",
|
"System": "",
|
||||||
"Time": "Время",
|
"Table_of_Contents": "Содержимое",
|
||||||
"Title": "Заголовок",
|
"Text": "Текст",
|
||||||
"Title_or_Recipe_Required": "Требуется выбор названия или рецепта",
|
"Time": "Время",
|
||||||
"Type": "Тип",
|
"Title": "Заголовок",
|
||||||
"Undefined": "Неизвестно",
|
"Title_or_Recipe_Required": "Требуется выбор названия или рецепта",
|
||||||
"Unit": "Единица измерения",
|
"Type": "Тип",
|
||||||
"Unit_Alias": "Единицы измерения",
|
"Undefined": "Неизвестно",
|
||||||
"Units": "Единицы",
|
"Unit": "Единица измерения",
|
||||||
"Unrated": "Без рейтинга",
|
"Unit_Alias": "Единицы измерения",
|
||||||
"Url_Import": "Импорт гиперссылки",
|
"Units": "Единицы",
|
||||||
"User": "Пользователь",
|
"Unrated": "Без рейтинга",
|
||||||
"View": "Просмотр",
|
"Url_Import": "Импорт гиперссылки",
|
||||||
"View_Recipes": "Просмотр рецепта",
|
"User": "Пользователь",
|
||||||
"Waiting": "Ожидание",
|
"View": "Просмотр",
|
||||||
"Warning": "Предупреждение",
|
"View_Recipes": "Просмотр рецепта",
|
||||||
"Warning_Delete_Supermarket_Category": "Удаление категории супермаркета также приведет к удалению всех связей с продуктами. Вы уверены?",
|
"Waiting": "Ожидание",
|
||||||
"Week": "Неделя",
|
"Warning": "Предупреждение",
|
||||||
"Week_Numbers": "Номер недели",
|
"Warning_Delete_Supermarket_Category": "Удаление категории супермаркета также приведет к удалению всех связей с продуктами. Вы уверены?",
|
||||||
"Year": "Год",
|
"Week": "Неделя",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Номер недели",
|
||||||
"active": "",
|
"Year": "Год",
|
||||||
"add_keyword": "Добавить ключевое слово",
|
"YourSpaces": "",
|
||||||
"additional_options": "Дополнительные опции",
|
"active": "",
|
||||||
"advanced": "Расширенный",
|
"add_keyword": "Добавить ключевое слово",
|
||||||
"advanced_search_settings": "Расширенные настройки поиска",
|
"additional_options": "Дополнительные опции",
|
||||||
"all_fields_optional": "Все поля не обязательны для заполнения.",
|
"advanced": "Расширенный",
|
||||||
"and": "и",
|
"advanced_search_settings": "Расширенные настройки поиска",
|
||||||
"and_down": "Вниз",
|
"all_fields_optional": "Все поля не обязательны для заполнения.",
|
||||||
"and_up": "Вверх",
|
"and": "и",
|
||||||
"book_filter_help": "Включать рецепты из фильтра рецептов в дополнение к назначенным вручную.",
|
"and_down": "Вниз",
|
||||||
"confirm_delete": "Вы уверены, что хотите удалить этот объект?",
|
"and_up": "Вверх",
|
||||||
"convert_internal": "Конвертировать рецепт во внутренний формат",
|
"book_filter_help": "Включать рецепты из фильтра рецептов в дополнение к назначенным вручную.",
|
||||||
"copy_to_new": "Скопировать в новый рецепт",
|
"confirm_delete": "Вы уверены, что хотите удалить этот объект?",
|
||||||
"create_food_desc": "Создайте блюдо и свяжите его с этим рецептом.",
|
"convert_internal": "Конвертировать рецепт во внутренний формат",
|
||||||
"create_rule": "и создать автоматически",
|
"copy_to_new": "Скопировать в новый рецепт",
|
||||||
"create_title": "Новый {type}",
|
"create_food_desc": "Создайте блюдо и свяжите его с этим рецептом.",
|
||||||
"created_by": "",
|
"create_rule": "и создать автоматически",
|
||||||
"created_on": "Создано на",
|
"create_title": "Новый {type}",
|
||||||
"date_created": "Дата создана",
|
"created_by": "",
|
||||||
"date_viewed": "Последний просмотренный",
|
"created_on": "Создано на",
|
||||||
"default_delay": "Часы задержки по умолчанию",
|
"date_created": "Дата создана",
|
||||||
"default_delay_desc": "Число часов по умолчанию для отсрочки записи в списке покупок.",
|
"date_viewed": "Последний просмотренный",
|
||||||
"del_confirmation_tree": "Вы уверены что хотите удалить {source} и все его элементы?",
|
"default_delay": "Часы задержки по умолчанию",
|
||||||
"delete_confirmation": "Вы уверены что хотите удалить {source}?",
|
"default_delay_desc": "Число часов по умолчанию для отсрочки записи в списке покупок.",
|
||||||
"delete_title": "Удалить {type}",
|
"del_confirmation_tree": "Вы уверены что хотите удалить {source} и все его элементы?",
|
||||||
"edit_title": "Редактировать {type}",
|
"delete_confirmation": "Вы уверены что хотите удалить {source}?",
|
||||||
"empty_list": "Список пуст.",
|
"delete_title": "Удалить {type}",
|
||||||
"enable_expert": "Включить экспертный режим",
|
"edit_title": "Редактировать {type}",
|
||||||
"err_creating_resource": "Ошибка при создании продукта!",
|
"empty_list": "Список пуст.",
|
||||||
"err_deleting_protected_resource": "Объект, который вы пытаетесь удалить, все еще используется и не может быть удален.",
|
"enable_expert": "Включить экспертный режим",
|
||||||
"err_deleting_resource": "Ошибка при удалении продукта!",
|
"err_creating_resource": "Ошибка при создании продукта!",
|
||||||
"err_fetching_resource": "Ошибка при загрузке продукта!",
|
"err_deleting_protected_resource": "Объект, который вы пытаетесь удалить, все еще используется и не может быть удален.",
|
||||||
"err_importing_recipe": "Произошла ошибка при импортировании рецепта!",
|
"err_deleting_resource": "Ошибка при удалении продукта!",
|
||||||
"err_merge_self": "Невозможно объединить элемент с самим собой",
|
"err_fetching_resource": "Ошибка при загрузке продукта!",
|
||||||
"err_merging_resource": "Произошла ошибка при перемещении продукта!",
|
"err_importing_recipe": "Произошла ошибка при импортировании рецепта!",
|
||||||
"err_move_self": "Невозможно переместить элемент на себя",
|
"err_merge_self": "Невозможно объединить элемент с самим собой",
|
||||||
"err_moving_resource": "Произошла ошибка при перемещении продукта!",
|
"err_merging_resource": "Произошла ошибка при перемещении продукта!",
|
||||||
"err_updating_resource": "Ошибка при редактировании продукта!",
|
"err_move_self": "Невозможно переместить элемент на себя",
|
||||||
"expert_mode": "Экспертный режим",
|
"err_moving_resource": "Произошла ошибка при перемещении продукта!",
|
||||||
"fields": "Поля",
|
"err_updating_resource": "Ошибка при редактировании продукта!",
|
||||||
"file_upload_disabled": "Выгрузка файла не активирована в настройках.",
|
"expert_mode": "Экспертный режим",
|
||||||
"filter_name": "Имя фильтра",
|
"fields": "Поля",
|
||||||
"filter_to_supermarket": "Фильтр для супермаркета",
|
"file_upload_disabled": "Выгрузка файла не активирована в настройках.",
|
||||||
"food_inherit_info": "Поля для продуктов питания, которые должны наследоваться по умолчанию.",
|
"filter_name": "Имя фильтра",
|
||||||
"food_recipe_help": "Если вы разместите здесь ссылку на рецепт, то он будет включен в любой другой рецепт, в котором используется это блюдо",
|
"filter_to_supermarket": "Фильтр для супермаркета",
|
||||||
"import_running": "Идет загрузка, пожалуйста ждите!",
|
"food_inherit_info": "Поля для продуктов питания, которые должны наследоваться по умолчанию.",
|
||||||
"ingredient_list": "Список ингредиентов",
|
"food_recipe_help": "Если вы разместите здесь ссылку на рецепт, то он будет включен в любой другой рецепт, в котором используется это блюдо",
|
||||||
"last_cooked": "Последнее приготовленое",
|
"import_running": "Идет загрузка, пожалуйста ждите!",
|
||||||
"last_viewed": "Последний просмотренный",
|
"ingredient_list": "Список ингредиентов",
|
||||||
"left_handed": "Режим для левшей",
|
"last_cooked": "Последнее приготовленое",
|
||||||
"left_handed_help": "Оптимизирует пользовательский интерфейс для использования левой рукой.",
|
"last_viewed": "Последний просмотренный",
|
||||||
"make_now": "Сделать сейчас",
|
"left_handed": "Режим для левшей",
|
||||||
"mealplan_autoadd_shopping": "Автоматическое добавление плана питания",
|
"left_handed_help": "Оптимизирует пользовательский интерфейс для использования левой рукой.",
|
||||||
"mealplan_autoadd_shopping_desc": "Автоматическое добавление ингредиентов плана питания в список покупок.",
|
"make_now": "Сделать сейчас",
|
||||||
"mealplan_autoexclude_onhand": "Исключить продукты питания, имеющиеся в наличии",
|
"mealplan_autoadd_shopping": "Автоматическое добавление плана питания",
|
||||||
"mealplan_autoexclude_onhand_desc": "При добавлении плана питания в список покупок (вручную или автоматически) исключайте ингредиенты, которые в данный момент есть под рукой.",
|
"mealplan_autoadd_shopping_desc": "Автоматическое добавление ингредиентов плана питания в список покупок.",
|
||||||
"mealplan_autoinclude_related": "Добавить сопутствующие рецепты",
|
"mealplan_autoexclude_onhand": "Исключить продукты питания, имеющиеся в наличии",
|
||||||
"mealplan_autoinclude_related_desc": "При добавлении плана питания в список покупок (вручную или автоматически) включайте все связанные с ним рецепты.",
|
"mealplan_autoexclude_onhand_desc": "При добавлении плана питания в список покупок (вручную или автоматически) исключайте ингредиенты, которые в данный момент есть под рукой.",
|
||||||
"merge_confirmation": "Заменить <i>{source}</i> с <i>{target}</i>",
|
"mealplan_autoinclude_related": "Добавить сопутствующие рецепты",
|
||||||
"merge_selection": "Замените все вхождения {source} выбранным {type}.",
|
"mealplan_autoinclude_related_desc": "При добавлении плана питания в список покупок (вручную или автоматически) включайте все связанные с ним рецепты.",
|
||||||
"merge_title": "Объединить {type}",
|
"merge_confirmation": "Заменить <i>{source}</i> с <i>{target}</i>",
|
||||||
"min": "мин",
|
"merge_selection": "Замените все вхождения {source} выбранным {type}.",
|
||||||
"move_confirmation": "Переместить <i>{child}</i> к родителю <i>{parent}</i>",
|
"merge_title": "Объединить {type}",
|
||||||
"move_selection": "Выбрать родителя {type} для перемещения в {source} .",
|
"min": "мин",
|
||||||
"move_title": "Переместить {type}",
|
"move_confirmation": "Переместить <i>{child}</i> к родителю <i>{parent}</i>",
|
||||||
"no_pinned_recipes": "У Вас нет закреплённых рецептов!",
|
"move_selection": "Выбрать родителя {type} для перемещения в {source} .",
|
||||||
"nothing": "Нечего делать",
|
"move_title": "Переместить {type}",
|
||||||
"nothing_planned_today": "Вы ничего не запланировали на сегодня!",
|
"no_pinned_recipes": "У Вас нет закреплённых рецептов!",
|
||||||
"one_url_per_line": "Один URL в строке",
|
"nothing": "Нечего делать",
|
||||||
"or": "или",
|
"nothing_planned_today": "Вы ничего не запланировали на сегодня!",
|
||||||
"parameter_count": "Параметр {count}",
|
"one_url_per_line": "Один URL в строке",
|
||||||
"paste_ingredients": "Добавить ингредиенты",
|
"or": "или",
|
||||||
"paste_ingredients_placeholder": "Вставьте сюда список ингредиентов...",
|
"parameter_count": "Параметр {count}",
|
||||||
"recipe_filter": "Фильтр рецептов",
|
"paste_ingredients": "Добавить ингредиенты",
|
||||||
"recipe_name": "Название рецепта",
|
"paste_ingredients_placeholder": "Вставьте сюда список ингредиентов...",
|
||||||
"remember_search": "Запомнить поиск",
|
"recipe_filter": "Фильтр рецептов",
|
||||||
"remove_selection": "Отменить выбор",
|
"recipe_name": "Название рецепта",
|
||||||
"review_shopping": "Просмотрите записи о покупках перед сохранением",
|
"remember_search": "Запомнить поиск",
|
||||||
"save_filter": "Сохранить фильтр",
|
"remove_selection": "Отменить выбор",
|
||||||
"search_rank": "Поисковый рейтинг",
|
"review_shopping": "Просмотрите записи о покупках перед сохранением",
|
||||||
"select_file": "Выбрать файл",
|
"save_filter": "Сохранить фильтр",
|
||||||
"select_food": "Выберите продукты питания",
|
"search_rank": "Поисковый рейтинг",
|
||||||
"select_keyword": "Выбрать ключевое слово",
|
"select_file": "Выбрать файл",
|
||||||
"select_recipe": "Выбрать рецепт",
|
"select_food": "Выберите продукты питания",
|
||||||
"select_unit": "Выберите единицу",
|
"select_keyword": "Выбрать ключевое слово",
|
||||||
"shared_with": "Совместно с",
|
"select_recipe": "Выбрать рецепт",
|
||||||
"shopping_auto_sync": "Автосинхронизация",
|
"select_unit": "Выберите единицу",
|
||||||
"shopping_auto_sync_desc": "Установка значения 0 отключает автоматическую синхронизацию. При просмотре списка покупок список обновляется каждые несколько секунд, чтобы синхронизировать изменения, которые мог внести кто-то другой. Полезно, когда покупки совершают несколько человек, но при этом используются мобильные данные.",
|
"shared_with": "Совместно с",
|
||||||
"shopping_share": "Поделиться списком покупок",
|
"shopping_auto_sync": "Автосинхронизация",
|
||||||
"shopping_share_desc": "Пользователи будут видеть все товары, которые вы добавляете в список покупок. Они должны добавить вас, чтобы увидеть предметы в своем списке.",
|
"shopping_auto_sync_desc": "Установка значения 0 отключает автоматическую синхронизацию. При просмотре списка покупок список обновляется каждые несколько секунд, чтобы синхронизировать изменения, которые мог внести кто-то другой. Полезно, когда покупки совершают несколько человек, но при этом используются мобильные данные.",
|
||||||
"show_books": "Показать книги",
|
"shopping_share": "Поделиться списком покупок",
|
||||||
"show_filters": "Показать фильтры",
|
"shopping_share_desc": "Пользователи будут видеть все товары, которые вы добавляете в список покупок. Они должны добавить вас, чтобы увидеть предметы в своем списке.",
|
||||||
"show_foods": "Показать продукты",
|
"show_books": "Показать книги",
|
||||||
"show_keywords": "Показать ключевые слова",
|
"show_filters": "Показать фильтры",
|
||||||
"show_only_internal": "Показывать только рецепты во внутреннем формате",
|
"show_foods": "Показать продукты",
|
||||||
"show_rating": "Показать рейтинг",
|
"show_keywords": "Показать ключевые слова",
|
||||||
"show_split_screen": "Двухколоночный вид",
|
"show_only_internal": "Показывать только рецепты во внутреннем формате",
|
||||||
"show_sql": "Показать SQL",
|
"show_rating": "Показать рейтинг",
|
||||||
"show_units": "Показать единицы",
|
"show_split_screen": "Двухколоночный вид",
|
||||||
"simple_mode": "Простой режим",
|
"show_sql": "Показать SQL",
|
||||||
"sort_by": "Сортировать по",
|
"show_units": "Показать единицы",
|
||||||
"step_time_minutes": "Время шага в минутах",
|
"simple_mode": "Простой режим",
|
||||||
"success_creating_resource": "Продукт успешно создан!",
|
"sort_by": "Сортировать по",
|
||||||
"success_deleting_resource": "Продукт успешно удален!",
|
"step_time_minutes": "Время шага в минутах",
|
||||||
"success_fetching_resource": "Продукт успешно загружен!",
|
"success_creating_resource": "Продукт успешно создан!",
|
||||||
"success_merging_resource": "Продукт успешно присоединен!",
|
"success_deleting_resource": "Продукт успешно удален!",
|
||||||
"success_moving_resource": "Успешное перемещение продукта!",
|
"success_fetching_resource": "Продукт успешно загружен!",
|
||||||
"success_updating_resource": "Продукт успешно обновлен!",
|
"success_merging_resource": "Продукт успешно присоединен!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Успешное перемещение продукта!",
|
||||||
"times_cooked": "Время готовки",
|
"success_updating_resource": "Продукт успешно обновлен!",
|
||||||
"tree_root": "Главный элемент",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_select": "Выбор дерева для использования",
|
"times_cooked": "Время готовки",
|
||||||
"updatedon": "Обновлено",
|
"tree_root": "Главный элемент",
|
||||||
"view_recipe": "Посмотреть рецепт",
|
"tree_select": "Выбор дерева для использования",
|
||||||
"warning_feature_beta": "Данный функционал находится в стадии BETA (тестируется). Возможны баги и серьезные изменения функционала в будущем.",
|
"updatedon": "Обновлено",
|
||||||
"warning_space_delete": "Вы можете удалить свое пространство, включая все рецепты, списки покупок, планы питания и все остальное, что вы создали. Этого нельзя отменить! Вы уверены, что хотите это сделать?"
|
"view_recipe": "Посмотреть рецепт",
|
||||||
|
"warning_feature_beta": "Данный функционал находится в стадии BETA (тестируется). Возможны баги и серьезные изменения функционала в будущем.",
|
||||||
|
"warning_space_delete": "Вы можете удалить свое пространство, включая все рецепты, списки покупок, планы питания и все остальное, что вы создали. Этого нельзя отменить! Вы уверены, что хотите это сделать?"
|
||||||
}
|
}
|
||||||
@@ -1,330 +1,332 @@
|
|||||||
{
|
{
|
||||||
"Add": "Dodaj",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "Dodaj {food} v nakupovalni listek",
|
"Add": "Dodaj",
|
||||||
"AddToShopping": "Dodaj nakupovlanemu listku",
|
"AddFoodToShopping": "Dodaj {food} v nakupovalni listek",
|
||||||
"Add_Step": "Dodaj korak",
|
"AddToShopping": "Dodaj nakupovlanemu listku",
|
||||||
"Add_nutrition_recipe": "Receptu dodaj hranilno vrednost",
|
"Add_Step": "Dodaj korak",
|
||||||
"Add_to_Plan": "Dodaj v načrt",
|
"Add_nutrition_recipe": "Receptu dodaj hranilno vrednost",
|
||||||
"Add_to_Shopping": "Dodaj v nakupovalni listek",
|
"Add_to_Plan": "Dodaj v načrt",
|
||||||
"Added_To_Shopping_List": "Dodano v nakupovalni listek",
|
"Add_to_Shopping": "Dodaj v nakupovalni listek",
|
||||||
"Added_by": "Dodano s strani",
|
"Added_To_Shopping_List": "Dodano v nakupovalni listek",
|
||||||
"Advanced Search Settings": "",
|
"Added_by": "Dodano s strani",
|
||||||
"Amount": "Količina",
|
"Advanced Search Settings": "",
|
||||||
"Auto_Planner": "Avto-planer",
|
"Amount": "Količina",
|
||||||
"Auto_Sort": "Samodejno Razvrščanje",
|
"Auto_Planner": "Avto-planer",
|
||||||
"Auto_Sort_Help": "Vse sestavine prestavi v najprimernejši korak.",
|
"Auto_Sort": "Samodejno Razvrščanje",
|
||||||
"Automate": "Avtomatiziraj",
|
"Auto_Sort_Help": "Vse sestavine prestavi v najprimernejši korak.",
|
||||||
"Automation": "Avtomatizacija",
|
"Automate": "Avtomatiziraj",
|
||||||
"Books": "Knjige",
|
"Automation": "Avtomatizacija",
|
||||||
"Calories": "Kalorije",
|
"Books": "Knjige",
|
||||||
"Cancel": "Prekini",
|
"Calories": "Kalorije",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Opombe ne moreš dodati v nakupovalni listek",
|
"Cancel": "Prekini",
|
||||||
"Carbohydrates": "Ogljikovi hidrati",
|
"Cannot_Add_Notes_To_Shopping": "Opombe ne moreš dodati v nakupovalni listek",
|
||||||
"Categories": "Kategorije",
|
"Carbohydrates": "Ogljikovi hidrati",
|
||||||
"Category": "Kategorija",
|
"Categories": "Kategorije",
|
||||||
"CategoryInstruction": "Povleci kategorije za spremembo vrstnega reda v nakupovalnem listku.",
|
"Category": "Kategorija",
|
||||||
"CategoryName": "Ime kategorije",
|
"CategoryInstruction": "Povleci kategorije za spremembo vrstnega reda v nakupovalnem listku.",
|
||||||
"Clear": "Počisti",
|
"CategoryName": "Ime kategorije",
|
||||||
"Clone": "Kloniraj",
|
"Clear": "Počisti",
|
||||||
"Close": "Zapri",
|
"Clone": "Kloniraj",
|
||||||
"Color": "Barva",
|
"Close": "Zapri",
|
||||||
"Coming_Soon": "Kmalu",
|
"Color": "Barva",
|
||||||
"Completed": "Končano",
|
"Coming_Soon": "Kmalu",
|
||||||
"Copy": "Kopiraj",
|
"Completed": "Končano",
|
||||||
"Copy_template_reference": "Kopiraj referenco vzorca",
|
"Copy": "Kopiraj",
|
||||||
"CountMore": "...+{count} več",
|
"Copy_template_reference": "Kopiraj referenco vzorca",
|
||||||
"Create": "Ustvari",
|
"CountMore": "...+{count} več",
|
||||||
"Create_Meal_Plan_Entry": "Ustvari vnos za načrtovan obrok",
|
"Create": "Ustvari",
|
||||||
"Create_New_Food": "Dodaj Novo Hrano",
|
"Create_Meal_Plan_Entry": "Ustvari vnos za načrtovan obrok",
|
||||||
"Create_New_Keyword": "Dodaj novo ključno besedo",
|
"Create_New_Food": "Dodaj Novo Hrano",
|
||||||
"Create_New_Meal_Type": "Dodaj nov tip obroka",
|
"Create_New_Keyword": "Dodaj novo ključno besedo",
|
||||||
"Create_New_Shopping Category": "Ustvari novo kategorijo nakupovalnega listka",
|
"Create_New_Meal_Type": "Dodaj nov tip obroka",
|
||||||
"Create_New_Unit": "Dodaj novo enoto",
|
"Create_New_Shopping Category": "Ustvari novo kategorijo nakupovalnega listka",
|
||||||
"Current_Period": "Trenutno obdobje",
|
"Create_New_Unit": "Dodaj novo enoto",
|
||||||
"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.",
|
"Current_Period": "Trenutno obdobje",
|
||||||
"Date": "Datum",
|
"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.",
|
||||||
"DelayFor": "Zamakni za {hours} ur",
|
"Date": "Datum",
|
||||||
"DelayUntil": "Zamakni do",
|
"DelayFor": "Zamakni za {hours} ur",
|
||||||
"Delete": "Izbriši",
|
"DelayUntil": "Zamakni do",
|
||||||
"DeleteShoppingConfirm": "Si prepričan/a, da želiš odstraniti VSO {food} iz nakupovalnega listka?",
|
"Delete": "Izbriši",
|
||||||
"Delete_Food": "Izbriši hrano",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Izbriši ključno besedo",
|
"DeleteShoppingConfirm": "Si prepričan/a, da želiš odstraniti VSO {food} iz nakupovalnega listka?",
|
||||||
"Description": "Opis",
|
"Delete_Food": "Izbriši hrano",
|
||||||
"Description_Replace": "Zamenjaj Opis",
|
"Delete_Keyword": "Izbriši ključno besedo",
|
||||||
"Disable_Amount": "Onemogoči količino",
|
"Description": "Opis",
|
||||||
"Download": "Prenesi",
|
"Description_Replace": "Zamenjaj Opis",
|
||||||
"Drag_Here_To_Delete": "Povleci sem za izbris",
|
"Disable_Amount": "Onemogoči količino",
|
||||||
"Edit": "Uredi",
|
"Download": "Prenesi",
|
||||||
"Edit_Food": "Uredi hrano",
|
"Drag_Here_To_Delete": "Povleci sem za izbris",
|
||||||
"Edit_Keyword": "Uredi ključno besedo",
|
"Edit": "Uredi",
|
||||||
"Edit_Meal_Plan_Entry": "Spremeni vnos za načrtovan obrok",
|
"Edit_Food": "Uredi hrano",
|
||||||
"Edit_Recipe": "Uredi Recept",
|
"Edit_Keyword": "Uredi ključno besedo",
|
||||||
"Empty": "Prazno",
|
"Edit_Meal_Plan_Entry": "Spremeni vnos za načrtovan obrok",
|
||||||
"Enable_Amount": "Omogoči količino",
|
"Edit_Recipe": "Uredi Recept",
|
||||||
"Energy": "Energija",
|
"Empty": "Prazno",
|
||||||
"Export": "Izvoz",
|
"Enable_Amount": "Omogoči količino",
|
||||||
"Export_As_ICal": "Izvozi trenutno obdobje v iCal format",
|
"Energy": "Energija",
|
||||||
"Export_To_ICal": "Izvoz.ics",
|
"Export": "Izvoz",
|
||||||
"External": "Zunanje",
|
"Export_As_ICal": "Izvozi trenutno obdobje v iCal format",
|
||||||
"External_Recipe_Image": "Zunanja slika recepta",
|
"Export_To_ICal": "Izvoz.ics",
|
||||||
"Failure": "Napaka",
|
"External": "Zunanje",
|
||||||
"Fats": "Maščobe",
|
"External_Recipe_Image": "Zunanja slika recepta",
|
||||||
"File": "Datoteka",
|
"Failure": "Napaka",
|
||||||
"Files": "Datoteke",
|
"Fats": "Maščobe",
|
||||||
"Food": "Hrana",
|
"File": "Datoteka",
|
||||||
"FoodInherit": "Podedovana polja hrane",
|
"Files": "Datoteke",
|
||||||
"FoodNotOnHand": "Nimaš {food} v roki.",
|
"Food": "Hrana",
|
||||||
"FoodOnHand": "Imaš {food} v roki.",
|
"FoodInherit": "Podedovana polja hrane",
|
||||||
"Food_Alias": "Vzdevek hrane",
|
"FoodNotOnHand": "Nimaš {food} v roki.",
|
||||||
"GroupBy": "Združi po",
|
"FoodOnHand": "Imaš {food} v roki.",
|
||||||
"Hide_Food": "Skrij hrano",
|
"Food_Alias": "Vzdevek hrane",
|
||||||
"Hide_Keyword": "Skrij ključne besede",
|
"GroupBy": "Združi po",
|
||||||
"Hide_Keywords": "Skrij ključno besedo",
|
"Hide_Food": "Skrij hrano",
|
||||||
"Hide_Recipes": "Skrij recept",
|
"Hide_Keyword": "Skrij ključne besede",
|
||||||
"Hide_as_header": "Skrij kot glavo",
|
"Hide_Keywords": "Skrij ključno besedo",
|
||||||
"Icon": "Ikona",
|
"Hide_Recipes": "Skrij recept",
|
||||||
"IgnoreThis": "Nikoli avtomatsko ne dodaj {food} v nakup",
|
"Hide_as_header": "Skrij kot glavo",
|
||||||
"Ignore_Shopping": "Prezri nakup",
|
"Icon": "Ikona",
|
||||||
"Image": "Slika",
|
"IgnoreThis": "Nikoli avtomatsko ne dodaj {food} v nakup",
|
||||||
"Import": "Uvozi",
|
"Ignore_Shopping": "Prezri nakup",
|
||||||
"Import_finished": "Uvoz je končan",
|
"Image": "Slika",
|
||||||
"Information": "Informacija",
|
"Import": "Uvozi",
|
||||||
"Ingredient Editor": "Urejevalnik Sestavin",
|
"Import_finished": "Uvoz je končan",
|
||||||
"IngredientInShopping": "Ta sestavina je v tvojem nakupovalnem listku.",
|
"Information": "Informacija",
|
||||||
"Ingredients": "Sestavine",
|
"Ingredient Editor": "Urejevalnik Sestavin",
|
||||||
"Inherit": "Podeduj",
|
"IngredientInShopping": "Ta sestavina je v tvojem nakupovalnem listku.",
|
||||||
"InheritFields": "Podeduj vrednosti polja",
|
"Ingredients": "Sestavine",
|
||||||
"InheritWarning": "{food} je nastavljena na dedovanje, spremembe morda ne bodo trajale.",
|
"Inherit": "Podeduj",
|
||||||
"Instruction_Replace": "Zamenjaj Navodila",
|
"InheritFields": "Podeduj vrednosti polja",
|
||||||
"Instructions": "Navodila",
|
"InheritWarning": "{food} je nastavljena na dedovanje, spremembe morda ne bodo trajale.",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Instruction_Replace": "Zamenjaj Navodila",
|
||||||
"Key_Shift": "Shift",
|
"Instructions": "Navodila",
|
||||||
"Keyword_Alias": "Vzdevek ključne besede",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keywords": "Ključne besede",
|
"Key_Shift": "Shift",
|
||||||
"Learn_More": "Preberite Več",
|
"Keyword_Alias": "Vzdevek ključne besede",
|
||||||
"Link": "Hiperpovezava",
|
"Keywords": "Ključne besede",
|
||||||
"Load_More": "Naloži več",
|
"Learn_More": "Preberite Več",
|
||||||
"Log_Cooking": "Zgodovina kuhanja",
|
"Link": "Hiperpovezava",
|
||||||
"Log_Recipe_Cooking": "Logiraj recept za kuhanje",
|
"Load_More": "Naloži več",
|
||||||
"Make_Header": "Ustvari glavo",
|
"Log_Cooking": "Zgodovina kuhanja",
|
||||||
"Make_Ingredient": "Ustvari sestavino",
|
"Log_Recipe_Cooking": "Logiraj recept za kuhanje",
|
||||||
"Manage_Books": "Upravljaj knjige",
|
"Make_Header": "Ustvari glavo",
|
||||||
"Meal_Plan": "Načrt obroka",
|
"Make_Ingredient": "Ustvari sestavino",
|
||||||
"Meal_Plan_Days": "Načrt za prihodnje obroke",
|
"Manage_Books": "Upravljaj knjige",
|
||||||
"Meal_Type": "Tip obroka",
|
"Meal_Plan": "Načrt obroka",
|
||||||
"Meal_Type_Required": "Tip obroka je obvezen",
|
"Meal_Plan_Days": "Načrt za prihodnje obroke",
|
||||||
"Meal_Types": "Tipi obroka",
|
"Meal_Type": "Tip obroka",
|
||||||
"Merge": "Združi",
|
"Meal_Type_Required": "Tip obroka je obvezen",
|
||||||
"Merge_Keyword": "Združi ključno besedo",
|
"Meal_Types": "Tipi obroka",
|
||||||
"Month": "Mesec",
|
"Merge": "Združi",
|
||||||
"Move": "Premakni",
|
"Merge_Keyword": "Združi ključno besedo",
|
||||||
"MoveCategory": "Premakni v: ",
|
"Month": "Mesec",
|
||||||
"Move_Down": "Premakni navzdol",
|
"Move": "Premakni",
|
||||||
"Move_Food": "Premakni hrano",
|
"MoveCategory": "Premakni v: ",
|
||||||
"Move_Keyword": "Premakni ključno besedo",
|
"Move_Down": "Premakni navzdol",
|
||||||
"Move_Up": "Premakni navzgor",
|
"Move_Food": "Premakni hrano",
|
||||||
"Name": "Ime",
|
"Move_Keyword": "Premakni ključno besedo",
|
||||||
"New": "Nov",
|
"Move_Up": "Premakni navzgor",
|
||||||
"New_Cookbook": "Nova kuharska knjiga",
|
"Name": "Ime",
|
||||||
"New_Food": "Nova hrana",
|
"New": "Nov",
|
||||||
"New_Keyword": "Nova ključna beseda",
|
"New_Cookbook": "Nova kuharska knjiga",
|
||||||
"New_Meal_Type": "Nov tip obroka",
|
"New_Food": "Nova hrana",
|
||||||
"New_Recipe": "Nov Recept",
|
"New_Keyword": "Nova ključna beseda",
|
||||||
"New_Unit": "Nova enota",
|
"New_Meal_Type": "Nov tip obroka",
|
||||||
"Next_Day": "Naslednji Dan",
|
"New_Recipe": "Nov Recept",
|
||||||
"Next_Period": "Naslednje obdobje",
|
"New_Unit": "Nova enota",
|
||||||
"NoCategory": "Nobena kategorija ni izbrana.",
|
"Next_Day": "Naslednji Dan",
|
||||||
"No_ID": "ID ni najden, ne morem izbrisati.",
|
"Next_Period": "Naslednje obdobje",
|
||||||
"No_Results": "Ni rezultatov",
|
"NoCategory": "Nobena kategorija ni izbrana.",
|
||||||
"NotInShopping": "{food} ni v tvojem nakupovalnem listku.",
|
"No_ID": "ID ni najden, ne morem izbrisati.",
|
||||||
"Note": "Opomba",
|
"No_Results": "Ni rezultatov",
|
||||||
"Nutrition": "Prehrana",
|
"NotInShopping": "{food} ni v tvojem nakupovalnem listku.",
|
||||||
"OfflineAlert": "Si v offline načinu, nakupovalni listek se mogoče ne bo sinhroniziral.",
|
"Note": "Opomba",
|
||||||
"Ok": "Odpri",
|
"Nutrition": "Prehrana",
|
||||||
"OnHand": "Trenutno imam v roki",
|
"OfflineAlert": "Si v offline načinu, nakupovalni listek se mogoče ne bo sinhroniziral.",
|
||||||
"Open": "Odpri",
|
"Ok": "Odpri",
|
||||||
"Open_Data_Import": "Open Data Uvoz",
|
"OnHand": "Trenutno imam v roki",
|
||||||
"Open_Data_Slug": "Open Data Identifikator",
|
"Open": "Odpri",
|
||||||
"Parameter": "Parameter",
|
"Open_Data_Import": "Open Data Uvoz",
|
||||||
"Parent": "Starš",
|
"Open_Data_Slug": "Open Data Identifikator",
|
||||||
"Period": "Obdobje",
|
"Parameter": "Parameter",
|
||||||
"Periods": "Obdobja",
|
"Parent": "Starš",
|
||||||
"Pin": "Pripni",
|
"Period": "Obdobje",
|
||||||
"Plan_Period_To_Show": "Prikaži, tedne, mesece ali leta",
|
"Periods": "Obdobja",
|
||||||
"Plan_Show_How_Many_Periods": "Koliko obdobij prikažem",
|
"Pin": "Pripni",
|
||||||
"Planner": "Planer",
|
"Plan_Period_To_Show": "Prikaži, tedne, mesece ali leta",
|
||||||
"Planner_Settings": "Nastavitve planerja",
|
"Plan_Show_How_Many_Periods": "Koliko obdobij prikažem",
|
||||||
"Plural": "",
|
"Planner": "Planer",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Nastavitve planerja",
|
||||||
"Preparation": "Priprava",
|
"Plural": "",
|
||||||
"Previous_Day": "Prejšnji Dan",
|
"Preferences": "",
|
||||||
"Previous_Period": "Prejšnje obdobje",
|
"Preparation": "Priprava",
|
||||||
"Print": "Natisni",
|
"Previous_Day": "Prejšnji Dan",
|
||||||
"Private_Recipe": "Zasebni Recept",
|
"Previous_Period": "Prejšnje obdobje",
|
||||||
"Private_Recipe_Help": "Recept je prikazan samo vam in osebam, s katerimi ga delite.",
|
"Print": "Natisni",
|
||||||
"Profile": "",
|
"Private_Recipe": "Zasebni Recept",
|
||||||
"Proteins": "Beljakovine",
|
"Private_Recipe_Help": "Recept je prikazan samo vam in osebam, s katerimi ga delite.",
|
||||||
"QuickEntry": "Hitri vnos",
|
"Profile": "",
|
||||||
"Rating": "Ocena",
|
"Proteins": "Beljakovine",
|
||||||
"Recently_Viewed": "Nazadnje videno",
|
"QuickEntry": "Hitri vnos",
|
||||||
"Recipe": "Recept",
|
"Rating": "Ocena",
|
||||||
"Recipe_Book": "Knjiga receptov",
|
"Recently_Viewed": "Nazadnje videno",
|
||||||
"Recipe_Image": "Slika recepta",
|
"Recipe": "Recept",
|
||||||
"Recipes": "Recepti",
|
"Recipe_Book": "Knjiga receptov",
|
||||||
"Recipes_per_page": "Receptov na stran",
|
"Recipe_Image": "Slika recepta",
|
||||||
"Remove": "",
|
"Recipes": "Recepti",
|
||||||
"RemoveFoodFromShopping": "Odstrani {food} iz nakupovalnega listka",
|
"Recipes_per_page": "Receptov na stran",
|
||||||
"Remove_nutrition_recipe": "Receptu izbriši hranilno vrednost",
|
"Remove": "",
|
||||||
"Reset_Search": "Ponastavi iskalnik",
|
"RemoveFoodFromShopping": "Odstrani {food} iz nakupovalnega listka",
|
||||||
"Root": "",
|
"Remove_nutrition_recipe": "Receptu izbriši hranilno vrednost",
|
||||||
"Save": "Shrani",
|
"Reset_Search": "Ponastavi iskalnik",
|
||||||
"Save_and_View": "Shrani in poglej",
|
"Root": "",
|
||||||
"Search": "Iskanje",
|
"Save": "Shrani",
|
||||||
"Search Settings": "Išči nastavitev",
|
"Save_and_View": "Shrani in poglej",
|
||||||
"Select_Book": "Izberi knjigo",
|
"Search": "Iskanje",
|
||||||
"Select_File": "Izberi datoteko",
|
"Search Settings": "Išči nastavitev",
|
||||||
"Selected": "Izbrano",
|
"Select_Book": "Izberi knjigo",
|
||||||
"Servings": "Porcije",
|
"Select_File": "Izberi datoteko",
|
||||||
"Settings": "Nastavitve",
|
"Selected": "Izbrano",
|
||||||
"Share": "Deli",
|
"Servings": "Porcije",
|
||||||
"Shopping_Categories": "Kategorije nakupa",
|
"Settings": "Nastavitve",
|
||||||
"Shopping_Category": "Kategorija nakupa",
|
"Share": "Deli",
|
||||||
"Shopping_List_Empty": "Tvoj nakupovalni listek je trenutno prazen. Stvari lahko dodaš preko menija za načrt obroka (desni klik na kartico ali levi klik na ikono za meni)",
|
"Shopping_Categories": "Kategorije nakupa",
|
||||||
"Shopping_list": "Nakupovalni Seznam",
|
"Shopping_Category": "Kategorija nakupa",
|
||||||
"ShowDelayed": "Prikaži zamaknjene elemente",
|
"Shopping_List_Empty": "Tvoj nakupovalni listek je trenutno prazen. Stvari lahko dodaš preko menija za načrt obroka (desni klik na kartico ali levi klik na ikono za meni)",
|
||||||
"ShowUncategorizedFood": "Prikaži nedefinirano",
|
"Shopping_list": "Nakupovalni Seznam",
|
||||||
"Show_Week_Numbers": "Prikaži število tednov?",
|
"ShowDelayed": "Prikaži zamaknjene elemente",
|
||||||
"Show_as_header": "Prikaži kot glavo",
|
"ShowUncategorizedFood": "Prikaži nedefinirano",
|
||||||
"Size": "Velikost",
|
"Show_Week_Numbers": "Prikaži število tednov?",
|
||||||
"Sort_by_new": "Razvrsti po novih",
|
"Show_as_header": "Prikaži kot glavo",
|
||||||
"SpaceMembers": "",
|
"Size": "Velikost",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "Razvrsti po novih",
|
||||||
"Starting_Day": "Začetni dan v tednu",
|
"SpaceMembers": "",
|
||||||
"Step": "Korak",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Ime koraka",
|
"Starting_Day": "Začetni dan v tednu",
|
||||||
"Step_Type": "Tip koraka",
|
"Step": "Korak",
|
||||||
"Step_start_time": "Začetni čas koraka",
|
"Step_Name": "Ime koraka",
|
||||||
"Success": "Uspešno",
|
"Step_Type": "Tip koraka",
|
||||||
"SuccessClipboard": "Nakupovalni listek je kopiran v odložišče",
|
"Step_start_time": "Začetni čas koraka",
|
||||||
"Supermarket": "Supermarket",
|
"Success": "Uspešno",
|
||||||
"SupermarketCategoriesOnly": "Prikaži samo trgovinske kategorije",
|
"SuccessClipboard": "Nakupovalni listek je kopiran v odložišče",
|
||||||
"SupermarketName": "Ime trgovine",
|
"Supermarket": "Supermarket",
|
||||||
"System": "",
|
"SupermarketCategoriesOnly": "Prikaži samo trgovinske kategorije",
|
||||||
"Table_of_Contents": "Kazalo vsebine",
|
"SupermarketName": "Ime trgovine",
|
||||||
"Text": "Tekst",
|
"System": "",
|
||||||
"Time": "Čas",
|
"Table_of_Contents": "Kazalo vsebine",
|
||||||
"Title": "Naslov",
|
"Text": "Tekst",
|
||||||
"Title_or_Recipe_Required": "Zahtevan je naslov ali izbran recept",
|
"Time": "Čas",
|
||||||
"Type": "Tip",
|
"Title": "Naslov",
|
||||||
"Undefined": "Nedefiniran",
|
"Title_or_Recipe_Required": "Zahtevan je naslov ali izbran recept",
|
||||||
"Unit": "Enota",
|
"Type": "Tip",
|
||||||
"Unit_Alias": "Vzdevek enote",
|
"Undefined": "Nedefiniran",
|
||||||
"Unrated": "Neocenjeno",
|
"Unit": "Enota",
|
||||||
"Update_Existing_Data": "Posodobitev Obstoječih Podatkov",
|
"Unit_Alias": "Vzdevek enote",
|
||||||
"Url_Import": "URL uvoz",
|
"Unrated": "Neocenjeno",
|
||||||
"Use_Metric": "Uporaba Metričnih Enot",
|
"Update_Existing_Data": "Posodobitev Obstoječih Podatkov",
|
||||||
"Use_Plural_Food_Always": "",
|
"Url_Import": "URL uvoz",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Use_Metric": "Uporaba Metričnih Enot",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"View": "Pogled",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View_Recipes": "Preglej recepte",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"Waiting": "Čakanje",
|
"View": "Pogled",
|
||||||
"Warning": "Opozorilo",
|
"View_Recipes": "Preglej recepte",
|
||||||
"Week": "Teden",
|
"Waiting": "Čakanje",
|
||||||
"Week_Numbers": "Števila tednov",
|
"Warning": "Opozorilo",
|
||||||
"Year": "Leto",
|
"Week": "Teden",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Števila tednov",
|
||||||
"active": "",
|
"Year": "Leto",
|
||||||
"all_fields_optional": "Vsa polja so opcijska in jih lahko pustiš prazne.",
|
"YourSpaces": "",
|
||||||
"and": "in",
|
"active": "",
|
||||||
"and_up": "& gor",
|
"all_fields_optional": "Vsa polja so opcijska in jih lahko pustiš prazne.",
|
||||||
"base_amount": "Osnovna Količina",
|
"and": "in",
|
||||||
"base_unit": "Osnovna Enota",
|
"and_up": "& gor",
|
||||||
"confirm_delete": "Ali si prepričan da želiš izbrisati {object}?",
|
"base_amount": "Osnovna Količina",
|
||||||
"convert_internal": "Pretvori v interni recept",
|
"base_unit": "Osnovna Enota",
|
||||||
"converted_amount": "Pretvorjena Količina",
|
"confirm_delete": "Ali si prepričan da želiš izbrisati {object}?",
|
||||||
"converted_unit": "Pretvorjena Enota",
|
"convert_internal": "Pretvori v interni recept",
|
||||||
"copy_markdown_table": "Kopiraj kot Markdown tabela",
|
"converted_amount": "Pretvorjena Količina",
|
||||||
"copy_to_clipboard": "Kopiraj v odložiče",
|
"converted_unit": "Pretvorjena Enota",
|
||||||
"create_rule": "in ustvari avtomatizacijo",
|
"copy_markdown_table": "Kopiraj kot Markdown tabela",
|
||||||
"create_shopping_new": "Dodaj v NOV nakupovalni listek",
|
"copy_to_clipboard": "Kopiraj v odložiče",
|
||||||
"create_title": "Novo {type}",
|
"create_rule": "in ustvari avtomatizacijo",
|
||||||
"created_by": "",
|
"create_shopping_new": "Dodaj v NOV nakupovalni listek",
|
||||||
"csv_delim_help": "Ločilo za CSV izvoz.",
|
"create_title": "Novo {type}",
|
||||||
"csv_delim_label": "CSV ločilo",
|
"created_by": "",
|
||||||
"csv_prefix_help": "Dodana prepona, ko kopiramo nakupovalni listek v odložišče.",
|
"csv_delim_help": "Ločilo za CSV izvoz.",
|
||||||
"csv_prefix_label": "Prepona seznama",
|
"csv_delim_label": "CSV ločilo",
|
||||||
"default_delay": "Privzete ure za zamik",
|
"csv_prefix_help": "Dodana prepona, ko kopiramo nakupovalni listek v odložišče.",
|
||||||
"del_confirmation_tree": "Si prepričan/a, da želiš izbrisati {source} in vse podkategorije?",
|
"csv_prefix_label": "Prepona seznama",
|
||||||
"delete_confirmation": "Ste prepričani da želite odstraniti {source}?",
|
"default_delay": "Privzete ure za zamik",
|
||||||
"delete_title": "Izbriši {type}",
|
"del_confirmation_tree": "Si prepričan/a, da želiš izbrisati {source} in vse podkategorije?",
|
||||||
"download_csv": "Prenesi CSV",
|
"delete_confirmation": "Ste prepričani da želite odstraniti {source}?",
|
||||||
"download_pdf": "Prenesi PDF",
|
"delete_title": "Izbriši {type}",
|
||||||
"edit_title": "Uredi {type}",
|
"download_csv": "Prenesi CSV",
|
||||||
"err_creating_resource": "Napaka pri ustvarjanju vira!",
|
"download_pdf": "Prenesi PDF",
|
||||||
"err_deleting_protected_resource": "Predmet, ki ga želite izbrisati, je še vedno v uporabi in ga ni mogoče izbrisati.",
|
"edit_title": "Uredi {type}",
|
||||||
"err_deleting_resource": "Napaka pri brisanju vira!",
|
"err_creating_resource": "Napaka pri ustvarjanju vira!",
|
||||||
"err_fetching_resource": "Napaka pri pridobivanju vira!",
|
"err_deleting_protected_resource": "Predmet, ki ga želite izbrisati, je še vedno v uporabi in ga ni mogoče izbrisati.",
|
||||||
"err_merge_self": "Ne morem združiti elementa v samega sebe",
|
"err_deleting_resource": "Napaka pri brisanju vira!",
|
||||||
"err_merging_resource": "Napaka pri združevanju vira!",
|
"err_fetching_resource": "Napaka pri pridobivanju vira!",
|
||||||
"err_move_self": "Ne morem premakniti elementa v samega sebe",
|
"err_merge_self": "Ne morem združiti elementa v samega sebe",
|
||||||
"err_moving_resource": "Napaka pri premikanju vira!",
|
"err_merging_resource": "Napaka pri združevanju vira!",
|
||||||
"err_updating_resource": "Napaka pri posodabljanju vira!",
|
"err_move_self": "Ne morem premakniti elementa v samega sebe",
|
||||||
"file_upload_disabled": "Nalaganje datoteke ni omogočeno za tvoj prostor.",
|
"err_moving_resource": "Napaka pri premikanju vira!",
|
||||||
"filter_to_supermarket_desc": "Privzeto, razvrsti nakupovalni listek, da vključi samo označene trgovine.",
|
"err_updating_resource": "Napaka pri posodabljanju vira!",
|
||||||
"food_inherit_info": "Polja za živila, ki so privzeto podedovana.",
|
"file_upload_disabled": "Nalaganje datoteke ni omogočeno za tvoj prostor.",
|
||||||
"import_running": "Uvoz poteka, prosim počakaj!",
|
"filter_to_supermarket_desc": "Privzeto, razvrsti nakupovalni listek, da vključi samo označene trgovine.",
|
||||||
"in_shopping": "V nakupovalnem listku",
|
"food_inherit_info": "Polja za živila, ki so privzeto podedovana.",
|
||||||
"left_handed": "Način za levičarje",
|
"import_running": "Uvoz poteka, prosim počakaj!",
|
||||||
"left_handed_help": "Optimizira grafični vmesnik za levičarje.",
|
"in_shopping": "V nakupovalnem listku",
|
||||||
"mark_complete": "Označi končano",
|
"left_handed": "Način za levičarje",
|
||||||
"mealplan_autoadd_shopping": "Avtomatsko dodaj obrok v načrt",
|
"left_handed_help": "Optimizira grafični vmesnik za levičarje.",
|
||||||
"mealplan_autoadd_shopping_desc": "Avtomatsko dodaj sestavine načrtovanega obroka v nakupovalni listek.",
|
"mark_complete": "Označi končano",
|
||||||
"mealplan_autoexclude_onhand": "Izključi hrano v roki",
|
"mealplan_autoadd_shopping": "Avtomatsko dodaj obrok v načrt",
|
||||||
"mealplan_autoexclude_onhand_desc": "Pri dodajanju načrta obrokov na nakupovalni seznam (ročno ali samodejno) izključite sestavine, ki so trenutno v roki.",
|
"mealplan_autoadd_shopping_desc": "Avtomatsko dodaj sestavine načrtovanega obroka v nakupovalni listek.",
|
||||||
"mealplan_autoinclude_related": "Dodaj povezane recepte",
|
"mealplan_autoexclude_onhand": "Izključi hrano v roki",
|
||||||
"mealplan_autoinclude_related_desc": "Pri dodajanju načrta obrokov na nakupovalni seznam (ročno ali samodejno) vključi sestavine, ki so povezane z receptom.",
|
"mealplan_autoexclude_onhand_desc": "Pri dodajanju načrta obrokov na nakupovalni seznam (ročno ali samodejno) izključite sestavine, ki so trenutno v roki.",
|
||||||
"merge_confirmation": "Zamenjaj <i>{source}</i> z/s <i>{target}</i>",
|
"mealplan_autoinclude_related": "Dodaj povezane recepte",
|
||||||
"merge_selection": "Zamenjaj vse dogodge {source} z izbranim {type}.",
|
"mealplan_autoinclude_related_desc": "Pri dodajanju načrta obrokov na nakupovalni seznam (ročno ali samodejno) vključi sestavine, ki so povezane z receptom.",
|
||||||
"merge_title": "Združi {type}",
|
"merge_confirmation": "Zamenjaj <i>{source}</i> z/s <i>{target}</i>",
|
||||||
"min": "min",
|
"merge_selection": "Zamenjaj vse dogodge {source} z izbranim {type}.",
|
||||||
"move_confirmation": "Premakni <i>{child}</i> k staršu <i>{parent}</i>",
|
"merge_title": "Združi {type}",
|
||||||
"move_selection": "Izberi starša {type} za premik v {source}.",
|
"min": "min",
|
||||||
"move_title": "Premakni {type}",
|
"move_confirmation": "Premakni <i>{child}</i> k staršu <i>{parent}</i>",
|
||||||
"nothing": "Ni kaj za narediti",
|
"move_selection": "Izberi starša {type} za premik v {source}.",
|
||||||
"open_data_help_text": "Projekt Tandoor Open Data zagotavlja podatke, ki jih je prispeva skupnost. To polje se samodejno izpolni ob uvozu in omogoča posodobitve v prihodnosti.",
|
"move_title": "Premakni {type}",
|
||||||
"or": "ali",
|
"nothing": "Ni kaj za narediti",
|
||||||
"per_serving": "na porcijo",
|
"open_data_help_text": "Projekt Tandoor Open Data zagotavlja podatke, ki jih je prispeva skupnost. To polje se samodejno izpolni ob uvozu in omogoča posodobitve v prihodnosti.",
|
||||||
"plural_short": "",
|
"or": "ali",
|
||||||
"plural_usage_info": "",
|
"per_serving": "na porcijo",
|
||||||
"recipe_property_info": "Živilom lahko dodate tudi lastnosti, ki se samodejno izračunajo na podlagi vašega recepta!",
|
"plural_short": "",
|
||||||
"related_recipes": "Povezani recepti",
|
"plural_usage_info": "",
|
||||||
"remember_hours": "Ure, ki si jih zapomni",
|
"recipe_property_info": "Živilom lahko dodate tudi lastnosti, ki se samodejno izračunajo na podlagi vašega recepta!",
|
||||||
"remember_search": "Zapomni si iskanje",
|
"related_recipes": "Povezani recepti",
|
||||||
"reusable_help_text": "Ali lahko povezavo za povabilo uporabi več kot en uporabnik.",
|
"remember_hours": "Ure, ki si jih zapomni",
|
||||||
"shopping_add_onhand": "Avtomatsko v roki",
|
"remember_search": "Zapomni si iskanje",
|
||||||
"shopping_auto_sync": "Avtomatska sinhronizacija",
|
"reusable_help_text": "Ali lahko povezavo za povabilo uporabi več kot en uporabnik.",
|
||||||
"shopping_auto_sync_desc": "Nastavitev na 0 bo onemogoča avtomatsko sinhronizacijo. Pri ogledu nakupovalnega seznama se seznam posodablja vsakih nekaj sekund za sinhronizacijo sprememb, ki jih je morda naredil nekdo drug. Uporabno pri nakupovanju z več ljudmi, vendar bo uporabljalo mobilne podatke.",
|
"shopping_add_onhand": "Avtomatsko v roki",
|
||||||
"shopping_recent_days": "Nedavni dnevi",
|
"shopping_auto_sync": "Avtomatska sinhronizacija",
|
||||||
"shopping_recent_days_desc": "Dnevi nedavnih vnosov na seznamu za nakupovanje, ki jih želite prikazati.",
|
"shopping_auto_sync_desc": "Nastavitev na 0 bo onemogoča avtomatsko sinhronizacijo. Pri ogledu nakupovalnega seznama se seznam posodablja vsakih nekaj sekund za sinhronizacijo sprememb, ki jih je morda naredil nekdo drug. Uporabno pri nakupovanju z več ljudmi, vendar bo uporabljalo mobilne podatke.",
|
||||||
"shopping_share": "Deli nakupovalni listek",
|
"shopping_recent_days": "Nedavni dnevi",
|
||||||
"shopping_share_desc": "Uporabniki bodo videli vse elemente, ki si jih dodal v nakupovalni listek. Morajo te dodati, da vidiš njihove elemente na listku.",
|
"shopping_recent_days_desc": "Dnevi nedavnih vnosov na seznamu za nakupovanje, ki jih želite prikazati.",
|
||||||
"show_only_internal": "Prikaži samo interne recepte",
|
"shopping_share": "Deli nakupovalni listek",
|
||||||
"show_split_screen": "Deljen pogled",
|
"shopping_share_desc": "Uporabniki bodo videli vse elemente, ki si jih dodal v nakupovalni listek. Morajo te dodati, da vidiš njihove elemente na listku.",
|
||||||
"show_sql": "Prikaži SQL",
|
"show_only_internal": "Prikaži samo interne recepte",
|
||||||
"sql_debug": "SQL razhroščevanje",
|
"show_split_screen": "Deljen pogled",
|
||||||
"step_time_minutes": "Časovni korak v minutah",
|
"show_sql": "Prikaži SQL",
|
||||||
"success_creating_resource": "Ustvarjanje vira je bilo uspešno!",
|
"sql_debug": "SQL razhroščevanje",
|
||||||
"success_deleting_resource": "Brisanje vira je bilo uspešno!",
|
"step_time_minutes": "Časovni korak v minutah",
|
||||||
"success_fetching_resource": "Pridobivanje vira je bilo uspešno!",
|
"success_creating_resource": "Ustvarjanje vira je bilo uspešno!",
|
||||||
"success_merging_resource": "Združevanje vira je bilo uspešno!",
|
"success_deleting_resource": "Brisanje vira je bilo uspešno!",
|
||||||
"success_moving_resource": "Premikanje vira je bilo uspešno!",
|
"success_fetching_resource": "Pridobivanje vira je bilo uspešno!",
|
||||||
"success_updating_resource": "Posodabljanje vira je bilo uspešno!",
|
"success_merging_resource": "Združevanje vira je bilo uspešno!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Premikanje vira je bilo uspešno!",
|
||||||
"today_recipes": "Današnji recepti",
|
"success_updating_resource": "Posodabljanje vira je bilo uspešno!",
|
||||||
"tree_root": "",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_select": "Uporabi drevesno označbo",
|
"today_recipes": "Današnji recepti",
|
||||||
"warning_feature_beta": "Ta funkcija je trenutno v stanju BETA (testiranje). Pri uporabi te funkcije pričakujte napake in morebitne prelomne spremembe v prihodnosti (morda izgubite podatke, povezane s to funkcijo).",
|
"tree_root": "",
|
||||||
"warning_space_delete": "Izbrišete lahko svoj prostor, vključno z vsemi recepti, nakupovalnimi seznami, načrti obrokov in vsem drugim, kar ste ustvarili. Tega ni mogoče preklicati! Ste prepričani, da želite to storiti?"
|
"tree_select": "Uporabi drevesno označbo",
|
||||||
|
"warning_feature_beta": "Ta funkcija je trenutno v stanju BETA (testiranje). Pri uporabi te funkcije pričakujte napake in morebitne prelomne spremembe v prihodnosti (morda izgubite podatke, povezane s to funkcijo).",
|
||||||
|
"warning_space_delete": "Izbrišete lahko svoj prostor, vključno z vsemi recepti, nakupovalnimi seznami, načrti obrokov in vsem drugim, kar ste ustvarili. Tega ni mogoče preklicati! Ste prepričani, da želite to storiti?"
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,451 +1,453 @@
|
|||||||
{
|
{
|
||||||
"Add": "Додати",
|
"Access_Token": "",
|
||||||
"AddFoodToShopping": "Додати {food} до вашого списку покупок",
|
"Add": "Додати",
|
||||||
"AddToShopping": "Додати до списку покупок",
|
"AddFoodToShopping": "Додати {food} до вашого списку покупок",
|
||||||
"Add_Servings_to_Shopping": "Додати {servings} Порції до Покупок",
|
"AddToShopping": "Додати до списку покупок",
|
||||||
"Add_Step": "Додати Крок",
|
"Add_Servings_to_Shopping": "Додати {servings} Порції до Покупок",
|
||||||
"Add_nutrition_recipe": "Додати харчову цінність до рецепту",
|
"Add_Step": "Додати Крок",
|
||||||
"Add_to_Plan": "Додати до Плану",
|
"Add_nutrition_recipe": "Додати харчову цінність до рецепту",
|
||||||
"Add_to_Shopping": "Додати до Покупок",
|
"Add_to_Plan": "Додати до Плану",
|
||||||
"Added_To_Shopping_List": "Додано до списку покупок",
|
"Add_to_Shopping": "Додати до Покупок",
|
||||||
"Added_by": "Додано",
|
"Added_To_Shopping_List": "Додано до списку покупок",
|
||||||
"Added_on": "Додано На",
|
"Added_by": "Додано",
|
||||||
"Advanced": "",
|
"Added_on": "Додано На",
|
||||||
"Amount": "Кількість",
|
"Advanced": "",
|
||||||
"App": "",
|
"Amount": "Кількість",
|
||||||
"Are_You_Sure": "",
|
"App": "",
|
||||||
"Auto_Planner": "",
|
"Are_You_Sure": "",
|
||||||
"Auto_Sort": "Автоматичне сортування",
|
"Auto_Planner": "",
|
||||||
"Auto_Sort_Help": "Перемістити всі інгредієнти до більш підходящого кроку.",
|
"Auto_Sort": "Автоматичне сортування",
|
||||||
"Automate": "Автоматично",
|
"Auto_Sort_Help": "Перемістити всі інгредієнти до більш підходящого кроку.",
|
||||||
"Automation": "Автоматизація",
|
"Automate": "Автоматично",
|
||||||
"Bookmarklet": "",
|
"Automation": "Автоматизація",
|
||||||
"Books": "Книжки",
|
"Bookmarklet": "",
|
||||||
"Calories": "Калорії",
|
"Books": "Книжки",
|
||||||
"Cancel": "Відмінити",
|
"Calories": "Калорії",
|
||||||
"Cannot_Add_Notes_To_Shopping": "Нотатки не можуть бути доданими до списку покупок",
|
"Cancel": "Відмінити",
|
||||||
"Carbohydrates": "Вуглеводи",
|
"Cannot_Add_Notes_To_Shopping": "Нотатки не можуть бути доданими до списку покупок",
|
||||||
"Categories": "Категорії",
|
"Carbohydrates": "Вуглеводи",
|
||||||
"Category": "Категорія",
|
"Categories": "Категорії",
|
||||||
"CategoryInstruction": "",
|
"Category": "Категорія",
|
||||||
"CategoryName": "",
|
"CategoryInstruction": "",
|
||||||
"ChildInheritFields": "",
|
"CategoryName": "",
|
||||||
"ChildInheritFields_help": "",
|
"ChildInheritFields": "",
|
||||||
"Clear": "",
|
"ChildInheritFields_help": "",
|
||||||
"Click_To_Edit": "",
|
"Clear": "",
|
||||||
"Clone": "Клонувати",
|
"Click_To_Edit": "",
|
||||||
"Close": "Закрити",
|
"Clone": "Клонувати",
|
||||||
"Color": "Колір",
|
"Close": "Закрити",
|
||||||
"Coming_Soon": "",
|
"Color": "Колір",
|
||||||
"Completed": "Виконано",
|
"Coming_Soon": "",
|
||||||
"Copy": "Копіювати",
|
"Completed": "Виконано",
|
||||||
"Copy Link": "Скопіювати Посилання",
|
"Copy": "Копіювати",
|
||||||
"Copy Token": "Скопіювати Токен",
|
"Copy Link": "Скопіювати Посилання",
|
||||||
"Copy_template_reference": "",
|
"Copy Token": "Скопіювати Токен",
|
||||||
"CountMore": "...+{count} більше",
|
"Copy_template_reference": "",
|
||||||
"Create": "Створити",
|
"CountMore": "...+{count} більше",
|
||||||
"Create Food": "",
|
"Create": "Створити",
|
||||||
"Create_Meal_Plan_Entry": "Створити запис в плані харчування",
|
"Create Food": "",
|
||||||
"Create_New_Food": "Додати Нову Їжу",
|
"Create_Meal_Plan_Entry": "Створити запис в плані харчування",
|
||||||
"Create_New_Keyword": "Додати Нове Ключове слово",
|
"Create_New_Food": "Додати Нову Їжу",
|
||||||
"Create_New_Meal_Type": "Додати Новий Тип Страви",
|
"Create_New_Keyword": "Додати Нове Ключове слово",
|
||||||
"Create_New_Shopping Category": "Створити Нову Категорію Покупок",
|
"Create_New_Meal_Type": "Додати Новий Тип Страви",
|
||||||
"Create_New_Shopping_Category": "Додати Нову Категорію Покупок",
|
"Create_New_Shopping Category": "Створити Нову Категорію Покупок",
|
||||||
"Create_New_Unit": "Додати Нову Одиницю",
|
"Create_New_Shopping_Category": "Додати Нову Категорію Покупок",
|
||||||
"Current_Period": "Теперішній Період",
|
"Create_New_Unit": "Додати Нову Одиницю",
|
||||||
"Custom Filter": "",
|
"Current_Period": "Теперішній Період",
|
||||||
"Date": "Дата",
|
"Custom Filter": "",
|
||||||
"Decimals": "Десятки",
|
"Date": "Дата",
|
||||||
"Default_Unit": "Одиниця замовчуванням",
|
"Decimals": "Десятки",
|
||||||
"DelayFor": "Затримка на {hours} годин",
|
"Default_Unit": "Одиниця замовчуванням",
|
||||||
"DelayUntil": "",
|
"DelayFor": "Затримка на {hours} годин",
|
||||||
"Delete": "Видалити",
|
"DelayUntil": "",
|
||||||
"DeleteShoppingConfirm": "Ви впевнені, що хочете видалити {food} з вашого списку покупок?",
|
"Delete": "Видалити",
|
||||||
"Delete_Food": "Видалити Їжу",
|
"DeleteConfirmQuestion": "",
|
||||||
"Delete_Keyword": "Видалити Ключове слово",
|
"DeleteShoppingConfirm": "Ви впевнені, що хочете видалити {food} з вашого списку покупок?",
|
||||||
"Description": "Опис",
|
"Delete_Food": "Видалити Їжу",
|
||||||
"Description_Replace": "Замінити Опис",
|
"Delete_Keyword": "Видалити Ключове слово",
|
||||||
"Disable_Amount": "Виключити Кількість",
|
"Description": "Опис",
|
||||||
"Documentation": "",
|
"Description_Replace": "Замінити Опис",
|
||||||
"Download": "Скачати",
|
"Disable_Amount": "Виключити Кількість",
|
||||||
"Drag_Here_To_Delete": "Перемістіть сюди, щоб видалити",
|
"Documentation": "",
|
||||||
"Edit": "Редагувати",
|
"Download": "Скачати",
|
||||||
"Edit_Food": "Редагувати Їжу",
|
"Drag_Here_To_Delete": "Перемістіть сюди, щоб видалити",
|
||||||
"Edit_Keyword": "Редагувати Ключове слово",
|
"Edit": "Редагувати",
|
||||||
"Edit_Meal_Plan_Entry": "Редагувати запис в плані харчування",
|
"Edit_Food": "Редагувати Їжу",
|
||||||
"Edit_Recipe": "Редагувати Рецепт",
|
"Edit_Keyword": "Редагувати Ключове слово",
|
||||||
"Empty": "Пусто",
|
"Edit_Meal_Plan_Entry": "Редагувати запис в плані харчування",
|
||||||
"Enable_Amount": "Включити Кількість",
|
"Edit_Recipe": "Редагувати Рецепт",
|
||||||
"Energy": "Енергія",
|
"Empty": "Пусто",
|
||||||
"Export": "Експорт",
|
"Enable_Amount": "Включити Кількість",
|
||||||
"Export_As_ICal": "Експортувати теперішній період до формату iCal",
|
"Energy": "Енергія",
|
||||||
"Export_Not_Yet_Supported": "",
|
"Export": "Експорт",
|
||||||
"Export_Supported": "",
|
"Export_As_ICal": "Експортувати теперішній період до формату iCal",
|
||||||
"Export_To_ICal": "Експортувати .ics",
|
"Export_Not_Yet_Supported": "",
|
||||||
"External": "Зовнішній",
|
"Export_Supported": "",
|
||||||
"External_Recipe_Image": "Зображення Зовнішнього Рецепту",
|
"Export_To_ICal": "Експортувати .ics",
|
||||||
"Failure": "Невдало",
|
"External": "Зовнішній",
|
||||||
"Fats": "Жири",
|
"External_Recipe_Image": "Зображення Зовнішнього Рецепту",
|
||||||
"File": "Файл",
|
"Failure": "Невдало",
|
||||||
"Files": "Файли",
|
"Fats": "Жири",
|
||||||
"Food": "Їжа",
|
"File": "Файл",
|
||||||
"FoodInherit": "Пола Успадкованої Їжі",
|
"Files": "Файли",
|
||||||
"FoodNotOnHand": "У вас немає {food} на руках.",
|
"Food": "Їжа",
|
||||||
"FoodOnHand": "Ви маєте {food} на руках.",
|
"FoodInherit": "Пола Успадкованої Їжі",
|
||||||
"Food_Alias": "",
|
"FoodNotOnHand": "У вас немає {food} на руках.",
|
||||||
"Foods": "",
|
"FoodOnHand": "Ви маєте {food} на руках.",
|
||||||
"GroupBy": "По Групі",
|
"Food_Alias": "",
|
||||||
"Hide_Food": "Сховати Їжу",
|
"Foods": "",
|
||||||
"Hide_Keyword": "",
|
"GroupBy": "По Групі",
|
||||||
"Hide_Keywords": "Сховати Ключове слово",
|
"Hide_Food": "Сховати Їжу",
|
||||||
"Hide_Recipes": "Сховати Рецепти",
|
"Hide_Keyword": "",
|
||||||
"Hide_as_header": "",
|
"Hide_Keywords": "Сховати Ключове слово",
|
||||||
"Icon": "Іконка",
|
"Hide_Recipes": "Сховати Рецепти",
|
||||||
"IgnoreThis": "Ніколи {food} автоматично не додавати до покупок",
|
"Hide_as_header": "",
|
||||||
"Ignore_Shopping": "Ігнорувати Покупки",
|
"Icon": "Іконка",
|
||||||
"IgnoredFood": "{food} ігнорується в покупках.",
|
"IgnoreThis": "Ніколи {food} автоматично не додавати до покупок",
|
||||||
"Image": "Зображення",
|
"Ignore_Shopping": "Ігнорувати Покупки",
|
||||||
"Import": "Імпорт",
|
"IgnoredFood": "{food} ігнорується в покупках.",
|
||||||
"Import_Error": "",
|
"Image": "Зображення",
|
||||||
"Import_Not_Yet_Supported": "",
|
"Import": "Імпорт",
|
||||||
"Import_Result_Info": "",
|
"Import_Error": "",
|
||||||
"Import_Supported": "",
|
"Import_Not_Yet_Supported": "",
|
||||||
"Import_finished": "Імпорт закінчено",
|
"Import_Result_Info": "",
|
||||||
"Imported": "",
|
"Import_Supported": "",
|
||||||
"Imported_From": "",
|
"Import_finished": "Імпорт закінчено",
|
||||||
"Importer_Help": "",
|
"Imported": "",
|
||||||
"Information": "Інформація",
|
"Imported_From": "",
|
||||||
"Ingredient Editor": "Редактор Інгредієнтів",
|
"Importer_Help": "",
|
||||||
"IngredientInShopping": "Цей інгредієнт є в вашому списку покупок.",
|
"Information": "Інформація",
|
||||||
"Ingredients": "Інгредієнти",
|
"Ingredient Editor": "Редактор Інгредієнтів",
|
||||||
"Inherit": "Успадкувати",
|
"IngredientInShopping": "Цей інгредієнт є в вашому списку покупок.",
|
||||||
"InheritFields": "Успадкувати Значення Полів",
|
"Ingredients": "Інгредієнти",
|
||||||
"InheritFields_help": "",
|
"Inherit": "Успадкувати",
|
||||||
"InheritWarning": "",
|
"InheritFields": "Успадкувати Значення Полів",
|
||||||
"Instruction_Replace": "Замінити Інструкцію",
|
"InheritFields_help": "",
|
||||||
"Instructions": "Інструкції",
|
"InheritWarning": "",
|
||||||
"Internal": "",
|
"Instruction_Replace": "Замінити Інструкцію",
|
||||||
"Key_Ctrl": "Ctrl",
|
"Instructions": "Інструкції",
|
||||||
"Key_Shift": "Shift",
|
"Internal": "",
|
||||||
"Keyword": "",
|
"Key_Ctrl": "Ctrl",
|
||||||
"Keyword_Alias": "",
|
"Key_Shift": "Shift",
|
||||||
"Keywords": "Ключові слова",
|
"Keyword": "",
|
||||||
"Language": "Мова",
|
"Keyword_Alias": "",
|
||||||
"Link": "Посилання",
|
"Keywords": "Ключові слова",
|
||||||
"Load_More": "Завантажити більше",
|
"Language": "Мова",
|
||||||
"Log_Cooking": "",
|
"Link": "Посилання",
|
||||||
"Log_Recipe_Cooking": "",
|
"Load_More": "Завантажити більше",
|
||||||
"Make_Header": "",
|
"Log_Cooking": "",
|
||||||
"Make_Ingredient": "",
|
"Log_Recipe_Cooking": "",
|
||||||
"Manage_Books": "Управління Книжкою",
|
"Make_Header": "",
|
||||||
"Meal_Plan": "План Харчування",
|
"Make_Ingredient": "",
|
||||||
"Meal_Plan_Days": "Майбутній план харчування",
|
"Manage_Books": "Управління Книжкою",
|
||||||
"Meal_Type": "Тип страви",
|
"Meal_Plan": "План Харчування",
|
||||||
"Meal_Type_Required": "Тип страви є обов'язковим",
|
"Meal_Plan_Days": "Майбутній план харчування",
|
||||||
"Meal_Types": "Типи страви",
|
"Meal_Type": "Тип страви",
|
||||||
"Merge": "Об'єднати",
|
"Meal_Type_Required": "Тип страви є обов'язковим",
|
||||||
"Merge_Keyword": "Об'єднати Ключове слово",
|
"Meal_Types": "Типи страви",
|
||||||
"Month": "Місяць",
|
"Merge": "Об'єднати",
|
||||||
"Move": "Перемістити",
|
"Merge_Keyword": "Об'єднати Ключове слово",
|
||||||
"MoveCategory": "Перемістити До: ",
|
"Month": "Місяць",
|
||||||
"Move_Down": "Перемістити вниз",
|
"Move": "Перемістити",
|
||||||
"Move_Food": "Перемістити Їжу",
|
"MoveCategory": "Перемістити До: ",
|
||||||
"Move_Keyword": "Перемістити Ключове слово",
|
"Move_Down": "Перемістити вниз",
|
||||||
"Move_Up": "Перемістити уверх",
|
"Move_Food": "Перемістити Їжу",
|
||||||
"Multiple": "",
|
"Move_Keyword": "Перемістити Ключове слово",
|
||||||
"Name": "Ім'я",
|
"Move_Up": "Перемістити уверх",
|
||||||
"New": "Новий",
|
"Multiple": "",
|
||||||
"New_Cookbook": "",
|
"Name": "Ім'я",
|
||||||
"New_Entry": "Новий запис",
|
"New": "Новий",
|
||||||
"New_Food": "Нова Їжа",
|
"New_Cookbook": "",
|
||||||
"New_Keyword": "Нові Ключові слова",
|
"New_Entry": "Новий запис",
|
||||||
"New_Meal_Type": "Новий Тип страви",
|
"New_Food": "Нова Їжа",
|
||||||
"New_Recipe": "Новий Рецепт",
|
"New_Keyword": "Нові Ключові слова",
|
||||||
"New_Supermarket": "",
|
"New_Meal_Type": "Новий Тип страви",
|
||||||
"New_Supermarket_Category": "",
|
"New_Recipe": "Новий Рецепт",
|
||||||
"New_Unit": "Нова Одиниця",
|
"New_Supermarket": "",
|
||||||
"Next_Day": "Наступний День",
|
"New_Supermarket_Category": "",
|
||||||
"Next_Period": "Наступний період",
|
"New_Unit": "Нова Одиниця",
|
||||||
"NoCategory": "Жодна категорія не вибрана.",
|
"Next_Day": "Наступний День",
|
||||||
"No_ID": "ID не знайдено, неможливо видалити.",
|
"Next_Period": "Наступний період",
|
||||||
"No_Results": "Немає Результату",
|
"NoCategory": "Жодна категорія не вибрана.",
|
||||||
"NotInShopping": "{food} немає в вашому списку покупок.",
|
"No_ID": "ID не знайдено, неможливо видалити.",
|
||||||
"Note": "Нотатка",
|
"No_Results": "Немає Результату",
|
||||||
"Nutrition": "Харчова цінність",
|
"NotInShopping": "{food} немає в вашому списку покупок.",
|
||||||
"OfflineAlert": "Ви офлайн, список покупок може не синхронізуватися.",
|
"Note": "Нотатка",
|
||||||
"Ok": "Відкрити",
|
"Nutrition": "Харчова цінність",
|
||||||
"OnHand": "Зараз На Руках",
|
"OfflineAlert": "Ви офлайн, список покупок може не синхронізуватися.",
|
||||||
"OnHand_help": "",
|
"Ok": "Відкрити",
|
||||||
"Open": "Відкрити",
|
"OnHand": "Зараз На Руках",
|
||||||
"Options": "",
|
"OnHand_help": "",
|
||||||
"Original_Text": "Оригінальний текст",
|
"Open": "Відкрити",
|
||||||
"Page": "",
|
"Options": "",
|
||||||
"Parameter": "Параметр",
|
"Original_Text": "Оригінальний текст",
|
||||||
"Parent": "Батько",
|
"Page": "",
|
||||||
"Period": "Період",
|
"Parameter": "Параметр",
|
||||||
"Periods": "Періоди",
|
"Parent": "Батько",
|
||||||
"Pin": "",
|
"Period": "Період",
|
||||||
"Pinned": "",
|
"Periods": "Періоди",
|
||||||
"Plan_Period_To_Show": "Показати тижні, місяці або роки",
|
"Pin": "",
|
||||||
"Plan_Show_How_Many_Periods": "Як багато періодів показати",
|
"Pinned": "",
|
||||||
"Planned": "",
|
"Plan_Period_To_Show": "Показати тижні, місяці або роки",
|
||||||
"Planner": "Планувальний",
|
"Plan_Show_How_Many_Periods": "Як багато періодів показати",
|
||||||
"Planner_Settings": "Налаштування планувальника",
|
"Planned": "",
|
||||||
"Plural": "",
|
"Planner": "Планувальний",
|
||||||
"Preferences": "",
|
"Planner_Settings": "Налаштування планувальника",
|
||||||
"Preparation": "Підготовка",
|
"Plural": "",
|
||||||
"Previous_Day": "Попередній День",
|
"Preferences": "",
|
||||||
"Previous_Period": "Попередній Період",
|
"Preparation": "Підготовка",
|
||||||
"Print": "Друкувати",
|
"Previous_Day": "Попередній День",
|
||||||
"Private_Recipe": "Приватний Рецепт",
|
"Previous_Period": "Попередній Період",
|
||||||
"Private_Recipe_Help": "Рецепт показаний тільки Вам і тими з ким ви поділилися їм.",
|
"Print": "Друкувати",
|
||||||
"Profile": "",
|
"Private_Recipe": "Приватний Рецепт",
|
||||||
"Protected": "Захищено",
|
"Private_Recipe_Help": "Рецепт показаний тільки Вам і тими з ким ви поділилися їм.",
|
||||||
"Proteins": "Білки",
|
"Profile": "",
|
||||||
"Quick actions": "",
|
"Protected": "Захищено",
|
||||||
"QuickEntry": "",
|
"Proteins": "Білки",
|
||||||
"Random Recipes": "",
|
"Quick actions": "",
|
||||||
"Rating": "Рейтинг",
|
"QuickEntry": "",
|
||||||
"Ratings": "",
|
"Random Recipes": "",
|
||||||
"Recently_Viewed": "Нещодавно переглянуті",
|
"Rating": "Рейтинг",
|
||||||
"Recipe": "Рецепт",
|
"Ratings": "",
|
||||||
"Recipe_Book": "Книга Рецептів",
|
"Recently_Viewed": "Нещодавно переглянуті",
|
||||||
"Recipe_Image": "Зображення Рецепту",
|
"Recipe": "Рецепт",
|
||||||
"Recipes": "Рецепти",
|
"Recipe_Book": "Книга Рецептів",
|
||||||
"Recipes_In_Import": "",
|
"Recipe_Image": "Зображення Рецепту",
|
||||||
"Recipes_per_page": "Кількість Рецептів на Сторінку",
|
"Recipes": "Рецепти",
|
||||||
"Remove": "",
|
"Recipes_In_Import": "",
|
||||||
"RemoveFoodFromShopping": "Видалити {food} з вашого списку покупок",
|
"Recipes_per_page": "Кількість Рецептів на Сторінку",
|
||||||
"Remove_nutrition_recipe": "Видалити харчову цінність з рецепта",
|
"Remove": "",
|
||||||
"Reset": "",
|
"RemoveFoodFromShopping": "Видалити {food} з вашого списку покупок",
|
||||||
"Reset_Search": "Скинути Пошук",
|
"Remove_nutrition_recipe": "Видалити харчову цінність з рецепта",
|
||||||
"Root": "Корінь",
|
"Reset": "",
|
||||||
"Save": "Зберегти",
|
"Reset_Search": "Скинути Пошук",
|
||||||
"Save_and_View": "Зберегти і Подивитися",
|
"Root": "Корінь",
|
||||||
"Search": "Пошук",
|
"Save": "Зберегти",
|
||||||
"Search Settings": "Налаштування Пошуку",
|
"Save_and_View": "Зберегти і Подивитися",
|
||||||
"Select": "",
|
"Search": "Пошук",
|
||||||
"Select_App_To_Import": "",
|
"Search Settings": "Налаштування Пошуку",
|
||||||
"Select_Book": "Вибрати Книжку",
|
"Select": "",
|
||||||
"Select_File": "Вибрати Файл",
|
"Select_App_To_Import": "",
|
||||||
"Selected": "Вибрано",
|
"Select_Book": "Вибрати Книжку",
|
||||||
"Servings": "Порції",
|
"Select_File": "Вибрати Файл",
|
||||||
"Settings": "Налаштування",
|
"Selected": "Вибрано",
|
||||||
"Share": "Поділитися",
|
"Servings": "Порції",
|
||||||
"Shopping_Categories": "Категорії Покупок",
|
"Settings": "Налаштування",
|
||||||
"Shopping_Category": "Категорія Покупок",
|
"Share": "Поділитися",
|
||||||
"Shopping_List_Empty": "Ваш список покупок зараз пустий, ви можете додати товари за допомогою контекстного меню плану харчування (права кнопка мишки на картку або на ліву кнопку на іконку меню)",
|
"Shopping_Categories": "Категорії Покупок",
|
||||||
"Shopping_list": "Список Покупок",
|
"Shopping_Category": "Категорія Покупок",
|
||||||
"ShowDelayed": "Показати Відкладені Предмети",
|
"Shopping_List_Empty": "Ваш список покупок зараз пустий, ви можете додати товари за допомогою контекстного меню плану харчування (права кнопка мишки на картку або на ліву кнопку на іконку меню)",
|
||||||
"ShowUncategorizedFood": "Показати Невідомо",
|
"Shopping_list": "Список Покупок",
|
||||||
"Show_Week_Numbers": "Показати номер тижня?",
|
"ShowDelayed": "Показати Відкладені Предмети",
|
||||||
"Show_as_header": "",
|
"ShowUncategorizedFood": "Показати Невідомо",
|
||||||
"Single": "",
|
"Show_Week_Numbers": "Показати номер тижня?",
|
||||||
"Size": "Розмір",
|
"Show_as_header": "",
|
||||||
"Sort_by_new": "",
|
"Single": "",
|
||||||
"SpaceMembers": "",
|
"Size": "Розмір",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "",
|
||||||
"Starting_Day": "Початковий день тижня",
|
"SpaceMembers": "",
|
||||||
"Step": "Крок",
|
"SpaceSettings": "",
|
||||||
"Step_Name": "Ім'я Кроку",
|
"Starting_Day": "Початковий день тижня",
|
||||||
"Step_Type": "Тип Кроку",
|
"Step": "Крок",
|
||||||
"Step_start_time": "Час початку кроку",
|
"Step_Name": "Ім'я Кроку",
|
||||||
"SubstituteOnHand": "",
|
"Step_Type": "Тип Кроку",
|
||||||
"Success": "Успішно",
|
"Step_start_time": "Час початку кроку",
|
||||||
"SuccessClipboard": "",
|
"SubstituteOnHand": "",
|
||||||
"Supermarket": "Супермаркет",
|
"Success": "Успішно",
|
||||||
"SupermarketCategoriesOnly": "Тільки Категорії Супермаркету",
|
"SuccessClipboard": "",
|
||||||
"SupermarketName": "",
|
"Supermarket": "Супермаркет",
|
||||||
"Supermarkets": "",
|
"SupermarketCategoriesOnly": "Тільки Категорії Супермаркету",
|
||||||
"System": "",
|
"SupermarketName": "",
|
||||||
"Table_of_Contents": "Зміст",
|
"Supermarkets": "",
|
||||||
"Text": "Текст",
|
"System": "",
|
||||||
"Theme": "Тема",
|
"Table_of_Contents": "Зміст",
|
||||||
"Time": "Час",
|
"Text": "Текст",
|
||||||
"Title": "Заголовок",
|
"Theme": "Тема",
|
||||||
"Title_or_Recipe_Required": "Вибір заголовку, або рецепту, є обов'язковим",
|
"Time": "Час",
|
||||||
"Toggle": "",
|
"Title": "Заголовок",
|
||||||
"Type": "Тип",
|
"Title_or_Recipe_Required": "Вибір заголовку, або рецепту, є обов'язковим",
|
||||||
"Undefined": "Невідомо",
|
"Toggle": "",
|
||||||
"Unit": "Одиниця",
|
"Type": "Тип",
|
||||||
"Unit_Alias": "",
|
"Undefined": "Невідомо",
|
||||||
"Units": "",
|
"Unit": "Одиниця",
|
||||||
"Unrated": "Без рейтингу",
|
"Unit_Alias": "",
|
||||||
"Url_Import": "Імпорт за посиланням",
|
"Units": "",
|
||||||
"Use_Fractions": "Використовувати дроби",
|
"Unrated": "Без рейтингу",
|
||||||
"Use_Fractions_Help": "Автоматично конвертувати десятки в дроби, коли дивитесь рецепт.",
|
"Url_Import": "Імпорт за посиланням",
|
||||||
"Use_Plural_Food_Always": "",
|
"Use_Fractions": "Використовувати дроби",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Use_Fractions_Help": "Автоматично конвертувати десятки в дроби, коли дивитесь рецепт.",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"User": "",
|
"Use_Plural_Unit_Always": "",
|
||||||
"View": "",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"View_Recipes": "Подивитися Рецепт",
|
"User": "",
|
||||||
"Waiting": "Очікування",
|
"View": "",
|
||||||
"Warning": "Увага",
|
"View_Recipes": "Подивитися Рецепт",
|
||||||
"Warning_Delete_Supermarket_Category": "",
|
"Waiting": "Очікування",
|
||||||
"Website": "",
|
"Warning": "Увага",
|
||||||
"Week": "Неділя",
|
"Warning_Delete_Supermarket_Category": "",
|
||||||
"Week_Numbers": "Номер тижня",
|
"Website": "",
|
||||||
"Year": "Рік",
|
"Week": "Неділя",
|
||||||
"YourSpaces": "",
|
"Week_Numbers": "Номер тижня",
|
||||||
"active": "",
|
"Year": "Рік",
|
||||||
"add_keyword": "",
|
"YourSpaces": "",
|
||||||
"additional_options": "",
|
"active": "",
|
||||||
"advanced": "",
|
"add_keyword": "",
|
||||||
"advanced_search_settings": "",
|
"additional_options": "",
|
||||||
"all_fields_optional": "Всі поля опціональні і можна залишити їх пустими.",
|
"advanced": "",
|
||||||
"and": "і",
|
"advanced_search_settings": "",
|
||||||
"and_down": "І Вниз",
|
"all_fields_optional": "Всі поля опціональні і можна залишити їх пустими.",
|
||||||
"and_up": "І Уверх",
|
"and": "і",
|
||||||
"asc": "",
|
"and_down": "І Вниз",
|
||||||
"book_filter_help": "",
|
"and_up": "І Уверх",
|
||||||
"click_image_import": "",
|
"asc": "",
|
||||||
"confirm_delete": "Ви впевнені, що хочете видалити {object}?",
|
"book_filter_help": "",
|
||||||
"convert_internal": "Конвертувати у внутрішній рецепт",
|
"click_image_import": "",
|
||||||
"copy_markdown_table": "",
|
"confirm_delete": "Ви впевнені, що хочете видалити {object}?",
|
||||||
"copy_to_clipboard": "",
|
"convert_internal": "Конвертувати у внутрішній рецепт",
|
||||||
"copy_to_new": "",
|
"copy_markdown_table": "",
|
||||||
"create_food_desc": "",
|
"copy_to_clipboard": "",
|
||||||
"create_rule": "і створити автоматизацію",
|
"copy_to_new": "",
|
||||||
"create_title": "Новий {type}",
|
"create_food_desc": "",
|
||||||
"created_by": "",
|
"create_rule": "і створити автоматизацію",
|
||||||
"created_on": "",
|
"create_title": "Новий {type}",
|
||||||
"csv_delim_help": "",
|
"created_by": "",
|
||||||
"csv_delim_label": "",
|
"created_on": "",
|
||||||
"csv_prefix_help": "",
|
"csv_delim_help": "",
|
||||||
"csv_prefix_label": "",
|
"csv_delim_label": "",
|
||||||
"date_created": "",
|
"csv_prefix_help": "",
|
||||||
"date_viewed": "",
|
"csv_prefix_label": "",
|
||||||
"default_delay": "",
|
"date_created": "",
|
||||||
"default_delay_desc": "",
|
"date_viewed": "",
|
||||||
"del_confirmation_tree": "Ви впевненні, що хочете видалити {source} і всіх його дітей?",
|
"default_delay": "",
|
||||||
"delete_confirmation": "Ви впевнені, що хочете видалити {source}?",
|
"default_delay_desc": "",
|
||||||
"delete_title": "Видалити {type}",
|
"del_confirmation_tree": "Ви впевненні, що хочете видалити {source} і всіх його дітей?",
|
||||||
"desc": "",
|
"delete_confirmation": "Ви впевнені, що хочете видалити {source}?",
|
||||||
"download_csv": "",
|
"delete_title": "Видалити {type}",
|
||||||
"download_pdf": "",
|
"desc": "",
|
||||||
"edit_title": "Редагувати {type}",
|
"download_csv": "",
|
||||||
"empty_list": "",
|
"download_pdf": "",
|
||||||
"enable_expert": "",
|
"edit_title": "Редагувати {type}",
|
||||||
"err_creating_resource": "Виникла помилка при створенні ресурсу!",
|
"empty_list": "",
|
||||||
"err_deleting_protected_resource": "Об'єкт який ви намагаєтесь видалити зараз використовується і не може бути видаленим.",
|
"enable_expert": "",
|
||||||
"err_deleting_resource": "Виникла помилка при видаленні ресурсу!",
|
"err_creating_resource": "Виникла помилка при створенні ресурсу!",
|
||||||
"err_fetching_resource": "Виникла помилка при отриманні ресурсу!",
|
"err_deleting_protected_resource": "Об'єкт який ви намагаєтесь видалити зараз використовується і не може бути видаленим.",
|
||||||
"err_merge_self": "",
|
"err_deleting_resource": "Виникла помилка при видаленні ресурсу!",
|
||||||
"err_merging_resource": "Виникла помилка при злитті ресурсу!",
|
"err_fetching_resource": "Виникла помилка при отриманні ресурсу!",
|
||||||
"err_move_self": "",
|
"err_merge_self": "",
|
||||||
"err_moving_resource": "Виникла помилка при переміщені ресурсу!",
|
"err_merging_resource": "Виникла помилка при злитті ресурсу!",
|
||||||
"err_updating_resource": "Виникла помилка при оновленні ресурсу!",
|
"err_move_self": "",
|
||||||
"expert_mode": "",
|
"err_moving_resource": "Виникла помилка при переміщені ресурсу!",
|
||||||
"explain": "",
|
"err_updating_resource": "Виникла помилка при оновленні ресурсу!",
|
||||||
"fields": "",
|
"expert_mode": "",
|
||||||
"file_upload_disabled": "Завантаження файлів не включено на вашому просторі.",
|
"explain": "",
|
||||||
"filter": "",
|
"fields": "",
|
||||||
"filter_name": "",
|
"file_upload_disabled": "Завантаження файлів не включено на вашому просторі.",
|
||||||
"filter_to_supermarket": "",
|
"filter": "",
|
||||||
"filter_to_supermarket_desc": "",
|
"filter_name": "",
|
||||||
"food_recipe_help": "",
|
"filter_to_supermarket": "",
|
||||||
"ignore_shopping_help": "",
|
"filter_to_supermarket_desc": "",
|
||||||
"import_duplicates": "",
|
"food_recipe_help": "",
|
||||||
"import_running": "Імпортується, будь ласка зачекайте!",
|
"ignore_shopping_help": "",
|
||||||
"in_shopping": "",
|
"import_duplicates": "",
|
||||||
"ingredient_list": "",
|
"import_running": "Імпортується, будь ласка зачекайте!",
|
||||||
"last_cooked": "",
|
"in_shopping": "",
|
||||||
"last_viewed": "",
|
"ingredient_list": "",
|
||||||
"left_handed": "",
|
"last_cooked": "",
|
||||||
"left_handed_help": "",
|
"last_viewed": "",
|
||||||
"make_now": "",
|
"left_handed": "",
|
||||||
"mark_complete": "",
|
"left_handed_help": "",
|
||||||
"mealplan_autoadd_shopping": "Автоматично Додати План Харчування",
|
"make_now": "",
|
||||||
"mealplan_autoadd_shopping_desc": "",
|
"mark_complete": "",
|
||||||
"mealplan_autoexclude_onhand": "",
|
"mealplan_autoadd_shopping": "Автоматично Додати План Харчування",
|
||||||
"mealplan_autoexclude_onhand_desc": "",
|
"mealplan_autoadd_shopping_desc": "",
|
||||||
"mealplan_autoinclude_related": "Додати Пов'язані Рецепти",
|
"mealplan_autoexclude_onhand": "",
|
||||||
"mealplan_autoinclude_related_desc": "",
|
"mealplan_autoexclude_onhand_desc": "",
|
||||||
"merge_confirmation": "Замінити <i>{source}</i> на <i>{target}</i>",
|
"mealplan_autoinclude_related": "Додати Пов'язані Рецепти",
|
||||||
"merge_selection": "",
|
"mealplan_autoinclude_related_desc": "",
|
||||||
"merge_title": "Об'єднати {type}",
|
"merge_confirmation": "Замінити <i>{source}</i> на <i>{target}</i>",
|
||||||
"min": "хв",
|
"merge_selection": "",
|
||||||
"move_confirmation": "Перемістити <i>{child}</i> до батька <i>{parent}</i>",
|
"merge_title": "Об'єднати {type}",
|
||||||
"move_selection": "",
|
"min": "хв",
|
||||||
"move_title": "Перемістити {type}",
|
"move_confirmation": "Перемістити <i>{child}</i> до батька <i>{parent}</i>",
|
||||||
"no_more_images_found": "",
|
"move_selection": "",
|
||||||
"no_pinned_recipes": "",
|
"move_title": "Перемістити {type}",
|
||||||
"not": "",
|
"no_more_images_found": "",
|
||||||
"nothing": "",
|
"no_pinned_recipes": "",
|
||||||
"nothing_planned_today": "",
|
"not": "",
|
||||||
"one_url_per_line": "Одна URL на лінію",
|
"nothing": "",
|
||||||
"or": "або",
|
"nothing_planned_today": "",
|
||||||
"parameter_count": "",
|
"one_url_per_line": "Одна URL на лінію",
|
||||||
"paste_ingredients": "",
|
"or": "або",
|
||||||
"paste_ingredients_placeholder": "",
|
"parameter_count": "",
|
||||||
"paste_json": "",
|
"paste_ingredients": "",
|
||||||
"plural_short": "",
|
"paste_ingredients_placeholder": "",
|
||||||
"plural_usage_info": "",
|
"paste_json": "",
|
||||||
"recipe_filter": "",
|
"plural_short": "",
|
||||||
"recipe_name": "",
|
"plural_usage_info": "",
|
||||||
"related_recipes": "",
|
"recipe_filter": "",
|
||||||
"remember_hours": "",
|
"recipe_name": "",
|
||||||
"remember_search": "",
|
"related_recipes": "",
|
||||||
"remove_selection": "",
|
"remember_hours": "",
|
||||||
"reset_children": "",
|
"remember_search": "",
|
||||||
"reset_children_help": "",
|
"remove_selection": "",
|
||||||
"reusable_help_text": "Запрошувальне посилання має бути тільки для одного користувача.",
|
"reset_children": "",
|
||||||
"review_shopping": "",
|
"reset_children_help": "",
|
||||||
"save_filter": "",
|
"reusable_help_text": "Запрошувальне посилання має бути тільки для одного користувача.",
|
||||||
"search_create_help_text": "",
|
"review_shopping": "",
|
||||||
"search_import_help_text": "",
|
"save_filter": "",
|
||||||
"search_no_recipes": "",
|
"search_create_help_text": "",
|
||||||
"search_rank": "",
|
"search_import_help_text": "",
|
||||||
"select_file": "",
|
"search_no_recipes": "",
|
||||||
"select_food": "",
|
"search_rank": "",
|
||||||
"select_keyword": "",
|
"select_file": "",
|
||||||
"select_recipe": "",
|
"select_food": "",
|
||||||
"select_unit": "",
|
"select_keyword": "",
|
||||||
"shared_with": "",
|
"select_recipe": "",
|
||||||
"shopping_add_onhand": "",
|
"select_unit": "",
|
||||||
"shopping_add_onhand_desc": "",
|
"shared_with": "",
|
||||||
"shopping_auto_sync": "Автосинхронізація",
|
"shopping_add_onhand": "",
|
||||||
"shopping_auto_sync_desc": "",
|
"shopping_add_onhand_desc": "",
|
||||||
"shopping_category_help": "",
|
"shopping_auto_sync": "Автосинхронізація",
|
||||||
"shopping_recent_days": "",
|
"shopping_auto_sync_desc": "",
|
||||||
"shopping_recent_days_desc": "",
|
"shopping_category_help": "",
|
||||||
"shopping_share": "Поділитися Списком Покупок",
|
"shopping_recent_days": "",
|
||||||
"shopping_share_desc": "Користувачі будуть бачати всі елементи, які ви додаєте до списку покупок. Вони мають додати вас, щоб бачати елементи в їх списках.",
|
"shopping_recent_days_desc": "",
|
||||||
"show_books": "",
|
"shopping_share": "Поділитися Списком Покупок",
|
||||||
"show_filters": "",
|
"shopping_share_desc": "Користувачі будуть бачати всі елементи, які ви додаєте до списку покупок. Вони мають додати вас, щоб бачати елементи в їх списках.",
|
||||||
"show_foods": "",
|
"show_books": "",
|
||||||
"show_keywords": "",
|
"show_filters": "",
|
||||||
"show_only_internal": "Показати тільки внутрішні рецепти",
|
"show_foods": "",
|
||||||
"show_rating": "",
|
"show_keywords": "",
|
||||||
"show_sortby": "",
|
"show_only_internal": "Показати тільки внутрішні рецепти",
|
||||||
"show_split_screen": "",
|
"show_rating": "",
|
||||||
"show_sql": "",
|
"show_sortby": "",
|
||||||
"show_units": "",
|
"show_split_screen": "",
|
||||||
"simple_mode": "",
|
"show_sql": "",
|
||||||
"sort_by": "",
|
"show_units": "",
|
||||||
"sql_debug": "",
|
"simple_mode": "",
|
||||||
"step_time_minutes": "Час кроку в хвилинах",
|
"sort_by": "",
|
||||||
"substitute_children": "",
|
"sql_debug": "",
|
||||||
"substitute_children_help": "",
|
"step_time_minutes": "Час кроку в хвилинах",
|
||||||
"substitute_help": "",
|
"substitute_children": "",
|
||||||
"substitute_siblings": "",
|
"substitute_children_help": "",
|
||||||
"substitute_siblings_help": "",
|
"substitute_help": "",
|
||||||
"success_creating_resource": "Успішно створено ресурс!",
|
"substitute_siblings": "",
|
||||||
"success_deleting_resource": "Успішно видалено ресурс!",
|
"substitute_siblings_help": "",
|
||||||
"success_fetching_resource": "Успішно отримано ресурс!",
|
"success_creating_resource": "Успішно створено ресурс!",
|
||||||
"success_merging_resource": "Успішно злито ресурс!",
|
"success_deleting_resource": "Успішно видалено ресурс!",
|
||||||
"success_moving_resource": "Успішно переміщено ресурс!",
|
"success_fetching_resource": "Успішно отримано ресурс!",
|
||||||
"success_updating_resource": "Успішно оновлено ресурс!",
|
"success_merging_resource": "Успішно злито ресурс!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "Успішно переміщено ресурс!",
|
||||||
"times_cooked": "",
|
"success_updating_resource": "Успішно оновлено ресурс!",
|
||||||
"today_recipes": "",
|
"theUsernameCannotBeChanged": "",
|
||||||
"tree_root": "Корінь Дерева",
|
"times_cooked": "",
|
||||||
"tree_select": "",
|
"today_recipes": "",
|
||||||
"updatedon": "",
|
"tree_root": "Корінь Дерева",
|
||||||
"view_recipe": "",
|
"tree_select": "",
|
||||||
"warning_duplicate_filter": "",
|
"updatedon": "",
|
||||||
"warning_feature_beta": "Ця функція зараз в БЕТІ (тестується). Будь ласка, очікуйте помилок і можливих порушень і майбутньому (можлива втрата даних), коли користуєтесь цією функцією.",
|
"view_recipe": "",
|
||||||
"warning_space_delete": "Ви можете видалити ваш простір разом зі всіма рецептами, списками покупок, планами харчування і всім іншим, що ви створили. Ця дія незворотня! Ви впевнені, що бажаєте це зробити?"
|
"warning_duplicate_filter": "",
|
||||||
|
"warning_feature_beta": "Ця функція зараз в БЕТІ (тестується). Будь ласка, очікуйте помилок і можливих порушень і майбутньому (можлива втрата даних), коли користуєтесь цією функцією.",
|
||||||
|
"warning_space_delete": "Ви можете видалити ваш простір разом зі всіма рецептами, списками покупок, планами харчування і всім іншим, що ви створили. Ця дія незворотня! Ви впевнені, що бажаєте це зробити?"
|
||||||
}
|
}
|
||||||
File diff suppressed because it is too large
Load Diff
@@ -1,121 +1,123 @@
|
|||||||
{
|
{
|
||||||
"Add": "",
|
"Access_Token": "",
|
||||||
"Add_nutrition_recipe": "為食譜添加營養資訊",
|
"Add": "",
|
||||||
"Add_to_Plan": "加入計劃",
|
"Add_nutrition_recipe": "為食譜添加營養資訊",
|
||||||
"Add_to_Shopping": "加入購物清單",
|
"Add_to_Plan": "加入計劃",
|
||||||
"Books": "",
|
"Add_to_Shopping": "加入購物清單",
|
||||||
"Calories": "",
|
"Books": "",
|
||||||
"Cancel": "",
|
"Calories": "",
|
||||||
"Carbohydrates": "",
|
"Cancel": "",
|
||||||
"Categories": "",
|
"Carbohydrates": "",
|
||||||
"Category": "",
|
"Categories": "",
|
||||||
"Close": "",
|
"Category": "",
|
||||||
"Copy": "",
|
"Close": "",
|
||||||
"Copy_template_reference": "複製參考模板",
|
"Copy": "",
|
||||||
"Create": "",
|
"Copy_template_reference": "複製參考模板",
|
||||||
"Date": "",
|
"Create": "",
|
||||||
"Delete": "",
|
"Date": "",
|
||||||
"Download": "",
|
"Delete": "",
|
||||||
"Edit": "",
|
"DeleteConfirmQuestion": "",
|
||||||
"Energy": "",
|
"Download": "",
|
||||||
"Export": "",
|
"Edit": "",
|
||||||
"External": "",
|
"Energy": "",
|
||||||
"External_Recipe_Image": "外部食譜圖片",
|
"Export": "",
|
||||||
"Failure": "",
|
"External": "",
|
||||||
"Fats": "",
|
"External_Recipe_Image": "外部食譜圖片",
|
||||||
"File": "",
|
"Failure": "",
|
||||||
"Files": "",
|
"Fats": "",
|
||||||
"Hide_as_header": "隱藏為標題",
|
"File": "",
|
||||||
"Import": "",
|
"Files": "",
|
||||||
"Import_finished": "匯入完成",
|
"Hide_as_header": "隱藏為標題",
|
||||||
"Information": "",
|
"Import": "",
|
||||||
"Ingredients": "",
|
"Import_finished": "匯入完成",
|
||||||
"Keywords": "",
|
"Information": "",
|
||||||
"Link": "",
|
"Ingredients": "",
|
||||||
"Load_More": "",
|
"Keywords": "",
|
||||||
"Log_Cooking": "",
|
"Link": "",
|
||||||
"Log_Recipe_Cooking": "記錄食譜烹飪",
|
"Load_More": "",
|
||||||
"Manage_Books": "管理書籍",
|
"Log_Cooking": "",
|
||||||
"Meal_Plan": "膳食計劃",
|
"Log_Recipe_Cooking": "記錄食譜烹飪",
|
||||||
"New": "",
|
"Manage_Books": "管理書籍",
|
||||||
"New_Recipe": "",
|
"Meal_Plan": "膳食計劃",
|
||||||
"Nutrition": "",
|
"New": "",
|
||||||
"Ok": "",
|
"New_Recipe": "",
|
||||||
"Open": "",
|
"Nutrition": "",
|
||||||
"Plural": "",
|
"Ok": "",
|
||||||
"Preferences": "",
|
"Open": "",
|
||||||
"Preparation": "",
|
"Plural": "",
|
||||||
"Print": "",
|
"Preferences": "",
|
||||||
"Profile": "",
|
"Preparation": "",
|
||||||
"Proteins": "",
|
"Print": "",
|
||||||
"Rating": "",
|
"Profile": "",
|
||||||
"Recently_Viewed": "",
|
"Proteins": "",
|
||||||
"Recipe_Image": "食譜圖片",
|
"Rating": "",
|
||||||
"Recipes_per_page": "每頁食譜",
|
"Recently_Viewed": "",
|
||||||
"Remove": "",
|
"Recipe_Image": "食譜圖片",
|
||||||
"Remove_nutrition_recipe": "從食譜中刪除營養資訊",
|
"Recipes_per_page": "每頁食譜",
|
||||||
"Reset_Search": "",
|
"Remove": "",
|
||||||
"Save": "",
|
"Remove_nutrition_recipe": "從食譜中刪除營養資訊",
|
||||||
"Save_and_View": "儲存並查看",
|
"Reset_Search": "",
|
||||||
"Search": "",
|
"Save": "",
|
||||||
"Select_Book": "選擇書籍",
|
"Save_and_View": "儲存並查看",
|
||||||
"Select_File": "選擇檔案",
|
"Search": "",
|
||||||
"Selected": "",
|
"Select_Book": "選擇書籍",
|
||||||
"Servings": "",
|
"Select_File": "選擇檔案",
|
||||||
"Settings": "",
|
"Selected": "",
|
||||||
"Share": "",
|
"Servings": "",
|
||||||
"Show_as_header": "顯示為標題",
|
"Settings": "",
|
||||||
"Size": "",
|
"Share": "",
|
||||||
"Sort_by_new": "按最新排序",
|
"Show_as_header": "顯示為標題",
|
||||||
"SpaceMembers": "",
|
"Size": "",
|
||||||
"SpaceSettings": "",
|
"Sort_by_new": "按最新排序",
|
||||||
"Step": "",
|
"SpaceMembers": "",
|
||||||
"Step_start_time": "步驟開始時間",
|
"SpaceSettings": "",
|
||||||
"Success": "",
|
"Step": "",
|
||||||
"Supermarket": "",
|
"Step_start_time": "步驟開始時間",
|
||||||
"System": "",
|
"Success": "",
|
||||||
"Table_of_Contents": "目錄",
|
"Supermarket": "",
|
||||||
"Url_Import": "",
|
"System": "",
|
||||||
"Use_Plural_Food_Always": "",
|
"Table_of_Contents": "目錄",
|
||||||
"Use_Plural_Food_Simple": "",
|
"Url_Import": "",
|
||||||
"Use_Plural_Unit_Always": "",
|
"Use_Plural_Food_Always": "",
|
||||||
"Use_Plural_Unit_Simple": "",
|
"Use_Plural_Food_Simple": "",
|
||||||
"View_Recipes": "",
|
"Use_Plural_Unit_Always": "",
|
||||||
"Waiting": "",
|
"Use_Plural_Unit_Simple": "",
|
||||||
"YourSpaces": "",
|
"View_Recipes": "",
|
||||||
"active": "",
|
"Waiting": "",
|
||||||
"all_fields_optional": "所有欄位都是可選的,可以留空。",
|
"YourSpaces": "",
|
||||||
"and": "",
|
"active": "",
|
||||||
"confirm_delete": "您確定要刪除這個{object}嗎?",
|
"all_fields_optional": "所有欄位都是可選的,可以留空。",
|
||||||
"convert_internal": "轉換為內部食譜",
|
"and": "",
|
||||||
"created_by": "",
|
"confirm_delete": "您確定要刪除這個{object}嗎?",
|
||||||
"err_creating_resource": "創建資源時發生錯誤!",
|
"convert_internal": "轉換為內部食譜",
|
||||||
"err_deleting_protected_resource": "您嘗試刪除的對象仍在使用中,無法刪除。",
|
"created_by": "",
|
||||||
"err_deleting_resource": "刪除資源時發生錯誤!",
|
"err_creating_resource": "創建資源時發生錯誤!",
|
||||||
"err_fetching_resource": "獲取資源時發生錯誤!",
|
"err_deleting_protected_resource": "您嘗試刪除的對象仍在使用中,無法刪除。",
|
||||||
"err_importing_recipe": "匯入食譜時發生錯誤!",
|
"err_deleting_resource": "刪除資源時發生錯誤!",
|
||||||
"err_merging_resource": "合併資源時發生錯誤!",
|
"err_fetching_resource": "獲取資源時發生錯誤!",
|
||||||
"err_moving_resource": "移動資源時發生錯誤!",
|
"err_importing_recipe": "匯入食譜時發生錯誤!",
|
||||||
"err_updating_resource": "更新資源時發生錯誤!",
|
"err_merging_resource": "合併資源時發生錯誤!",
|
||||||
"file_upload_disabled": "您的空間未啟用檔案上傳功能。",
|
"err_moving_resource": "移動資源時發生錯誤!",
|
||||||
"food_inherit_info": "食物上應該預設繼承的欄位。",
|
"err_updating_resource": "更新資源時發生錯誤!",
|
||||||
"import_running": "正在進行匯入,請稍候!",
|
"file_upload_disabled": "您的空間未啟用檔案上傳功能。",
|
||||||
"min": "",
|
"food_inherit_info": "食物上應該預設繼承的欄位。",
|
||||||
"or": "",
|
"import_running": "正在進行匯入,請稍候!",
|
||||||
"per_serving": "每份",
|
"min": "",
|
||||||
"plural_short": "",
|
"or": "",
|
||||||
"plural_usage_info": "",
|
"per_serving": "每份",
|
||||||
"recipe_property_info": "您也可以為食材添加屬性,以便根據您的食譜自動計算它們!",
|
"plural_short": "",
|
||||||
"show_only_internal": "僅顯示內部食譜",
|
"plural_usage_info": "",
|
||||||
"show_split_screen": "分割視圖",
|
"recipe_property_info": "您也可以為食材添加屬性,以便根據您的食譜自動計算它們!",
|
||||||
"step_time_minutes": "步驟時間(以分鐘為單位)",
|
"show_only_internal": "僅顯示內部食譜",
|
||||||
"success_creating_resource": "成功創建資源!",
|
"show_split_screen": "分割視圖",
|
||||||
"success_deleting_resource": "成功刪除資源!",
|
"step_time_minutes": "步驟時間(以分鐘為單位)",
|
||||||
"success_fetching_resource": "成功獲取資源!",
|
"success_creating_resource": "成功創建資源!",
|
||||||
"success_merging_resource": "成功合併資源!",
|
"success_deleting_resource": "成功刪除資源!",
|
||||||
"success_moving_resource": "成功移動資源!",
|
"success_fetching_resource": "成功獲取資源!",
|
||||||
"success_updating_resource": "成功更新資源!",
|
"success_merging_resource": "成功合併資源!",
|
||||||
"theUsernameCannotBeChanged": "",
|
"success_moving_resource": "成功移動資源!",
|
||||||
"warning_feature_beta": "此功能目前處於測試階段 (BETA)。使用此功能時,請預期可能會有漏洞和破壞性變更,未來可能會丟失與功能相關的數據。",
|
"success_updating_resource": "成功更新資源!",
|
||||||
"warning_space_delete": "您可以刪除您的空間,包括所有食譜、購物清單、餐飲計畫以及其他您創建的內容。此操作無法撤銷!您確定要這樣做嗎?"
|
"theUsernameCannotBeChanged": "",
|
||||||
|
"warning_feature_beta": "此功能目前處於測試階段 (BETA)。使用此功能時,請預期可能會有漏洞和破壞性變更,未來可能會丟失與功能相關的數據。",
|
||||||
|
"warning_space_delete": "您可以刪除您的空間,包括所有食譜、購物清單、餐飲計畫以及其他您創建的內容。此操作無法撤銷!您確定要這樣做嗎?"
|
||||||
}
|
}
|
||||||
Reference in New Issue
Block a user