mirror of
https://github.com/mealie-recipes/mealie.git
synced 2026-02-26 09:43:19 -05:00
Compare commits
61 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
d639d168fa | ||
|
|
7931e383b2 | ||
|
|
7bfb8c78a6 | ||
|
|
9a2b2a59a2 | ||
|
|
0c0ff8f19d | ||
|
|
6bbd9a162e | ||
|
|
4d6fc9a4c9 | ||
|
|
53c89b340a | ||
|
|
dc64484b8e | ||
|
|
aabab73310 | ||
|
|
542d0e5218 | ||
|
|
a3a21eb533 | ||
|
|
b0cc7c4c25 | ||
|
|
e80ba7dff3 | ||
|
|
bdac51bae2 | ||
|
|
f4827abc1d | ||
|
|
63a180ef2c | ||
|
|
a062a4beaa | ||
|
|
4831adb0f3 | ||
|
|
97550899d0 | ||
|
|
da11204cd7 | ||
|
|
9795b4c553 | ||
|
|
3e1adfa65d | ||
|
|
88214cd61f | ||
|
|
f1b53483da | ||
|
|
5ccac83d08 | ||
|
|
5594b303bc | ||
|
|
58100d0515 | ||
|
|
e2033b2d67 | ||
|
|
5e0f8a4bf7 | ||
|
|
477899fce3 | ||
|
|
04d481fcbf | ||
|
|
5572e51933 | ||
|
|
44915ace12 | ||
|
|
906a143363 | ||
|
|
c41bfbab1e | ||
|
|
69fca013d8 | ||
|
|
24a17e4001 | ||
|
|
6cbd004fb9 | ||
|
|
5d8210d570 | ||
|
|
8d6dc1c6ee | ||
|
|
0e520ba43c | ||
|
|
a9b40cd862 | ||
|
|
ba48e9414c | ||
|
|
72aa1b2514 | ||
|
|
b4f07f9d62 | ||
|
|
eb36912e5c | ||
|
|
d923b4c7fa | ||
|
|
4ecf88379c | ||
|
|
857c8d42e2 | ||
|
|
982802c427 | ||
|
|
4d1381c055 | ||
|
|
adab596683 | ||
|
|
e08fc4e25e | ||
|
|
e8ee37fd43 | ||
|
|
bfe249dc42 | ||
|
|
15989e0c93 | ||
|
|
9af06ce442 | ||
|
|
22fc29742a | ||
|
|
20b1b3de35 | ||
|
|
82d930e645 |
6
.github/workflows/codeql.yml
vendored
6
.github/workflows/codeql.yml
vendored
@@ -49,7 +49,7 @@ jobs:
|
||||
|
||||
# Initializes the CodeQL tools for scanning.
|
||||
- name: Initialize CodeQL
|
||||
uses: github/codeql-action/init@v2
|
||||
uses: github/codeql-action/init@v3
|
||||
with:
|
||||
languages: ${{ matrix.language }}
|
||||
# If you wish to specify custom queries, you can do so here or in a config file.
|
||||
@@ -63,7 +63,7 @@ jobs:
|
||||
# Autobuild attempts to build any compiled languages (C/C++, C#, Go, Java, or Swift).
|
||||
# If this step fails, then you should remove it and run the build manually (see below)
|
||||
- name: Autobuild
|
||||
uses: github/codeql-action/autobuild@v2
|
||||
uses: github/codeql-action/autobuild@v3
|
||||
|
||||
# ℹ️ Command-line programs to run using the OS shell.
|
||||
# 📚 See https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#jobsjob_idstepsrun
|
||||
@@ -76,6 +76,6 @@ jobs:
|
||||
# ./location_of_script_within_repo/buildscript.sh
|
||||
|
||||
- name: Perform CodeQL Analysis
|
||||
uses: github/codeql-action/analyze@v2
|
||||
uses: github/codeql-action/analyze@v3
|
||||
with:
|
||||
category: "/language:${{matrix.language}}"
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
repos:
|
||||
- repo: https://github.com/pre-commit/pre-commit-hooks
|
||||
rev: v2.3.0
|
||||
rev: v4.6.0
|
||||
hooks:
|
||||
- id: check-yaml
|
||||
exclude: "mkdocs.yml"
|
||||
@@ -12,6 +12,6 @@ repos:
|
||||
exclude: ^tests/data/
|
||||
- repo: https://github.com/astral-sh/ruff-pre-commit
|
||||
# Ruff version.
|
||||
rev: v0.4.3
|
||||
rev: v0.5.0
|
||||
hooks:
|
||||
- id: ruff-format
|
||||
|
||||
@@ -0,0 +1,48 @@
|
||||
"""Add staple flag to foods
|
||||
|
||||
Revision ID: 32d69327997b
|
||||
Revises: 7788478a0338
|
||||
Create Date: 2024-06-22 10:17:03.323966
|
||||
|
||||
"""
|
||||
|
||||
import sqlalchemy as sa
|
||||
from sqlalchemy import orm
|
||||
|
||||
from alembic import op
|
||||
|
||||
|
||||
# revision identifiers, used by Alembic.
|
||||
revision = "32d69327997b"
|
||||
down_revision = "7788478a0338"
|
||||
branch_labels = None
|
||||
depends_on = None
|
||||
|
||||
|
||||
def is_postgres():
|
||||
return op.get_context().dialect.name == "postgresql"
|
||||
|
||||
|
||||
def upgrade():
|
||||
with op.batch_alter_table("ingredient_foods") as batch_op:
|
||||
batch_op.add_column(sa.Column("on_hand", sa.Boolean(), nullable=True, default=False))
|
||||
|
||||
bind = op.get_bind()
|
||||
session = orm.Session(bind=bind)
|
||||
|
||||
with session:
|
||||
if is_postgres():
|
||||
stmt = "UPDATE ingredient_foods SET on_hand = FALSE;"
|
||||
else:
|
||||
stmt = "UPDATE ingredient_foods SET on_hand = 0;"
|
||||
|
||||
session.execute(sa.text(stmt))
|
||||
|
||||
# forbid nulls after migration
|
||||
with op.batch_alter_table("ingredient_foods") as batch_op:
|
||||
batch_op.alter_column("on_hand", nullable=False)
|
||||
|
||||
|
||||
def downgrade():
|
||||
with op.batch_alter_table("ingredient_foods") as batch_op:
|
||||
batch_op.drop_column("on_hand")
|
||||
@@ -104,7 +104,6 @@ COPY --from=crfpp /usr/local/bin/crf_test /usr/local/bin/crf_test
|
||||
# copy backend
|
||||
COPY ./mealie $MEALIE_HOME/mealie
|
||||
COPY ./poetry.lock ./pyproject.toml $MEALIE_HOME/
|
||||
COPY ./gunicorn_conf.py $MEALIE_HOME
|
||||
|
||||
# Alembic
|
||||
COPY ./alembic $MEALIE_HOME/alembic
|
||||
|
||||
@@ -25,12 +25,6 @@ services:
|
||||
POSTGRES_PORT: 5432
|
||||
POSTGRES_DB: mealie
|
||||
|
||||
# =====================================
|
||||
# Web Concurrency
|
||||
WEB_GUNICORN: "false"
|
||||
WORKERS_PER_CORE: 0.5
|
||||
MAX_WORKERS: 1
|
||||
WEB_CONCURRENCY: 1
|
||||
# =====================================
|
||||
# Email Configuration
|
||||
# SMTP_HOST=
|
||||
|
||||
@@ -37,14 +37,8 @@ init() {
|
||||
|
||||
change_user
|
||||
init
|
||||
GUNICORN_PORT=${API_PORT:-9000}
|
||||
|
||||
# Start API
|
||||
HOST_IP=`/sbin/ip route|awk '/default/ { print $3 }'`
|
||||
|
||||
if [ "$WEB_GUNICORN" = 'true' ]; then
|
||||
echo "Starting Gunicorn"
|
||||
exec gunicorn mealie.app:app -b 0.0.0.0:$GUNICORN_PORT --forwarded-allow-ips=$HOST_IP -k uvicorn.workers.UvicornWorker -c /app/gunicorn_conf.py --preload
|
||||
else
|
||||
exec python /app/mealie/main.py
|
||||
fi
|
||||
exec python /app/mealie/main.py
|
||||
|
||||
@@ -1,88 +0,0 @@
|
||||
# v0.1.0 - Initial Beta
|
||||
|
||||
### Bug Fixes
|
||||
- Fixed Can't delete recipe after changing name - Closes Closes #67
|
||||
- Fixed No image when added by URL, and can't add an image - Closes Closes #66
|
||||
- Fixed Images saved with no way to delete when add recipe via URL fails - Closes Closes #43
|
||||
|
||||
### Features
|
||||
- Additional Language Support
|
||||
- Improved deployment documentation
|
||||
- Additional database! SQlite is now supported! - Closes #48
|
||||
- All site data is now backed up.
|
||||
- Support for Prep Time, Total Time, and Cook Time field - Closes #63
|
||||
- New backup import process with support for themes and site settings
|
||||
- **BETA** ARM support! - Closes #69
|
||||
|
||||
### Code / Developer Improvements
|
||||
- Unified Database Access Layers
|
||||
- Poetry / pyproject.toml support over requirements.txt
|
||||
- Local development without database is now possible!
|
||||
- Local mkdocs server added to docker-compose.dev.yml
|
||||
- Major code refactoring to support new database layer
|
||||
- Global variable refactor
|
||||
|
||||
### Breaking Changes
|
||||
|
||||
- Internal docker port is now 80 instead of 9000. You MUST remap the internal port to connect to the UI.
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
As I've adopted the SQL database model I find that using 2 different types of databases will inevitably hinder development. As such after release v0.1.0 support for mongoDB will no longer be available. Prior to upgrading to v0.2.0 you will need to export your site and import after updating. This should be a painless process and require minimal intervention on the users part. Moving forward we will do our best to minimize changes that require user intervention like this and make updates a smooth process.
|
||||
|
||||
|
||||
## v0.0.2 - Pre-release Second Patch
|
||||
A quality update with major props to [zackbcom](https://github.com/zackbcom) for working hard on making the theming just that much better!
|
||||
|
||||
### Bug Fixes
|
||||
- Fixed empty backup failure without markdown template
|
||||
- Fixed opacity issues with marked steps - [mtoohey31](https://github.com/mtoohey31)
|
||||
- Fixed hot-reloading development environment - [grssmnn](https://github.com/grssmnn)
|
||||
- Fixed recipe not saving without image - Closes #7 + Closes #54
|
||||
- Fixed parsing error on image property null - Closes #43
|
||||
|
||||
### General Improvements
|
||||
- Added Confirmation component to deleting recipes - [zackbcom](https://github.com/zackbcom)
|
||||
- Updated Theme backend - [zackbcom](https://github.com/zackbcom)
|
||||
- Added Persistent storage to vuex - [zackbcom](https://github.com/zackbcom)
|
||||
- General Color/Theme Improvements
|
||||
- More consistent UI
|
||||
- More minimalist coloring
|
||||
- Added API key extras to Recipe Data - [See Documentation](/api/api-usage/)
|
||||
- Users can now add custom json key/value pairs to all recipes via the editor for access in 3rd part applications. For example users can add a "message" field in the extras that can be accessed on API calls to play a message over google home.
|
||||
- Improved image rendering (nearly x2 speed)
|
||||
- Improved documentation + API Documentation
|
||||
- Improved recipe parsing - Closes #51
|
||||
- User feedback on backup importing
|
||||
|
||||
## v0.0.1 - Pre-release Patch
|
||||
### General
|
||||
- Updated Favicon
|
||||
- Renamed Frontend Window
|
||||
- Added Debug folder to dump scraper data prior to processing.
|
||||
|
||||
### Recipes
|
||||
- Added user feedback on bad URL
|
||||
- Better backend data validation for updating recipes, avoid small syntax errors corrupting database entry. [Closes #8](https://github.com/mealie-recipes/mealie/issues/8)
|
||||
- Fixed spacing Closes while editing new recipes in JSON
|
||||
|
||||
## v0.0.0 - Initial Pre-release
|
||||
The initial pre-release. It should be semi-functional but does not include a lot of user feedback You may notice errors that have no user feedback and have no idea what went wrong.
|
||||
|
||||
### Recipes
|
||||
- Automatic web scrapping for common recipe platforms
|
||||
- Interactive API Documentation thanks to [FastAPI](https://fastapi.tiangolo.com/) and [Swagger](https://petstore.swagger.io/)
|
||||
- UI Recipe Editor
|
||||
- JSON Recipe Editor in browser
|
||||
- Custom tags and categories
|
||||
- Rate recipes
|
||||
- Add notes to recipes
|
||||
- Migration From Other Platforms
|
||||
- Chowdown
|
||||
### Meal Planner
|
||||
- Random Meal plan generation based off categories
|
||||
- Expose notes in the API to allow external applications to access relevant information for meal plans
|
||||
|
||||
### Database Import / Export
|
||||
- Easily Import / Export your recipes from the UI
|
||||
- Export recipes in markdown format for universal access
|
||||
- Use the default or a custom jinja2 template
|
||||
@@ -1,72 +0,0 @@
|
||||
# v0.2.1 - Hot Fixes!
|
||||
|
||||
### Features and Improvements
|
||||
- Fixes upload image error when no photo was scrapped
|
||||
- Fixes no last_recipe.json not updating
|
||||
- Added markdown rendering for notes
|
||||
- New notifications
|
||||
- Minor UI improvements
|
||||
- Recipe editor refactor
|
||||
- Settings/Theme models refactor
|
||||
|
||||
### Development / Misc
|
||||
- Added async file response for images, downloading files.
|
||||
- Breakup recipe view component
|
||||
|
||||
# v0.2.0 - Now with Test!
|
||||
This is, what I think, is a big release! Tons of new features and some great quality of life improvements with some additional features. You may find that I made promises to include some fixes/features in v0.2.0. The short of is I greatly underestimated the work needed to refactor the database to a usable state and integrate categories in a way that is useful for users. This shouldn't be taken as a sign that I'm dropping those feature requests or ignoring them. I felt it was better to push a release in the current state rather than drag on development to try and fulfil all of the promises I made.
|
||||
|
||||
!!! warning "Upgrade Process"
|
||||
Database Breaks! I have not yet implemented a database migration service. As such, upgrades cannot be done by simply pulling the image. You must first export your recipes, update your deployment, and then import your recipes. This pattern is likely to be how upgrades take place prior to v1.0. After v1.0 migrations will be done automatically.
|
||||
|
||||
### Bug Fixes
|
||||
- Remove ability to save recipe with no name
|
||||
- Fixed data validation error on missing parameters
|
||||
- Fixed failed database initialization at startup - Closes #98
|
||||
- Fixed misaligned text on various cards
|
||||
- Fixed bug that blocked opening links in new tabs - Closes #122
|
||||
- Fixed router link bugs - Closes #122
|
||||
- Fixed navigation on keyboard selection - Closes #139
|
||||
|
||||
### Features and Improvements
|
||||
- 🐳 Dockerfile now 1/5 of the size!
|
||||
- 🌎 UI Language Selection + Additional Supported Language
|
||||
- **Home Page**
|
||||
- By default your homepage will display only the recently added recipes. You can configured sections to show on the home-screen based of categories on the settings page.
|
||||
- A new sidebar is now shown on the main page that lists all the categories in the database. Clicking on them navigates into a page that shows only recipes.
|
||||
- Basic Sort functionality has been added. More options are on the way!
|
||||
- **Meal Planner**
|
||||
- Improved Search (Fuzzy Search)
|
||||
- New Scheduled card support
|
||||
- **Recipe Editor**
|
||||
- Ingredients are now sortable via drag-and-drop
|
||||
- Known categories now show up in the dropdown - Closes 83
|
||||
- Initial code for data validation to prevent errors
|
||||
- **Migrations**
|
||||
- Card based redesign
|
||||
- Upload from the UI
|
||||
- Unified Chowdown / Nextcloud import process. (Removed Git as a dependency)
|
||||
- **API**
|
||||
- Category and Tag endpoints added
|
||||
- Major Endpoint refactor
|
||||
- Improved API documentation
|
||||
- Link to your Local API is now on your `/settings/site`. You can use it to explore your API.
|
||||
|
||||
- **Style**
|
||||
- Continued work on button/style unification
|
||||
- Adding icons to buttons
|
||||
- New Color Theme Picker UI
|
||||
|
||||
### Development
|
||||
- Fixed Vetur config file. Autocomplete in VSCode works!
|
||||
- File/Folder restructuring
|
||||
- Added Prettier config
|
||||
- Fixed incorrect layout code
|
||||
- FastAPI Route tests for major operations - WIP (shallow testing)
|
||||
|
||||
### Breaking Changes
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
- API endpoints have been refactored to adhere to a more consistent standard. This is a WIP and more changes are likely to occur.
|
||||
- Officially Dropped MongoDB Support
|
||||
- Database Breaks! We have not yet implemented a database migration service. As such, upgrades cannot be done by simply pulling the image. You must first export your recipes, update your deployment, and then import your recipes. This pattern is likely to be how upgrades take place prior to v1.0. After v1.0 migrations will be done automatically.
|
||||
@@ -1,29 +0,0 @@
|
||||
# v0.3.0
|
||||
|
||||
### Bug Fixes
|
||||
- Fixed open search on `/` when in input. - Closes #174
|
||||
- Error when importing recipe: KeyError: '@type' - Closes #145
|
||||
- Fixed Import Issue - bhg.com - Closes #138
|
||||
- Scraper not working with recipe containing HowToSection - Closes #73
|
||||
|
||||
### Features and Improvements
|
||||
- Improved Nextcloud Imports
|
||||
- Improved Recipe Parser!
|
||||
- Open search with `/` hotkey!
|
||||
- Database and App version are now split
|
||||
- Unified and improved snackbar notifications
|
||||
- New Category/Tag endpoints to filter all recipes by Category or Tag
|
||||
- Category sidebar now has show/hide behavior on mobile
|
||||
- Settings menu on mobile is improved
|
||||
- **Meal Planner**
|
||||
- You can now restrict recipe categories used for random meal-plan creation in the settings menu
|
||||
- Recipe picker dialog will now display recipes when the search bar is empty
|
||||
- Minor UI improvements
|
||||
- **Shopping lists!** Shopping list can now be generated from a meal plan. Currently ingredients are split by recipes or there is a beta feature that attempts to sort them by similarity.
|
||||
- **Recipe Viewer**
|
||||
- Categories, Tags, and Notes will now be displayed below the steps on smaller screens
|
||||
- **Recipe Editor**
|
||||
- Text areas now auto grow to fit content
|
||||
- Description, Steps, and Notes support Markdown! This includes inline html in Markdown.
|
||||
- **Imports**
|
||||
- A revamped dialog has been created to provide more information on restoring backups. Exceptions on the backend are now sent to the frontend and are easily viewable to see what went wrong when you restored a backup. This functionality will be ported over to the migrations in a future release.
|
||||
@@ -1,86 +0,0 @@
|
||||
# v0.4.0 Whoa, What a Release!
|
||||
|
||||
**App Version: v0.4.0**
|
||||
|
||||
**Database Version: v0.4.0**
|
||||
|
||||
## Breaking Changes
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
|
||||
#### Database
|
||||
A new database will be created. You must export your data and then import it after upgrading.
|
||||
|
||||
#### Site Settings
|
||||
With the addition of group settings and a re-write of the database layer of the application backend, there is no migration path for your current site settings. Webhooks Settings, Meal Plan Categories are now managed by groups. Site settings, mainly homepage settings, are now site specific and managed by administrators. When upgrading be sure to uncheck the settings when importing your old data.
|
||||
|
||||
#### ENV Variables
|
||||
Names have been changed to be more consistent with industry standards. See the [Installation Page](/mealie/getting-started/install/) for new parameters.
|
||||
|
||||
## Bug Fixes
|
||||
- Fixed Search Results Limited to 100 - #198
|
||||
- Fixed recipes from marmiton.org not fully scrapped - #196
|
||||
- Fixed Unable to get a page to load - #194
|
||||
- Fixed Recipe's from Epicurious don't upload. - #193
|
||||
- Fixed Edited blank recipe in meal plan is not saved - #184
|
||||
- Fixed Create a new meal plan allows selection of an end date that is prior to the start date - #183
|
||||
- Fixed Original URL not saved to imported recipe in 0.3.0-dev - #183
|
||||
- Fixed "IndexError: list index out of range" when viewing shopping list for meal plan containing days without a recipe selected - #178
|
||||
|
||||
## Features and Improvements
|
||||
|
||||
### General
|
||||
- Documentation Rewrite
|
||||
- [New Demo Site!](https://mealie-demo.hay-kot.dev/)
|
||||
- New Documentation
|
||||
- Landing Page
|
||||
- Custom Caddy Configuration
|
||||
- User Management
|
||||
- Introduction
|
||||
- Updated Documentation
|
||||
- Everything!
|
||||
- The API Reference is now better embedded inside of the docs
|
||||
- New default external port in documentation (Port 9000 -> 9925). This is only the port exposed by the host to the docker image. It doesn't change any existing functionality.
|
||||
|
||||
### User Authentication
|
||||
- Authentication! Tons of stuff went into creating a flexible authentication platform for a lot of different use cases. Review the documentation for more information on how to use the authentication, and how everything works together. More complex management of recipes and user restrictions are in the works, but this is a great start! Some key features include
|
||||
- Sign Up Links
|
||||
- Admin and User Roles
|
||||
- Password Change
|
||||
- Group Management
|
||||
- Create/Edit/Delete Restrictions
|
||||
|
||||
### Custom Pages
|
||||
- You can now create custom pages that are displayed on the homepage sidebar to organize categories of recipes into pages. For example, if you have several categories that encompass "Entrée" you can group all those categories together under the "Entrée" page. See [Building Pages](/mealie/site-administration/building-pages/) for more information.
|
||||
!!! tip
|
||||
Note that this replaces the behavior of automatically adding categories to the sidebar.
|
||||
|
||||
### UI Improvements
|
||||
- Completed Redesign of the Admin Panel
|
||||
- Profile Pages
|
||||
- Side Panel Menu
|
||||
- Improved UI for Recipe Search
|
||||
- Language selector is now displayed on all pages and does not require an account
|
||||
|
||||
### Recipe Data
|
||||
- Recipe Database Refactoring. Tons of new information is now stored for recipes in the database. Not all is accessible via the UI, but it's coming.
|
||||
- Nutrition Information
|
||||
- calories
|
||||
- fatContent
|
||||
- fiberContent
|
||||
- proteinContent
|
||||
- sodiumContent
|
||||
- sugarContent
|
||||
- recipeCuisine has been added
|
||||
- "categories" has been migrated to "recipeCategory" to adhere closer to the standard schema
|
||||
- "tool" - a list of tools used for the recipe
|
||||
|
||||
### Behind the Scenes
|
||||
- Removed CDN dependencies
|
||||
- Database Model Refactoring
|
||||
- Import/Export refactoring
|
||||
- File/Folder Name Refactoring
|
||||
- Development is now easier with a makefile
|
||||
- Mealie is now a proper package using poetry
|
||||
- Test refactoring
|
||||
- Test Coverage 83% up from 75%!
|
||||
@@ -1,35 +0,0 @@
|
||||
# v0.4.1
|
||||
|
||||
**App Version: v0.4.1**
|
||||
|
||||
**Database Version: v0.4.0**
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
|
||||
#### Recipe Images
|
||||
While it *shouldn't* be a breaking change, I feel it is important to note that you may experience issues with the new image migration. Recipe images are now minified, this is done on start-up, import, migration, and when a new recipe is created. The initial boot or load may be a bit slow if you have lots of recipes but you likely won't notice. What you may notice is that if your recipe slug and the image name do not match, you will encounter issues with your images showing up. This can be resolved by finding the image directory and rename it to the appropriate slug. I did fix multiple edge cases, but it is likely more exists. As always make a backup before you update!
|
||||
|
||||
On the plus side, this comes with a huge performance increase! 🎉
|
||||
|
||||
- Add markdown support for ingredients - Resolves #32
|
||||
- Ingredients editor improvements
|
||||
- Fix Tags/Categories render problems on recipes
|
||||
- Tags redirect to new tag pages
|
||||
- Categories redirect to category pages
|
||||
- Fix Backup download blocked by authentication
|
||||
- Random meal-planner will no longer duplicate recipes unless no other options
|
||||
- New Quick Week button to generate next 5 day week of recipe slots.
|
||||
- Minor UI tweaks
|
||||
- Recipe Cards now display 2 recipe tags
|
||||
- Recipe images are now minified. This comes with a serious performance improvement. On initial startup you may experience some delays. Images are migrated to the new structure on startup, depending on the size of your database this can take some time.
|
||||
- Note that original images are still kept for large displays like on the individual recipe pages.
|
||||
- A smaller image is used for recipe cards
|
||||
- A 'tiny' image is used for search images.
|
||||
- Advanced Search Page. You can now use the search page to filter recipes to include/exclude tags and categories as well as select And/Or matching criteria.
|
||||
- Added link to advanced search on quick search
|
||||
- Better support for NextCloud imports
|
||||
- Translate keywords to tags
|
||||
- Fix rollback on failure
|
||||
- Recipe Tag/Category Input components have been unified and now share a single way to interact. To add a new category in the recipe editor you need to click to '+' icon next to the input and fill out the form. This is the same for adding a Tag.
|
||||
|
||||
|
||||
@@ -1,34 +0,0 @@
|
||||
# v0.4.2
|
||||
|
||||
**App Version: v0.4.2**
|
||||
|
||||
**Database Version: v0.4.0**
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
1. With a recent refactor some users been experiencing issues with an environmental variable not being set correct. If you are experiencing issues, please provide your comments [Here](https://github.com/mealie-recipes/mealie/issues/281).
|
||||
|
||||
2. If you are a developer, you may experience issues with development as a new environmental variable has been introduced. Setting `PRODUCTION=false` will allow you to develop as normal.
|
||||
|
||||
## Bug Fixes
|
||||
- Fixed Initialization script (v0.4.1a Hot Fix) - Closes #274
|
||||
- Fixed nested list error on recipe scrape - Closes #306
|
||||
- Fixed ingredient checkboxes - Closes #304
|
||||
- Removed link on recent - Closes #297
|
||||
- Categories sidebar is auto generated if no pages are created - Closes #291
|
||||
- Fix tag issues on creating custom pages - Closes #290
|
||||
- Validate paths on export - Closes #275
|
||||
- Walk Nextcloud import directory - Closes #254
|
||||
|
||||
## General Improvements
|
||||
- Improved Nextcloud Migration. Mealie will now walk the directories in a zip file looking for directories that match the pattern of a Nextcloud Recipe. Closes #254
|
||||
- Rewrite Keywords to Tag Fields
|
||||
- Rewrite url to orgURL
|
||||
- Improved Chowdown Migration
|
||||
- Migration report is now similar to the Backup report
|
||||
- Tags/Categories are now title cased on import "dinner" -> "Dinner"
|
||||
- Depreciate `ENV` variable to `PRODUCTION`
|
||||
- Set `PRODUCTION` env variable to default to true
|
||||
- Unify Logger across the backend
|
||||
- mealie.log and last_recipe.json are now downloadable from the frontend from the /admin/about
|
||||
- New download schema where you request a token and then use that token to hit a single endpoint to download a file. This is a notable change if you are using the API to download backups.
|
||||
- Recipe images can now be added directly from a URL - [See #117 for details](https://github.com/mealie-recipes/mealie/issues/117)
|
||||
@@ -1,14 +0,0 @@
|
||||
# v0.4.3
|
||||
|
||||
**App Version: v0.4.3**
|
||||
|
||||
**Database Version: v0.4.0**
|
||||
|
||||
## Bug Fixes
|
||||
- Fix Upload error for Migrations
|
||||
- Fixes #315 - Cannot select another language
|
||||
- Fixes #314 - case-sensitive emails
|
||||
- Fixes #312 - Profile Image Reload
|
||||
|
||||
## Improvements
|
||||
- New TOKEN_TIME and DEFAULT_EMAIL env variables
|
||||
@@ -1,129 +0,0 @@
|
||||
# v0.5.0 Too Many Changes!
|
||||
|
||||
**App Version: v0.5.0**
|
||||
|
||||
**Database Version: v0.5.0**
|
||||
|
||||
## Breaking Changes
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
|
||||
#### Database
|
||||
Database version has been bumped from v0.4.x -> v0.5.0. You will need to export and import your data. Moving forward, we will be using database migrations (BETA) to do this automatically. Note that you still must backup your data. If you don't, it's entirely possible something may go wrong and you could lose your data on upgrade.
|
||||
|
||||
#### Image Directory
|
||||
the /data/img directory has been depreciated. All images are now stored in the /recipes/{slug}/image directory. Images should be migrated automatically, but you may experience issues related to this change.
|
||||
|
||||
#### API Usage
|
||||
If you have been using the API directly, many of the routes and status codes have changed. You may experience issues with directly consuming the API.
|
||||
|
||||
#### Arm/v7 Support
|
||||
Mealie will no longer build in CI/CD due to a issue with the rust compiler on 32 bit devices. You can reference [this issue on the matrix-org/synapse](https://github.com/matrix-org/synapse/issues/9403) Github page that are facing a similar issue. You may still be able to build the docker image you-self.
|
||||
|
||||
!!! warning "Potential Data Loss"
|
||||
With this release comes a major rework of how files are stored on disk and where things belong. Migration of files should be done automatically. We have tested extensively with many different backups and user bases and have found that no one experienced data-loss. HOWEVER, with all the major changes that have occurred, it is vital that to prevent any data-loss you must create a backup and store that backup outside of your mealie instance. If you do not do this, you may lose your data.
|
||||
|
||||
## Bug Fixes
|
||||
- Fixed #25 - Allow changing rating without going into edit
|
||||
- Fixed #475 - trim whitespace on login
|
||||
- Fixes #435 - Better Email Regex
|
||||
- Fixed #428 - Meal Planner now works on iOS devices
|
||||
- Fixed #419 - Typos
|
||||
- Fixed #418 - You can now "export" shopping lists
|
||||
- Fixed #356 - Shopping List items are now grouped
|
||||
- Fixed #329 - Fixed profile image not loading
|
||||
- Fixed #461 - Proper JSON serialization on webhooks
|
||||
- Fixed #332 - Language settings are saved for one browser
|
||||
- Fixes #281 - Slow Handling of Large Sets of Recipes
|
||||
- Fixed #356 - Shopping lists generate duplicate items
|
||||
- Fixed #271 - Slow handling of larger data sets
|
||||
- Fixed #472, #469, #458, #456 - Improve Recipe Parser
|
||||
|
||||
## Features and Improvements
|
||||
|
||||
### Highlights
|
||||
- Recipe Parser
|
||||
- Recipes can now be imported with a bookmarklet!
|
||||
- Significant improvement in supported sites with the new [Recipe Scraper Library](https://github.com/hhursev/recipe-scrapers)
|
||||
- UI Debugging now available at `/recipes/debugger`
|
||||
- Better error messages on failure
|
||||
- ⚠️ last_recipe.json is now depreciated
|
||||
- Beta Support for Postgres! 🎉 See the getting started page for details
|
||||
- Recipe Features
|
||||
- New button bar for editors with improved accessibility and performance
|
||||
- Step Sections now supported
|
||||
- Recipe Assets
|
||||
- Add Asset image to recipe step
|
||||
- Additional View Settings.
|
||||
- Better print support
|
||||
- New Toolbox Page!
|
||||
- Bulk assign categories and tags by keyword search
|
||||
- Title case all Categories or Tags with 1 click
|
||||
- Create/Rename/Delete Operations for Tags/Categories
|
||||
- Remove Unused Categories or Tags with 1 click
|
||||
- Recipe Cards now have a menu button for quick actions!
|
||||
- Edit
|
||||
- Delete
|
||||
- Integrated Share with supported OS/Browsers
|
||||
- Print
|
||||
- New Profile Dashboard!
|
||||
- Edit Your Profile
|
||||
- Create/Edit Themes
|
||||
- View other users in your Group
|
||||
- See what's for dinner
|
||||
- Manage Long Live API Tokens (New)
|
||||
- New Admin Dashboard! 🎉
|
||||
- Now you can get some insight on your application with application statistics and events.
|
||||
- See uncategorized/untagged recipes and organize them!
|
||||
- Backup/Restore right from your dashboard
|
||||
- See server side events. Now you can know who deleted your favorite recipe!
|
||||
- New Event Notifications through the Apprise Library
|
||||
- Get notified when specific server side events occur
|
||||
|
||||
### Meal Planner
|
||||
- Multiple Recipes per day
|
||||
- Supports meals without recipes (Enter title and description)
|
||||
- Generate share-link from created meal-planners
|
||||
- Shopping lists can be directly generated from the meal plan
|
||||
|
||||
### General
|
||||
- User can now favorite recipes
|
||||
- New 'Dark' Color Theme Packaged with Mealie
|
||||
- Updated Recipe Card Sections Toolbar
|
||||
- New Sort Options (They work this time!)
|
||||
- Alphabetical
|
||||
- Rating
|
||||
- Created Date
|
||||
- Updated Date
|
||||
- Shuffle (Random Sort)
|
||||
- New 'Random' Recipe button on recipe sections. Random recipes are selected from the filtered results below. For example, on the "Cakes" category page, you will only get recipes in the "Cakes" category.
|
||||
- Rating can be updated without entering the editor - Closes #25
|
||||
- Updated recipe editor styles and moved notes to below the steps.
|
||||
- Redesigned search bar
|
||||
- 'Dinner this week' shows a warning when no meal is planned yet
|
||||
- 'Dinner today' shows a warning when no meal is planned yet
|
||||
- More localization
|
||||
- Start date for Week is now selectable
|
||||
- Languages are now managed through Crowdin
|
||||
- Application Bar was Rewritten
|
||||
- Sidebar can now be toggled everywhere.
|
||||
- New and improved mobile friendly bottom bar
|
||||
- Improved styling for search bar in desktop
|
||||
- Improved search layout on mobile
|
||||
- Profile image now shown on all sidebars
|
||||
- Switched from Flash Messages to Snackbar (Removed dependency)
|
||||
|
||||
### Performance
|
||||
- Images are now served up by the Caddy increase performance and offloading some loads from the API server
|
||||
- Requesting all recipes from the server has been rewritten to refresh less often and manage client side data better.
|
||||
- All images are now converted to .webp for better compression
|
||||
|
||||
### Behind the Scenes
|
||||
- The database layer has been added for future recipe scaling.
|
||||
- Black and Flake8 now run as CI/CD checks
|
||||
- New debian based docker image
|
||||
- Unified Sidebar Components
|
||||
- Refactor UI components to fit Vue best practices (WIP)
|
||||
- The API returns more consistent status codes
|
||||
- The API returns error code instead of error text when appropriate
|
||||
- ⚠️ May cause side-effects if you were directly consuming the API
|
||||
@@ -1,11 +0,0 @@
|
||||
# v0.5.1
|
||||
|
||||
**App Version: v0.5.1**
|
||||
|
||||
**Database Version: v0.5.0**
|
||||
|
||||
|
||||
## Bug Fixes
|
||||
- Fixed #538 - Missing Ingredients on Editor
|
||||
- Fixed error on webhooks for new groups
|
||||
- Fixed various icons references
|
||||
@@ -1,65 +0,0 @@
|
||||
# v0.5.2 - DRAFT
|
||||
|
||||
**App Version: v0.5.2**
|
||||
|
||||
**Database Version: v0.5.0**
|
||||
|
||||
## Bug Fixes
|
||||
- Fixed #617 - Section behavior when adding a step
|
||||
- Fixed #615 - Recipe Settings are not available when creating new recipe
|
||||
- Fixed #625 - API of today's image returns strange characters
|
||||
- Fixed [#590](https://github.com/mealie-recipes/mealie/issues/590) - Duplicate Events when using Gunicorn Workers
|
||||
|
||||
## Features and Improvements
|
||||
|
||||
### General
|
||||
- Recipe Instructions now collapse when checked
|
||||
- Default recipe settings can be set through ENV variables
|
||||
- Recipe Ingredient lists can now container ingredient sections.
|
||||
- You can now download and upload individual recipes
|
||||
|
||||
|
||||
### Localization
|
||||
|
||||
Huge thanks to [@sephrat](https://github.com/sephrat) for all his work on the project. He's very consistent in his contributions to the project and nearly every release has had some of his code in it! Here's some highlights from this release
|
||||
|
||||
- Lazy Load Translations (Huge Performance Increase!)
|
||||
- Tons of localization additions all around the site.
|
||||
- All of the work that goes into managing and making Crowdin a great feature the application
|
||||
|
||||
#### Here a list of contributors on Crowding who make Mealie possible in different locals
|
||||
|
||||
| Name | Languages | Translated (Words) | Target Words |
|
||||
| ---------------------------- | ------------------ | :----------------: | :----------: |
|
||||
| retmas-gh | Polish | 550 | 625 |
|
||||
| startos | Italian | 310 | 322 |
|
||||
| CMBoii | Spanish | 256 | 291 |
|
||||
| sephrat | French | 255 | 296 |
|
||||
| Daniel Tildeman (tildeman) | Swedish | 233 | 228 |
|
||||
| Rourke | Dutch | 216 | 214 |
|
||||
| Andreas Waschinski (Wascha) | German | 207 | 202 |
|
||||
| wengtad | Chinese Simplified | 176 | 343 |
|
||||
| Matthias Borremans (MrBorri) | Dutch | 96 | 89 |
|
||||
| Adam Syndoman (pypckompsite) | Polish | 68 | 65 |
|
||||
| JonasSchubert | German | 22 | 23 |
|
||||
| ThrawnJL | Danish | 7 | 7 |
|
||||
| NicholasBrody | Dutch | 7 | 7 |
|
||||
| Giel Janssens (gieljnssns) | Dutch | 4 | 4 |
|
||||
| kentora | Danish | 3 | 2 |
|
||||
|
||||
|
||||
|
||||
### Docker
|
||||
|
||||
#### Huge thanks to [@wengtad](https://github.com/wengtad) for all his work on improving the deployment with docker.
|
||||
|
||||
- Optimize Docker Dev Size (Frontend: from ~1.52GB to ~429MB | API: from ~657MB to ~380MB)
|
||||
- Optimize Docker Prod Size (from ~542MB to ~373MB)
|
||||
- Add Gunicorn
|
||||
- Add Gunicorn and Webworkers to Dockerfile #550
|
||||
- Add Docs for Gunicorn
|
||||
- Add PUID/PGID to Docker. Fixes Initialization scripts fail to run when not executing as root user inside container #350,
|
||||
- Not able to run correctly in docker if user permissions are specified #429
|
||||
- Merge Dockerfile.dev into Dockerfile (dev shared same base together with prod)
|
||||
- Add Docs for PUID/PGID
|
||||
- Add Docker healthcheck (for this is not necessary, I could remove if you want)
|
||||
@@ -1,178 +0,0 @@
|
||||
## v1.0.0b - 2022-05-22
|
||||
|
||||
- Bump Dependencies
|
||||
- Recipe Scrapers to 13.28
|
||||
- Jinja2 to 3.1.2
|
||||
- FastAPI to 0.78.0
|
||||
|
||||
- Recipe Ingredient Editor
|
||||
- [#1140](https://github.com/mealie-recipes/mealie/issues/1140) - Error in processing the quantity of ingredients #1140 - UI Now prevents entering not-allowed characters in quantity field
|
||||
- UI now allows no value to be set in addition to a zero (0) value.
|
||||
- [#1237](https://github.com/mealie-recipes/mealie/issues/1237) - UI: Saving a 0 quantity ingredient displays 0 until the page is refreshed #1237 - UI Now properly reacts to changes in the quantity field.
|
||||
|
||||
- Fix Mealie v0.5.x migration issue [#1183](https://github.com/mealie-recipes/mealie/issues/1183)
|
||||
- Consolidated Frontend Types thanks to [@PFischbeck](https://github.com/Fischbeck)
|
||||
- Added support for SSL/No Auth Email [@nkringle](https://github.com/nkringle)
|
||||
- [Implement several notifications for server actions ](https://github.com/mealie-recipes/mealie/pull/1234)[@miroito](https://github.com/Miroito)
|
||||
- Fix display issue for shared recipe rendering on server [@PFischbeck](https://github.com/Fischbeck)
|
||||
|
||||
## v1.0.0b - 2022-05-09
|
||||
|
||||
- Change MIT license to AGPLv3
|
||||
|
||||
## v1.0.0b - 2022-05-08
|
||||
|
||||
- Rewrote the registration flow for new users.
|
||||
- Added support for seed data at anytime through the user interface.
|
||||
- Improved security for sanitizing HTML inputs for user input.
|
||||
- Added support for importing keywords as tags during scraping - [@miroito](https://github.com/Miroito)
|
||||
- Changed default recipe settings to "disable_amount=True" for new groups.
|
||||
- Add support for merging food, and units.
|
||||
- Allow tags, category, and tool creation - [@miroito](https://github.com/Miroito)
|
||||
- Added additional and more comprehensive filter options for cookbooks
|
||||
- Fixed bookmarklets error
|
||||
|
||||
## v1.0.0b - 2022-03-29
|
||||
|
||||
- Mealie now stores the original text from parsed ingredients, with the ability to peak at the original text from a recipe. [@miroito](https://github.com/Miroito)
|
||||
- Added some management / utility functions for administrators to manage data and cleanup artifacts from the file system.
|
||||
- Fix clear url action in recipe creation [#1101](https://github.com/mealie-recipes/mealie/pull/1101) [@miroito](https://github.com/Miroito)
|
||||
- Add group statistics calculations and data storage measurements
|
||||
- No hard limits are currently imposed on groups - though this may be implemented in the future.
|
||||
|
||||
## v1.0.0b - 2022-03-25
|
||||
|
||||
- Mealie now packages the last git commit as the build ID
|
||||
- Admin section now has a "Maintenance" page where you can check some health metrics like data directory size, logs file size, and if there are some non compliant directories or images. You can also perform clean-up operations to resolve some of these issues.
|
||||
- Dropped 2 dependencies and moved to using our own base model within the project
|
||||
- Removed lots of dead backup code
|
||||
- Recipe names will now be auto-incremented when a conflict is found. So if you're adding a recipe named "Tomato Soup" and that recipe name already exists in your database one will be created with the name "Tomato Soup (1)". Currently this is done in a loop until a suitable name is found, however it will error out after 10 attempts so it's best to find a more descriptive name for your recipe.
|
||||
- Fixed broken PWA where it wouldn't render any content
|
||||
- Added database connection retry loop to ensure that the database is available prior to starting
|
||||
- Reorganized group routes to be more consistent with the rest of the application
|
||||
|
||||
## v1.0.0b Beta Release!
|
||||
|
||||
!!! error "Breaking Changes"
|
||||
As you may have guessed, this release comes with some breaking changes. If you are/were consuming the API you will need to validate all endpoints as nearly all of them have changed.
|
||||
|
||||
To import your data into Mealie v1 from the most recent previous release, you'll need to export and import your data using the built in method. **Note that only your recipes will be usable in the migration**.
|
||||
|
||||
### ✨ What's New (What isn't?!?!)
|
||||
|
||||
#### 🥳 General
|
||||
|
||||
- Mealie will by default only be accessible to users. Future plans are to create spaces for non-users to access a specific group.
|
||||
- Mealie has gone through a big redesign and has tried to standardize it's look a feel a bit more across the board.
|
||||
- User/Group settings are now completely separated from the Administration page.
|
||||
- All settings and configurations pages now have some sort of self-documenting help text. Additional text or descriptions are welcome from PRs
|
||||
- New experimental banner for the site to give users a sense of what features are still "in development" and provide a link to a github issue that provides additional context.
|
||||
- Groups now offer full multi-tenant support so you can all groups have their own set of data.
|
||||
|
||||
##### ⚙️ Site Settings Page
|
||||
|
||||
- Site Settings has been completely revamped. All site-wide settings at defined on the server as ENV variables. The site settings page now only shows you the non-secret values for reference. It also has some helpers to let you know if something isn't configured correctly.
|
||||
- Server Side Bare URL will let you know if the BASE_URL env variable has been set
|
||||
- Secure Site let's you know if you're serving via HTTPS or accessing by localhost. Accessing without a secure site will render some of the features unusable.
|
||||
- Email Configuration Status will let you know if all the email settings have been provided and offer a way to send test emails.
|
||||
|
||||
#### 👨👩👧👦 Users and Groups
|
||||
|
||||
- All members of a group can generate invitation tokens for other users to join their group
|
||||
- Users now a have "Advanced" setting to enable/disable features like Webhooks and API tokens. This will also apply to future features that are deemed as advanced.
|
||||
- "Pages" have been dropped in favor of Cookbooks which are now group specific so each group can have it's own set of cookbooks
|
||||
- Default recipe settings can now be set by the group instead of environmental variables.
|
||||
- Password reset via email
|
||||
- Invitation to group by email
|
||||
- Manage group member permissions
|
||||
|
||||
#### 📦 Data Migrations
|
||||
|
||||
- Migrations have been moved from the Admin Page to a Group Migration page. Migrations from applications (or previous versions of Mealie) can now be imported into Mealie via the Group Migration pages where all recipes will be imported into the group.
|
||||
- **Supported Migrations**
|
||||
- Mealie Pre v1.0.0
|
||||
- Nextcloud Recipes
|
||||
- Chowdown
|
||||
|
||||
#### 🛒 Shopping Lists
|
||||
|
||||
- Shopping Lists has been completely revamped to be more flexible and user friendly.
|
||||
- Add recipe ingredients to a shopping list
|
||||
- Manually add item/ingredient to shopping list
|
||||
- Copy as markdown or plain text
|
||||
- Sort by food/item Labels
|
||||
- Checked items are now hidden
|
||||
- Uncheck all Items
|
||||
- Delete all checked items
|
||||
|
||||
#### 📢 Apprise Integration
|
||||
|
||||
- Server based Apprise notifications have been deprecated. An effort has been made to improve logging overall in the application and make it easier to monitor/debug through the logs.
|
||||
- The Apprise integration has been updated to the latest version and is now used asynchronously.
|
||||
- Notifiers now support a wider variety of events.
|
||||
- Notifiers can now be managed by-group instead of by the server.
|
||||
|
||||
#### 🗓 Meal Plans
|
||||
|
||||
- Meal plans have been completely redesigned to use a calendar approach so you'll be able to see what meals you have planned in a more traditional view
|
||||
- Drag and Drop meals between days
|
||||
- Add Recipes or Notes to a specific day
|
||||
- New context menu action for recipes to add a recipe to a specific day on the meal-plan
|
||||
- New rule based meal plan generator/selector. You can now create rules to restrict the addition of recipes for specific days or meal types (breakfast, lunch, dinner, side). You can also create rules that match against "all" days or "all" meal types to create global rules based around tags and categories. This gives you the most flexibility in creating meal plans.
|
||||
|
||||
#### 🥙 Recipes
|
||||
|
||||
##### 🔍 Search
|
||||
|
||||
- Search now includes the ability to fuzzy search ingredients
|
||||
- Search now includes an additional filter for "Foods" which will filter (Include/Exclude) matches based on your selection.
|
||||
|
||||
##### 🍴 Recipe General
|
||||
|
||||
- Recipe Pages now implement a screen lock on supported devices to keep the screen from going to sleep.
|
||||
- Recipes are now only viewable by group members
|
||||
- Recipes can be shared with share links
|
||||
- Shared recipes can now render previews for the recipe on sites like Twitter, Facebook, and Discord.
|
||||
- Recipes now have a `tools` attribute that contains a list of required tools/equipment for the recipe. Tools can be set with a state to determine if you have that tool or not. If it's marked as on hand it will show checked by default.
|
||||
- Recipe Extras now only show when advanced mode is toggled on
|
||||
- You can now import multiple URLs at a time pre-tagged using the bulk importer. This task runs in the background so no need to wait for it to finish.
|
||||
- Foods/Units for Ingredients are now supported (toggle inside your recipe settings)
|
||||
- Common Food and Units come pre-packaged with Mealie
|
||||
- Landscape and Portrait views are now available
|
||||
- Users with the advanced flag turned on will now be able to manage recipe data in bulk and perform the following actions:
|
||||
- Set Categories
|
||||
- Set Tags
|
||||
- Delete Recipes
|
||||
- Export Recipes
|
||||
- Recipes now have a `/cook` page for a simple view of the recipe where you can click through each step of a recipe and it's associated ingredients.
|
||||
- The Bulk Importer has received many additional upgrades.
|
||||
- Trim Whitespace: automatically removes leading and trailing whitespace
|
||||
- Trim Prefix: Removes the first character of each line. Useful for when you paste in a list of ingredients or instructions that have 1. or 2. in front of them.
|
||||
- Split By Numbered Line: Attempts to split a paragraph into multiple lines based on the patterns matching '1.', '1:' or '1)'.
|
||||
|
||||
##### 🍞 Recipe Ingredients
|
||||
|
||||
- Recipe ingredients can now be scaled when the food/unit is defined
|
||||
- Recipe ingredients can now be copied as markdown lists
|
||||
- example `- [ ] 1 cup of flour`
|
||||
- You can now use Natural Language Processing (NLP) to process ingredients and attempt to parse them into amounts, units, and foods. There is an additional "Brute Force" processor that can be used as pattern matching parser to try and determine ingredients. **Note** if you are processing a Non-English language you will have terrible results with the NLP and will likely need to use the Bruce Force processor.
|
||||
|
||||
##### 📜 Recipe Instructions
|
||||
|
||||
- Can now be merged with the above step automatically through the action menu
|
||||
- Recipe Ingredients can be linked directly to recipe instructions for improved display
|
||||
- There is an option in the linking dialog to automatically link ingredients. This works by using a key-word matching algorithm to find the ingredients. It's not perfect so you'll need to verify the links after use, additionally you will find that it doesn't work for non-english languages.
|
||||
- Recipe Instructions now have a preview tab to show the rendered markdown before saving.
|
||||
|
||||
#### ⚠️ Other things to know...
|
||||
|
||||
- Themes have been deprecated for specific users. You can still set specific themes for your site through ENV variables. This approach should yield much better results for performance and some weirdness users have experienced.
|
||||
- If you've experienced slowness in the past, you may notice a significant improvement in the "All Recipes" and "Search" pages, or wherever large payloads of recipes are being displayed. This is due to not validating responses from the database, as such if you are consuming these API's you may get extra values that are unexpected.
|
||||
|
||||
#### 👨💻 Backend/Development Goodies
|
||||
|
||||
- Codebase is significantly more organized both Frontend and Backend
|
||||
- We've moved to Nuxt for SSR and Typescript for better type safety and less bugs 🎉
|
||||
- Backend now using a Class based architecture to maximize code reuse
|
||||
- Tons of performance improvements across the board
|
||||
- Significant work was done by [@PFischbeck](https://github.com/PFischbeck) to improve type safety on the frontend server and fix many type related errors/bugs!
|
||||
@@ -1,29 +0,0 @@
|
||||
### Bug Fixes
|
||||
|
||||
- Bump isomorphic-dompurify from 0.18.0 to 0.19.0 in /frontend ([#1257](https://github.com/mealie-recipes/mealie/issues/1257))
|
||||
- Bump @nuxtjs/auth-next in /frontend ([#1265](https://github.com/mealie-recipes/mealie/issues/1265))
|
||||
- Bad dev dependency ([#1281](https://github.com/mealie-recipes/mealie/issues/1281))
|
||||
- Add touch support for mealplanner delete ([#1298](https://github.com/mealie-recipes/mealie/issues/1298))
|
||||
|
||||
### Documentation
|
||||
|
||||
- Add references for VSCode dev containers ([#1299](https://github.com/mealie-recipes/mealie/issues/1299))
|
||||
- Docker-compose.dev.yml is currently not functional ([#1300](https://github.com/mealie-recipes/mealie/issues/1300))
|
||||
|
||||
### Features
|
||||
|
||||
- Add reports to bulk recipe import (url) ([#1294](https://github.com/mealie-recipes/mealie/issues/1294))
|
||||
- Rewrite print implementation to support new ing ([#1305](https://github.com/mealie-recipes/mealie/issues/1305))
|
||||
|
||||
### Miscellaneous Tasks
|
||||
|
||||
- Github stalebot changes ([#1271](https://github.com/mealie-recipes/mealie/issues/1271))
|
||||
- Bump eslint-plugin-nuxt in /frontend ([#1258](https://github.com/mealie-recipes/mealie/issues/1258))
|
||||
- Bump @vue/runtime-dom in /frontend ([#1259](https://github.com/mealie-recipes/mealie/issues/1259))
|
||||
- Bump nuxt-vite from 0.1.3 to 0.3.5 in /frontend ([#1260](https://github.com/mealie-recipes/mealie/issues/1260))
|
||||
- Bump vue2-script-setup-transform in /frontend ([#1263](https://github.com/mealie-recipes/mealie/issues/1263))
|
||||
- Update dev dependencies ([#1282](https://github.com/mealie-recipes/mealie/issues/1282))
|
||||
|
||||
### Refactor
|
||||
|
||||
- Split up recipe create page ([#1283](https://github.com/mealie-recipes/mealie/issues/1283))
|
||||
@@ -1,36 +0,0 @@
|
||||
### Bug Fixes
|
||||
|
||||
- Update issue links in v1.0.0beta-2 changelog ([#1312](https://github.com/mealie-recipes/mealie/issues/1312))
|
||||
- Bad import path ([#1313](https://github.com/mealie-recipes/mealie/issues/1313))
|
||||
- Printer page refs ([#1314](https://github.com/mealie-recipes/mealie/issues/1314))
|
||||
- Consolidate stores to fix mismatched state
|
||||
- Bump @vue/composition-api from 1.6.1 to 1.6.2 in /frontend ([#1275](https://github.com/mealie-recipes/mealie/issues/1275))
|
||||
- Shopping list label editor ([#1333](https://github.com/mealie-recipes/mealie/issues/1333))
|
||||
|
||||
### Features
|
||||
|
||||
- Default unit fractions to True
|
||||
- Add unit abbreviation support ([#1332](https://github.com/mealie-recipes/mealie/issues/1332))
|
||||
- Attached images by drag and drop for recipe steps ([#1341](https://github.com/mealie-recipes/mealie/issues/1341))
|
||||
|
||||
### Docs
|
||||
|
||||
- Render homepage social media link images at 32x32 size ([#1310](https://github.com/mealie-recipes/mealie/issues/1310))
|
||||
|
||||
### Miscellaneous Tasks
|
||||
|
||||
- Init git-cliff config
|
||||
- Bump @types/sortablejs in /frontend ([#1287](https://github.com/mealie-recipes/mealie/issues/1287))
|
||||
- Bump @babel/eslint-parser in /frontend ([#1290](https://github.com/mealie-recipes/mealie/issues/1290))
|
||||
|
||||
### Refactor
|
||||
|
||||
- Unify recipe-organizer components ([#1340](https://github.com/mealie-recipes/mealie/issues/1340))
|
||||
|
||||
### Security
|
||||
|
||||
- Delay server response whenever username is non existing ([#1338](https://github.com/mealie-recipes/mealie/issues/1338))
|
||||
|
||||
### Wip
|
||||
|
||||
- Pagination-repository ([#1316](https://github.com/mealie-recipes/mealie/issues/1316))
|
||||
@@ -1,126 +0,0 @@
|
||||
### Security
|
||||
|
||||
#### v1.0.0beta-3 and Under - Recipe Scraper: Server Side Request Forgery Lead To Denial Of Service
|
||||
|
||||
!!! error "CWE-918: Server-Side Request Forgery (SSRF)"
|
||||
In this case if a attacker try to load a huge file then server will try to load the file and eventually server use its all memory which will dos the server
|
||||
|
||||
##### Mitigation
|
||||
|
||||
HTML is now scraped via a Stream and canceled after a 15 second timeout to prevent arbitrary data from being loaded into the server.
|
||||
|
||||
#### v1.0.0beta-3 and Under - Recipe Assets: Remote Code Execution
|
||||
|
||||
!!! error "CWE-1336: Improper Neutralization of Special Elements Used in a Template Engine"
|
||||
As a low privileged user, Create a new recipe and click on the "+" to add a New Asset.
|
||||
Select a file, then proxy the request that will create the asset.
|
||||
|
||||
Since mealie/routes/recipe/recipe_crud_routes.py:306 is calling slugify on the name POST parameter, we use $ which slugify() will remove completely.
|
||||
|
||||
Since mealie/routes/recipe/recipe_crud_routes.py:306 is concatenating raw user input from the extension POST parameter into the variable file_name, which ultimately gets used when writing to disk, we can use a directory traversal attack in the extension (e.g. ./../../../tmp/pwn.txt) to write the file to arbitrary location on the server.
|
||||
|
||||
As an attacker, now that we have a strong attack primitive, we can start getting creative to get RCE. Since the files were being created by root, we could add an entry to /etc/passwd, create a crontab, etc. but since there was templating functionality in the application that peaked my interest. The PoC in the HTTP request above creates a Jinja2 template at /app/data/template/pwn.html. Since Jinja2 templates execute Python code when rendered, all we have to do now to get code execution is render the malicious template. This was easy enough.
|
||||
|
||||
##### Mitigation
|
||||
|
||||
We've added proper path sanitization to ensure that the user is not allowed to write to arbitrary locations on the server.
|
||||
|
||||
!!! warning "Breaking Change Incoming"
|
||||
As this has shown a significant area of exposure in the templates that Mealie was provided for exporting recipes, we'll be removing this feature in the next Beta release and will instead rely on the community to provide tooling around transforming recipes using templates. This will significantly limit the possible exposure of users injecting malicious templates into the application. The template functionality will be completely removed in the next beta release v1.0.0beta-5
|
||||
|
||||
#### All version Markdown Editor: Cross Site Scripting
|
||||
|
||||
!!! error "CWE-79: Cross-site Scripting (XSS) - Stored"
|
||||
A low privilege user can insert malicious JavaScript code into the Recipe Instructions which will execute in another person's browser that visits the recipe.
|
||||
|
||||
`<img src=x onerror=alert(document.domain)>`
|
||||
|
||||
##### Mitigation
|
||||
|
||||
This issues is present on all pages that allow markdown input. This error has been mitigated by wrapping the 3rd Party Markdown component and using the `domPurify` library to strip out the dangerous HTML.
|
||||
|
||||
#### v1.0.0beta-3 and Under - Image Scraper: Server-Side Request Forgery
|
||||
|
||||
!!! error "CWE-918: Server-Side Request Forgery (SSRF)"
|
||||
In the recipe edit page, is possible to upload an image directly or via an URL provided by the user. The function that handles the fetching and saving of the image via the URL doesn't have any URL verification, which allows to fetch internal services.
|
||||
|
||||
Furthermore, after the resource is fetch, there is no MIME type validation, which would ensure that the resource is indeed an image. After this, because there is no extension in the provided URL, the application will fallback to jpg, and original for the image name.
|
||||
|
||||
Then the result is saved to disk with the original.jpg name, that can be retrieved from the following URL: http://<domain>/api/media/recipes/<recipe-uid>/images/original.jpg. This file will contain the full response of the provided URL.
|
||||
|
||||
**Impact**
|
||||
|
||||
An attacker can get sensitive information of any internal-only services running. For example, if the application is hosted on Amazon Web Services (AWS) platform, its possible to fetch the AWS API endpoint, https://169.254.169.254, which returns API keys and other sensitive metadata.
|
||||
|
||||
##### Mitigation
|
||||
|
||||
Two actions were taken to reduce exposure to SSRF in this case.
|
||||
|
||||
1. The application will not prevent requests being made to local resources by checking for localhost or 127.0.0.1 domain names.
|
||||
2. The mime-type of the response is now checked prior to writing to disk.
|
||||
|
||||
If either of the above actions prevent the user from uploading images, the application will alert the user of what error occurred.
|
||||
|
||||
### Bug Fixes
|
||||
|
||||
- For erroneously-translated datetime config ([#1362](https://github.com/mealie-recipes/mealie/issues/1362))
|
||||
- Fixed text color on RecipeCard in RecipePrintView and implemented ingredient sections ([#1351](https://github.com/mealie-recipes/mealie/issues/1351))
|
||||
- Ingredient sections lost after parsing ([#1368](https://github.com/mealie-recipes/mealie/issues/1368))
|
||||
- Increased float rounding precision for CRF parser ([#1369](https://github.com/mealie-recipes/mealie/issues/1369))
|
||||
- Infinite scroll bug on all recipes page ([#1393](https://github.com/mealie-recipes/mealie/issues/1393))
|
||||
- Fast fail of bulk importer ([#1394](https://github.com/mealie-recipes/mealie/issues/1394))
|
||||
- Bump @mdi/js from 5.9.55 to 6.7.96 in /frontend ([#1279](https://github.com/mealie-recipes/mealie/issues/1279))
|
||||
- Bump @nuxtjs/i18n from 7.0.3 to 7.2.2 in /frontend ([#1288](https://github.com/mealie-recipes/mealie/issues/1288))
|
||||
- Bump date-fns from 2.23.0 to 2.28.0 in /frontend ([#1293](https://github.com/mealie-recipes/mealie/issues/1293))
|
||||
- Bump fuse.js from 6.5.3 to 6.6.2 in /frontend ([#1325](https://github.com/mealie-recipes/mealie/issues/1325))
|
||||
- Bump core-js from 3.17.2 to 3.23.1 in /frontend ([#1383](https://github.com/mealie-recipes/mealie/issues/1383))
|
||||
- All-recipes page now sorts alphabetically ([#1405](https://github.com/mealie-recipes/mealie/issues/1405))
|
||||
- Sort recent recipes by created_at instead of date_added ([#1417](https://github.com/mealie-recipes/mealie/issues/1417))
|
||||
- Only show scaler when ingredients amounts enabled ([#1426](https://github.com/mealie-recipes/mealie/issues/1426))
|
||||
- Add missing types for API token deletion ([#1428](https://github.com/mealie-recipes/mealie/issues/1428))
|
||||
- Entry nutrition checker ([#1448](https://github.com/mealie-recipes/mealie/issues/1448))
|
||||
- Use == operator instead of is_ for sql queries ([#1453](https://github.com/mealie-recipes/mealie/issues/1453))
|
||||
- Use `mtime` instead of `ctime` for backup dates ([#1461](https://github.com/mealie-recipes/mealie/issues/1461))
|
||||
- Mealplan pagination ([#1464](https://github.com/mealie-recipes/mealie/issues/1464))
|
||||
- Properly use pagination for group event notifies ([#1512](https://github.com/mealie-recipes/mealie/pull/1512))
|
||||
|
||||
### Documentation
|
||||
|
||||
- Add go bulk import example ([#1388](https://github.com/mealie-recipes/mealie/issues/1388))
|
||||
- Fix old link
|
||||
- Pagination and filtering, and fixed a few broken links ([#1488](https://github.com/mealie-recipes/mealie/issues/1488))
|
||||
|
||||
### Features
|
||||
|
||||
- Toggle display of ingredient references in recipe instructions ([#1268](https://github.com/mealie-recipes/mealie/issues/1268))
|
||||
- Add custom scaling option ([#1345](https://github.com/mealie-recipes/mealie/issues/1345))
|
||||
- Implemented "order by" API parameters for recipe, food, and unit queries ([#1356](https://github.com/mealie-recipes/mealie/issues/1356))
|
||||
- Implement user favorites page ([#1376](https://github.com/mealie-recipes/mealie/issues/1376))
|
||||
- Extend Apprise JSON notification functionality with programmatic data ([#1355](https://github.com/mealie-recipes/mealie/issues/1355))
|
||||
- Mealplan-webhooks ([#1403](https://github.com/mealie-recipes/mealie/issues/1403))
|
||||
- Added "last-modified" header to supported record types ([#1379](https://github.com/mealie-recipes/mealie/issues/1379))
|
||||
- Re-write get all routes to use pagination ([#1424](https://github.com/mealie-recipes/mealie/issues/1424))
|
||||
- Advanced filtering API ([#1468](https://github.com/mealie-recipes/mealie/issues/1468))
|
||||
- Restore frontend sorting for all recipes ([#1497](https://github.com/mealie-recipes/mealie/issues/1497))
|
||||
- Implemented local storage for sorting and dynamic sort icons on the new recipe sort card ([1506](https://github.com/mealie-recipes/mealie/pull/1506))
|
||||
- create new foods and units from their Data Management pages ([#1511](https://github.com/mealie-recipes/mealie/pull/1511))
|
||||
|
||||
### Miscellaneous Tasks
|
||||
|
||||
- Bump dev deps ([#1418](https://github.com/mealie-recipes/mealie/issues/1418))
|
||||
- Bump @vue/runtime-dom in /frontend ([#1423](https://github.com/mealie-recipes/mealie/issues/1423))
|
||||
- Backend page_all route cleanup ([#1483](https://github.com/mealie-recipes/mealie/issues/1483))
|
||||
|
||||
### Refactor
|
||||
|
||||
- Remove depreciated repo call ([#1370](https://github.com/mealie-recipes/mealie/issues/1370))
|
||||
|
||||
### Hotfix
|
||||
|
||||
- Tame typescript beast
|
||||
|
||||
### UI
|
||||
|
||||
- Improve parser ui text display ([#1437](https://github.com/mealie-recipes/mealie/issues/1437))
|
||||
|
||||
<!-- generated by git-cliff -->
|
||||
@@ -1,3 +0,0 @@
|
||||
### NOTICE:
|
||||
|
||||
Release changelogs are now published on github releases. This file is kept for historical purposes.
|
||||
@@ -17,4 +17,3 @@ Alternatively, you can register a new parser by fulfilling the `ABCIngredientPar
|
||||
## Links
|
||||
- [Pretrained Model](https://github.com/mealie-recipes/mealie-nlp-model)
|
||||
- [CRF++ (Forked)](https://github.com/hay-kot/crfpp)
|
||||
|
||||
|
||||
@@ -93,4 +93,3 @@ mealie_url="http://localhost:9000"
|
||||
token = authentication(mail, password, mealie_url)
|
||||
import_from_file(input_file, token, mealie_url)
|
||||
```
|
||||
|
||||
|
||||
@@ -57,11 +57,8 @@
|
||||
Changing the webworker settings may cause unforeseen memory leak issues with Mealie. It's best to leave these at the defaults unless you begin to experience issues with multiple users. Exercise caution when changing these settings
|
||||
|
||||
| Variables | Default | Description |
|
||||
| ---------------- | :-----: | --------------------------------------------------------------------------------------------------------------------------------- |
|
||||
| WEB_GUNICORN | false | Enables Gunicorn to manage Uvicorn web for multiple works |
|
||||
| WORKERS_PER_CORE | 1 | Set the number of workers to the number of CPU cores multiplied by this value (Value \* CPUs). More info [here][workers_per_core] |
|
||||
| MAX_WORKERS | None | Set the maximum number of workers to use. Default is not set meaning unlimited. More info [here][max_workers] |
|
||||
| WEB_CONCURRENCY | 2 | Override the automatic definition of number of workers. More info [here][web_concurrency] |
|
||||
| --------------- | :-----: | ----------------------------------------------------------------------------- |
|
||||
| UVICORN_WORKERS | 1 | Sets the number of works for the web server [more info here][unicorn_workers] |
|
||||
|
||||
### LDAP
|
||||
|
||||
@@ -88,7 +85,7 @@ Changing the webworker settings may cause unforeseen memory leak issues with Mea
|
||||
For usage, see [Usage - OpenID Connect](../authentication/oidc.md)
|
||||
|
||||
| Variables | Default | Description |
|
||||
| ---------------------- | :-----: | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
|
||||
| ---------------------- | :-----: | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------ |
|
||||
| OIDC_AUTH_ENABLED | False | Enables authentication via OpenID Connect |
|
||||
| OIDC_SIGNUP_ENABLED | True | Enables new users to be created when signing in for the first time with OIDC |
|
||||
| OIDC_CONFIGURATION_URL | None | The URL to the OIDC configuration of your provider. This is usually something like https://auth.example.com/.well-known/openid-configuration |
|
||||
@@ -100,7 +97,7 @@ For usage, see [Usage - OpenID Connect](../authentication/oidc.md)
|
||||
| OIDC_REMEMBER_ME | False | Because redirects bypass the login screen, you cant extend your session by clicking the "Remember Me" checkbox. By setting this value to true, a session will be extended as if "Remember Me" was checked |
|
||||
| OIDC_SIGNING_ALGORITHM | RS256 | The algorithm used to sign the id token (examples: RS256, HS256) |
|
||||
| OIDC_USER_CLAIM | email | This is the claim which Mealie will use to look up an existing user by (e.g. "email", "preferred_username") |
|
||||
| OIDC_GROUPS_CLAIM | groups | Optional if not using `OIDC_USER_GROUP` or `OIDC_ADMIN_GROUP`. This is the claim Mealie will request from your IdP and will use to compare to `OIDC_USER_GROUP` or `OIDC_ADMIN_GROUP` to allow the user to log in to Mealie or is set as an admin. **Your IdP must be configured to grant this claim**|
|
||||
| OIDC_GROUPS_CLAIM | groups | Optional if not using `OIDC_USER_GROUP` or `OIDC_ADMIN_GROUP`. This is the claim Mealie will request from your IdP and will use to compare to `OIDC_USER_GROUP` or `OIDC_ADMIN_GROUP` to allow the user to log in to Mealie or is set as an admin. **Your IdP must be configured to grant this claim** |
|
||||
| OIDC_TLS_CACERTFILE | None | File path to Certificate Authority used to verify server certificate (e.g. `/path/to/ca.crt`) |
|
||||
|
||||
### OpenAI
|
||||
@@ -110,12 +107,13 @@ For usage, see [Usage - OpenID Connect](../authentication/oidc.md)
|
||||
Mealie supports various integrations using OpenAI. To enable OpenAI, [you must provide your OpenAI API key](https://platform.openai.com/api-keys). You can tweak how OpenAI is used using these backend settings. Please note that while OpenAI usage is optimized to reduce API costs, you're unlikely to be able to use OpenAI features with the free tier limits.
|
||||
|
||||
| Variables | Default | Description |
|
||||
| ------------------------- | :------: | ------------------------------------------------------------------------------------------------------------------------------ |
|
||||
| ------------------------- | :-----: | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
|
||||
| OPENAI_BASE_URL | None | The base URL for the OpenAI API. If you're not sure, leave this empty to use the standard OpenAI platform |
|
||||
| OPENAI_API_KEY | None | Your OpenAI API Key. Enables OpenAI-related features |
|
||||
| OPENAI_MODEL | gpt-4o | Which OpenAI model to use. If you're not sure, leave this empty |
|
||||
| OPENAI_WORKERS | 2 | Number of OpenAI workers per request. Higher values may increase processing speed, but will incur additional API costs |
|
||||
| OPENAI_SEND_DATABASE_DATA | True | Whether to send Mealie data to OpenAI to improve request accuracy. This will incur additional API costs |
|
||||
| OPENAI_REQUEST_TIMEOUT | 10 | The number of seconds to wait for an OpenAI request to complete before cancelling the request. Leave this empty unless you're running into timeout issues on slower hardware |
|
||||
|
||||
### Themeing
|
||||
|
||||
@@ -160,6 +158,4 @@ secrets:
|
||||
file: postgrespassword.txt
|
||||
```
|
||||
|
||||
[workers_per_core]: https://github.com/tiangolo/uvicorn-gunicorn-docker/blob/2daa3e3873c837d5781feb4ff6a40a89f791f81b/README.md#workers_per_core
|
||||
[max_workers]: https://github.com/tiangolo/uvicorn-gunicorn-docker/blob/2daa3e3873c837d5781feb4ff6a40a89f791f81b/README.md#max_workers
|
||||
[web_concurrency]: https://github.com/tiangolo/uvicorn-gunicorn-docker/blob/2daa3e3873c837d5781feb4ff6a40a89f791f81b/README.md#web_concurrency
|
||||
[unicorn_workers]: https://www.uvicorn.org/deployment/#built-in
|
||||
|
||||
@@ -7,7 +7,7 @@ PostgreSQL might be considered if you need to support many concurrent users. In
|
||||
```yaml
|
||||
services:
|
||||
mealie:
|
||||
image: ghcr.io/mealie-recipes/mealie:v1.8.0 # (3)
|
||||
image: ghcr.io/mealie-recipes/mealie:v1.9.0 # (3)
|
||||
container_name: mealie
|
||||
restart: always
|
||||
ports:
|
||||
|
||||
@@ -11,7 +11,7 @@ SQLite is a popular, open source, self-contained, zero-configuration database th
|
||||
```yaml
|
||||
services:
|
||||
mealie:
|
||||
image: ghcr.io/mealie-recipes/mealie:v1.8.0 # (3)
|
||||
image: ghcr.io/mealie-recipes/mealie:v1.9.0 # (3)
|
||||
container_name: mealie
|
||||
restart: always
|
||||
ports:
|
||||
|
||||
@@ -98,23 +98,7 @@ nav:
|
||||
- Developers Guide:
|
||||
- Code Contributions: "contributors/developers-guide/code-contributions.md"
|
||||
- Dev Getting Started: "contributors/developers-guide/starting-dev-server.md"
|
||||
- Database Changes: "contributors/developers-guide/database-changes.md"
|
||||
- Maintainers Guide: "contributors/developers-guide/maintainers.md"
|
||||
- Guides:
|
||||
- Improving Ingredient Parser: "contributors/guides/ingredient-parser.md"
|
||||
|
||||
- Change Log:
|
||||
- v1.0.0beta-5: "changelog/v1.0.0beta-5.md"
|
||||
- v1.0.0beta-4: "changelog/v1.0.0beta-4.md"
|
||||
- v1.0.0beta-3: "changelog/v1.0.0beta-3.md"
|
||||
- v1.0.0beta-2: "changelog/v1.0.0beta-2.md"
|
||||
- v1.0.0 Beta: "changelog/v1.0.0.md"
|
||||
- v0.5.2 Misc Updates: "changelog/v0.5.2.md"
|
||||
- v0.5.1 Bug Fixes: "changelog/v0.5.1.md"
|
||||
- v0.5.0 General Upgrades: "changelog/v0.5.0.md"
|
||||
- v0.4.3 Hot Fix: "changelog/v0.4.3.md"
|
||||
- v0.4.2 Backend/Migrations: "changelog/v0.4.2.md"
|
||||
- v0.4.1 Frontend/UI: "changelog/v0.4.1.md"
|
||||
- v0.4.0 Authentication: "changelog/v0.4.0.md"
|
||||
- v0.3.0 Improvements: "changelog/v0.3.0.md"
|
||||
- v0.2.0 Now With Tests!: "changelog/v0.2.0.md"
|
||||
- v0.1.0 Beta: "changelog/v0.1.0.md"
|
||||
|
||||
@@ -231,7 +231,7 @@ export default defineComponent({
|
||||
|
||||
const shoppingListIngredients: ShoppingListIngredient[] = recipe.recipeIngredient.map((ing) => {
|
||||
return {
|
||||
checked: true,
|
||||
checked: !ing.food?.onHand,
|
||||
ingredient: ing,
|
||||
disableAmount: recipe.settings?.disableAmount || false,
|
||||
}
|
||||
|
||||
@@ -104,6 +104,8 @@
|
||||
:buttons="btns"
|
||||
@toggle-section="toggleTitle"
|
||||
@toggle-original="toggleOriginalText"
|
||||
@insert-above="$emit('insert-above')"
|
||||
@insert-below="$emit('insert-below')"
|
||||
@insert-ingredient="$emit('insert-ingredient')"
|
||||
@delete="$emit('delete')"
|
||||
/>
|
||||
@@ -148,6 +150,14 @@ export default defineComponent({
|
||||
text: i18n.tc("recipe.toggle-section"),
|
||||
event: "toggle-section",
|
||||
},
|
||||
{
|
||||
text: i18n.tc("recipe.insert-above"),
|
||||
event: "insert-above",
|
||||
},
|
||||
{
|
||||
text: i18n.tc("recipe.insert-below"),
|
||||
event: "insert-below",
|
||||
},
|
||||
];
|
||||
|
||||
if (props.allowInsertIngredient) {
|
||||
|
||||
@@ -7,7 +7,7 @@
|
||||
:class="attrs.class.sheet"
|
||||
:style="tile ? 'max-width: 100%; width: fit-content;' : 'width: 100%;'"
|
||||
>
|
||||
<v-list-item :to="'/g/' + groupSlug + '/r/' + recipe.slug" :class="attrs.class.listItem">
|
||||
<v-list-item :to="disabled ? '' : '/g/' + groupSlug + '/r/' + recipe.slug" :class="attrs.class.listItem">
|
||||
<v-list-item-avatar :class="attrs.class.avatar">
|
||||
<v-icon :class="attrs.class.icon" dark :small="small"> {{ $globals.icons.primary }} </v-icon>
|
||||
</v-list-item-avatar>
|
||||
@@ -56,6 +56,10 @@ export default defineComponent({
|
||||
type: Boolean,
|
||||
default: false,
|
||||
},
|
||||
disabled: {
|
||||
type: Boolean,
|
||||
default: false,
|
||||
}
|
||||
},
|
||||
setup(props) {
|
||||
const { $auth } = useContext();
|
||||
|
||||
@@ -72,7 +72,7 @@
|
||||
</div>
|
||||
|
||||
<RecipePageComments
|
||||
v-if="isOwnGroup && !recipe.settings.disableComments && !isEditForm && !isCookMode"
|
||||
v-if="!recipe.settings.disableComments && !isEditForm && !isCookMode"
|
||||
:recipe="recipe"
|
||||
class="px-1 my-4 d-print-none"
|
||||
/>
|
||||
|
||||
@@ -30,7 +30,7 @@
|
||||
</BaseButton>
|
||||
</div>
|
||||
</div>
|
||||
<div v-for="comment in comments" :key="comment.id" class="d-flex my-2" style="gap: 10px">
|
||||
<div v-for="comment in recipe.comments" :key="comment.id" class="d-flex my-2" style="gap: 10px">
|
||||
<UserAvatar size="40" :user-id="comment.userId" />
|
||||
<v-card outlined class="flex-grow-1">
|
||||
<v-card-text class="pa-3 pb-0">
|
||||
@@ -54,9 +54,9 @@
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { defineComponent, ref, toRefs, onMounted, reactive } from "@nuxtjs/composition-api";
|
||||
import { defineComponent, toRefs, reactive } from "@nuxtjs/composition-api";
|
||||
import { useUserApi } from "~/composables/api";
|
||||
import { Recipe, RecipeCommentOut } from "~/lib/api/types/recipe";
|
||||
import { Recipe } from "~/lib/api/types/recipe";
|
||||
import UserAvatar from "~/components/Domain/User/UserAvatar.vue";
|
||||
import { NoUndefinedField } from "~/lib/api/types/non-generated";
|
||||
import { usePageUser } from "~/composables/recipe-page/shared-state";
|
||||
@@ -76,22 +76,12 @@ export default defineComponent({
|
||||
setup(props) {
|
||||
const api = useUserApi();
|
||||
|
||||
const comments = ref<RecipeCommentOut[]>([]);
|
||||
|
||||
const { user } = usePageUser();
|
||||
|
||||
const state = reactive({
|
||||
comment: "",
|
||||
});
|
||||
|
||||
onMounted(async () => {
|
||||
const { data } = await api.recipes.comments.byRecipe(props.recipe.slug);
|
||||
|
||||
if (data) {
|
||||
comments.value = data;
|
||||
}
|
||||
});
|
||||
|
||||
async function submitComment() {
|
||||
const { data } = await api.recipes.comments.createOne({
|
||||
recipeId: props.recipe.id,
|
||||
@@ -99,7 +89,8 @@ export default defineComponent({
|
||||
});
|
||||
|
||||
if (data) {
|
||||
comments.value.push(data);
|
||||
// @ts-ignore username is always populated here
|
||||
props.recipe.comments.push(data);
|
||||
}
|
||||
|
||||
state.comment = "";
|
||||
@@ -109,11 +100,11 @@ export default defineComponent({
|
||||
const { response } = await api.recipes.comments.deleteOne(id);
|
||||
|
||||
if (response?.status === 200) {
|
||||
comments.value = comments.value.filter((comment) => comment.id !== id);
|
||||
props.recipe.comments = props.recipe.comments.filter((comment) => comment.id !== id);
|
||||
}
|
||||
}
|
||||
|
||||
return { api, comments, ...toRefs(state), submitComment, deleteComment, user };
|
||||
return { api, ...toRefs(state), submitComment, deleteComment, user };
|
||||
},
|
||||
});
|
||||
</script>
|
||||
|
||||
@@ -7,7 +7,7 @@
|
||||
handle=".handle"
|
||||
v-bind="{
|
||||
animation: 200,
|
||||
group: 'description',
|
||||
group: 'recipe-ingredients',
|
||||
disabled: false,
|
||||
ghostClass: 'ghost',
|
||||
}"
|
||||
@@ -22,6 +22,8 @@
|
||||
class="list-group-item"
|
||||
:disable-amount="recipe.settings.disableAmount"
|
||||
@delete="recipe.recipeIngredient.splice(index, 1)"
|
||||
@insert-above="insertNewIngredient(index)"
|
||||
@insert-below="insertNewIngredient(index+1)"
|
||||
/>
|
||||
</TransitionGroup>
|
||||
</draggable>
|
||||
@@ -140,6 +142,20 @@ export default defineComponent({
|
||||
}
|
||||
}
|
||||
|
||||
function insertNewIngredient(dest: number) {
|
||||
props.recipe.recipeIngredient.splice(dest, 0, {
|
||||
referenceId: uuid4(),
|
||||
title: "",
|
||||
note: "",
|
||||
// @ts-expect-error - prop can be null-type by NoUndefinedField type forces it to be set
|
||||
unit: undefined,
|
||||
// @ts-expect-error - prop can be null-type by NoUndefinedField type forces it to be set
|
||||
food: undefined,
|
||||
disableAmount: true,
|
||||
quantity: 1,
|
||||
});
|
||||
}
|
||||
|
||||
return {
|
||||
user,
|
||||
groupSlug,
|
||||
@@ -148,6 +164,7 @@ export default defineComponent({
|
||||
hasFoodOrUnit,
|
||||
imageKey,
|
||||
drag,
|
||||
insertNewIngredient,
|
||||
};
|
||||
},
|
||||
});
|
||||
|
||||
@@ -79,7 +79,7 @@
|
||||
handle=".handle"
|
||||
v-bind="{
|
||||
animation: 200,
|
||||
group: 'description',
|
||||
group: 'recipe-instructions',
|
||||
ghostClass: 'ghost',
|
||||
}"
|
||||
@input="updateIndex"
|
||||
@@ -170,12 +170,22 @@
|
||||
text: $tc('recipe.move-to-bottom'),
|
||||
event: 'move-to-bottom',
|
||||
},
|
||||
{
|
||||
text: $tc('recipe.insert-above'),
|
||||
event: 'insert-above'
|
||||
},
|
||||
{
|
||||
text: $tc('recipe.insert-below'),
|
||||
event: 'insert-below'
|
||||
},
|
||||
],
|
||||
},
|
||||
]"
|
||||
@merge-above="mergeAbove(index - 1, index)"
|
||||
@move-to-top="moveTo('top', index)"
|
||||
@move-to-bottom="moveTo('bottom', index)"
|
||||
@insert-above="insert(index)"
|
||||
@insert-below="insert(index+1)"
|
||||
@toggle-section="toggleShowTitle(step.id)"
|
||||
@link-ingredients="openDialog(index, step.text, step.ingredientReferences)"
|
||||
@preview-step="togglePreviewState(index)"
|
||||
@@ -550,6 +560,10 @@ export default defineComponent({
|
||||
}
|
||||
}
|
||||
|
||||
function insert(dest: number) {
|
||||
props.value.splice(dest, 0, { id: uuid4(), text: "", title: "", ingredientReferences: [] });
|
||||
}
|
||||
|
||||
const previewStates = ref<boolean[]>([]);
|
||||
|
||||
function togglePreviewState(index: number) {
|
||||
@@ -681,6 +695,7 @@ export default defineComponent({
|
||||
showCookMode,
|
||||
isCookMode,
|
||||
isEditForm,
|
||||
insert,
|
||||
};
|
||||
},
|
||||
});
|
||||
|
||||
@@ -30,6 +30,9 @@
|
||||
<!-- Ingredients -->
|
||||
<section>
|
||||
<v-card-title class="headline pl-0"> {{ $t("recipe.ingredients") }} </v-card-title>
|
||||
<div class="font-italic px-0 py-0">
|
||||
<SafeMarkdown :source="recipe.recipeYield" />
|
||||
</div>
|
||||
<div
|
||||
v-for="(ingredientSection, sectionIndex) in ingredientSections"
|
||||
:key="`ingredient-section-${sectionIndex}`"
|
||||
@@ -88,7 +91,6 @@
|
||||
<div v-if="preferences.showNutrition">
|
||||
<v-card-title class="headline pl-0"> {{ $t("recipe.nutrition") }} </v-card-title>
|
||||
|
||||
|
||||
<section>
|
||||
<div class="print-section">
|
||||
<table class="nutrition-table">
|
||||
|
||||
@@ -69,7 +69,7 @@
|
||||
</v-row>
|
||||
<v-row v-if="!listItem.checked && recipeList && recipeList.length && displayRecipeRefs" no-gutters class="mb-2">
|
||||
<v-col cols="auto" style="width: 100%;">
|
||||
<RecipeList :recipes="recipeList" :list-item="listItem" small tile />
|
||||
<RecipeList :recipes="recipeList" :list-item="listItem" :disabled="isOffline" small tile />
|
||||
</v-col>
|
||||
</v-row>
|
||||
<v-row v-if="listItem.checked" no-gutters class="mb-2">
|
||||
@@ -135,7 +135,11 @@ export default defineComponent({
|
||||
recipes: {
|
||||
type: Map<string, RecipeSummary>,
|
||||
default: undefined,
|
||||
}
|
||||
},
|
||||
isOffline: {
|
||||
type: Boolean,
|
||||
default: false,
|
||||
},
|
||||
},
|
||||
setup(props, context) {
|
||||
const { i18n } = useContext();
|
||||
|
||||
@@ -53,4 +53,3 @@ export default defineComponent({
|
||||
},
|
||||
});
|
||||
</script>
|
||||
|
||||
|
||||
@@ -32,4 +32,3 @@ The Page folder is dedicated to 'single-use' component to break up large amounts
|
||||
- These are *last resort* components. Only to be used when the page becomes unmanageable.
|
||||
- Page components should be prefixed with their page name
|
||||
- Examples: HomeAbout, HomeContact, ClientProfile
|
||||
|
||||
|
||||
@@ -1,11 +1,12 @@
|
||||
<template>
|
||||
<v-alert border="left" colored-border type="warning" elevation="2" :icon="$globals.icons.alert">
|
||||
<b>{{ $t("banner-experimental.title") }}</b>
|
||||
<div>{{ $t("banner-experimental.description") }}</div>
|
||||
<div v-if="issue != ''" class="py-2">
|
||||
<BannerWarning
|
||||
:title="$tc('banner-experimental.title')"
|
||||
:description="$tc('banner-experimental.description')"
|
||||
>
|
||||
<template v-if="issue" #default>
|
||||
<a :href="issue" target="_blank">{{ $t("banner-experimental.issue-link-text") }}</a>
|
||||
</div>
|
||||
</v-alert>
|
||||
</template>
|
||||
</BannerWarning>
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
|
||||
26
frontend/components/global/BannerWarning.vue
Normal file
26
frontend/components/global/BannerWarning.vue
Normal file
@@ -0,0 +1,26 @@
|
||||
<template>
|
||||
<v-alert border="left" colored-border type="warning" elevation="2" :icon="$globals.icons.alert">
|
||||
<b v-if="title">{{ title }}</b>
|
||||
<div v-if="description">{{ description }}</div>
|
||||
<div v-if="$slots.default" class="py-2">
|
||||
<slot></slot>
|
||||
</div>
|
||||
</v-alert>
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
export default {
|
||||
props: {
|
||||
title: {
|
||||
type: String,
|
||||
required: false,
|
||||
default: "",
|
||||
},
|
||||
description: {
|
||||
type: String,
|
||||
required: false,
|
||||
default: "",
|
||||
},
|
||||
},
|
||||
};
|
||||
</script>
|
||||
@@ -19,6 +19,7 @@ export const useFoodData = function () {
|
||||
name: "",
|
||||
description: "",
|
||||
labelId: undefined,
|
||||
onHand: false,
|
||||
});
|
||||
|
||||
function reset() {
|
||||
@@ -26,6 +27,7 @@ export const useFoodData = function () {
|
||||
data.name = "";
|
||||
data.description = "";
|
||||
data.labelId = undefined;
|
||||
data.onHand = false;
|
||||
}
|
||||
|
||||
return {
|
||||
|
||||
164
frontend/composables/use-shopping-list-item-actions.ts
Normal file
164
frontend/composables/use-shopping-list-item-actions.ts
Normal file
@@ -0,0 +1,164 @@
|
||||
import { computed, ref } from "@nuxtjs/composition-api";
|
||||
import { useLocalStorage } from "@vueuse/core";
|
||||
import { useUserApi } from "~/composables/api";
|
||||
import { ShoppingListItemOut } from "~/lib/api/types/group";
|
||||
|
||||
const localStorageKey = "shopping-list-queue";
|
||||
const queueTimeout = 5 * 60 * 1000; // 5 minutes
|
||||
|
||||
type ItemQueueType = "create" | "update" | "delete";
|
||||
|
||||
interface ShoppingListQueue {
|
||||
create: ShoppingListItemOut[];
|
||||
update: ShoppingListItemOut[];
|
||||
delete: ShoppingListItemOut[];
|
||||
|
||||
lastUpdate: number;
|
||||
}
|
||||
|
||||
interface Storage {
|
||||
[key: string]: ShoppingListQueue;
|
||||
}
|
||||
|
||||
export function useShoppingListItemActions(shoppingListId: string) {
|
||||
const api = useUserApi();
|
||||
const storage = useLocalStorage(localStorageKey, {} as Storage, { deep: true });
|
||||
const queue = storage.value[shoppingListId] ||= { create: [], update: [], delete: [], lastUpdate: Date.now()};
|
||||
const queueEmpty = computed(() => !queue.create.length && !queue.update.length && !queue.delete.length);
|
||||
if (queueEmpty.value) {
|
||||
queue.lastUpdate = Date.now();
|
||||
}
|
||||
|
||||
const isOffline = ref(false);
|
||||
|
||||
function removeFromQueue(queue: ShoppingListItemOut[], item: ShoppingListItemOut): boolean {
|
||||
const index = queue.findIndex(i => i.id === item.id);
|
||||
if (index === -1) {
|
||||
return false;
|
||||
}
|
||||
|
||||
queue.splice(index, 1);
|
||||
return true;
|
||||
}
|
||||
|
||||
async function getList() {
|
||||
const response = await api.shopping.lists.getOne(shoppingListId);
|
||||
handleResponse(response);
|
||||
return response.data;
|
||||
}
|
||||
|
||||
function createItem(item: ShoppingListItemOut) {
|
||||
removeFromQueue(queue.create, item);
|
||||
queue.create.push(item);
|
||||
}
|
||||
|
||||
function updateItem(item: ShoppingListItemOut) {
|
||||
const removedFromCreate = removeFromQueue(queue.create, item);
|
||||
if (removedFromCreate) {
|
||||
// this item hasn't been created yet, so we don't need to update it
|
||||
queue.create.push(item);
|
||||
return;
|
||||
}
|
||||
|
||||
removeFromQueue(queue.update, item);
|
||||
queue.update.push(item);
|
||||
}
|
||||
|
||||
function deleteItem(item: ShoppingListItemOut) {
|
||||
const removedFromCreate = removeFromQueue(queue.create, item);
|
||||
if (removedFromCreate) {
|
||||
// this item hasn't been created yet, so we don't need to delete it
|
||||
return;
|
||||
}
|
||||
|
||||
removeFromQueue(queue.update, item);
|
||||
removeFromQueue(queue.delete, item);
|
||||
queue.delete.push(item);
|
||||
}
|
||||
|
||||
function getQueueItems(itemQueueType: ItemQueueType) {
|
||||
return queue[itemQueueType];
|
||||
}
|
||||
|
||||
function clearQueueItems(itemQueueType: ItemQueueType | "all", itemIds: string[] | null = null) {
|
||||
if (itemQueueType === "create" || itemQueueType === "all") {
|
||||
queue.create = itemIds ? queue.create.filter(item => !itemIds.includes(item.id)) : [];
|
||||
}
|
||||
if (itemQueueType === "update" || itemQueueType === "all") {
|
||||
queue.update = itemIds ? queue.update.filter(item => !itemIds.includes(item.id)) : [];
|
||||
}
|
||||
if (itemQueueType === "delete" || itemQueueType === "all") {
|
||||
queue.delete = itemIds ? queue.delete.filter(item => !itemIds.includes(item.id)) : [];
|
||||
}
|
||||
|
||||
// Set the storage value explicitly so changes are saved in the browser.
|
||||
storage.value[shoppingListId] = { ...queue };
|
||||
}
|
||||
|
||||
/**
|
||||
* Handles the response from the backend and sets the isOffline flag if necessary.
|
||||
*/
|
||||
function handleResponse(response: any) {
|
||||
// TODO: is there a better way of checking for network errors?
|
||||
isOffline.value = response.error?.message?.includes("Network Error") || false;
|
||||
}
|
||||
|
||||
async function processQueueItems(
|
||||
action: (items: ShoppingListItemOut[]) => Promise<any>,
|
||||
itemQueueType: ItemQueueType,
|
||||
) {
|
||||
const queueItems = getQueueItems(itemQueueType);
|
||||
if (!queueItems.length) {
|
||||
return;
|
||||
}
|
||||
|
||||
const itemsToProcess = [...queueItems];
|
||||
await action(itemsToProcess)
|
||||
.then((response) => {
|
||||
handleResponse(response);
|
||||
if (!isOffline.value) {
|
||||
clearQueueItems(itemQueueType, itemsToProcess.map(item => item.id));
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
async function process() {
|
||||
if(
|
||||
!queue.create.length &&
|
||||
!queue.update.length &&
|
||||
!queue.delete.length
|
||||
) {
|
||||
return;
|
||||
}
|
||||
|
||||
const data = await getList();
|
||||
if (!data) {
|
||||
return;
|
||||
}
|
||||
|
||||
const cutoffDate = new Date(queue.lastUpdate + queueTimeout).toISOString();
|
||||
if (data.updateAt && data.updateAt > cutoffDate) {
|
||||
// If the queue is too far behind the shopping list to reliably do updates, we clear the queue
|
||||
clearQueueItems("all");
|
||||
} else {
|
||||
// We send each bulk request one at a time, since the backend may merge items
|
||||
await processQueueItems((items) => api.shopping.items.deleteMany(items), "delete");
|
||||
await processQueueItems((items) => api.shopping.items.updateMany(items), "update");
|
||||
await processQueueItems((items) => api.shopping.items.createMany(items), "create");
|
||||
}
|
||||
|
||||
// If we're online, the queue is fully processed, so we're up to date
|
||||
if (!isOffline.value) {
|
||||
queue.lastUpdate = Date.now();
|
||||
}
|
||||
}
|
||||
|
||||
return {
|
||||
isOffline,
|
||||
getList,
|
||||
createItem,
|
||||
updateItem,
|
||||
deleteItem,
|
||||
process,
|
||||
};
|
||||
}
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Is jy seker jy wil <b>{groupName}<b/> uitvee?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Bestanddele",
|
||||
"insert-ingredient": "Voeg bestanddeel in",
|
||||
"insert-section": "Voeg bestanddeel in",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruksies",
|
||||
"key-name-required": "Sleutelnaam word vereis",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Geen gekoppelde resepte|Een gekoppelde resep|{count} gekoppelde resepte",
|
||||
"items-checked-count": "Geen items gemerk|Een item gemerk|{count} items gemerk",
|
||||
"no-label": "Geen etiket nie",
|
||||
"completed-on": "Voltooi op {date}"
|
||||
"completed-on": "Voltooi op {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Alle resepte",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Wysig kos",
|
||||
"food-data": "Voedseldata",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Saai die databasis met algemene eenhede gebaseer op jou plaaslike taal.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Vul die databasis met algemene etikette gebaseer op jou plaaslike taal.",
|
||||
"edit-label": "Wysig etiket",
|
||||
"new-label": "Nuwe etiket",
|
||||
"labels": "Etikette"
|
||||
"labels": "Etikette",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Verwyder uitvoerlêers",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "هل انت متأكد من رغبتك في حذف <b>{groupName}<b/>؟",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "المكونات",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "ادراج قسم",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "التعليمات",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Имате незапазени промени. Желаете ли да ги запазите преди да излезете? Натиснете Ок за запазване и Отказ за отхвърляне на промените.",
|
||||
"clipboard-copy-failure": "Линкът към рецептата е копиран в клипборда.",
|
||||
"confirm-delete-generic-items": "Сигурни ли сте, че желаете да изтриете следните елементи?",
|
||||
"organizers": "Органайзер"
|
||||
"organizers": "Органайзер",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Сигурни ли сте, че искате да изтриете <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Съставки",
|
||||
"insert-ingredient": "Въведете съставка",
|
||||
"insert-section": "Въведете раздел",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Инструкции",
|
||||
"key-name-required": "Ключовото име е задължително",
|
||||
"landscape-view-coming-soon": "Пейзажен изглед",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Няма свързани рецепти|Една свързана рецепта|{count} свързани рецепти",
|
||||
"items-checked-count": "Няма отбелязани етикети|Един елемент е отбелязан|{count} елементи са отбелязани",
|
||||
"no-label": "Няма етикет",
|
||||
"completed-on": "Приключена на {date}"
|
||||
"completed-on": "Приключена на {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Всички рецепти",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Редактирай храна",
|
||||
"food-data": "Данни за храните",
|
||||
"example-food-singular": "пример: Домат",
|
||||
"example-food-plural": "пример: Домати"
|
||||
"example-food-plural": "пример: Домати",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Заредете базата данни с мерни единици на Вашия местен език.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Заредете базата данни с етикети на Вашия местен език.",
|
||||
"edit-label": "Редактиране на етикет",
|
||||
"new-label": "Нов етикет",
|
||||
"labels": "Етикети"
|
||||
"labels": "Етикети",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Изчистване на експортите",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Tens canvis que no estan guardats. Vols guardar-los abans de sortir? Clica d'acord per guardar-los o cancel·lar per descartar els canvis.",
|
||||
"clipboard-copy-failure": "No s'ha pogut copiar al porta-retalls.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organitzadors"
|
||||
"organizers": "Organitzadors",
|
||||
"caution": "Precaució"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Esteu segur de voler suprimir el grup <b>{groupName}<b/>?",
|
||||
@@ -367,7 +368,7 @@
|
||||
"choose-migration-type": "Elegeix un tipus de migració",
|
||||
"tag-all-recipes": "Etiqueta totes les receptes amb {tag-name}",
|
||||
"nextcloud-text": "Les receptes de Nextcloud poden ser importades d'un fitxer ZIP que contingui les dades emmagatzemades en Nextcloud. Segueix l'exemple d'estructura de directori de sota per assegurar que les receptes podran ser importades.",
|
||||
"chowdown-text": "Mealie natively supports the chowdown repository format. Download the code repository as a .zip file and upload it below.",
|
||||
"chowdown-text": "Mealie suporta de forma nativa el format de Chowdown. Descarrega el codi del repositori com a .zip i puja'l a sota.",
|
||||
"recipe-1": "Recepta 1",
|
||||
"recipe-2": "Recepta 2",
|
||||
"paprika-text": "Mealie pot importar receptes des de l'aplicació Paprika. Exporta les teves receptes de Paprika, reanomena l'extensió de l'arxiu a .zip i penja'l aquí sota.",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Afegiu ingredient",
|
||||
"insert-section": "Insereix una secció",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruccions",
|
||||
"key-name-required": "Es requereix un nom de clau",
|
||||
"landscape-view-coming-soon": "Vista apaïsada (aviat)",
|
||||
@@ -754,7 +757,7 @@
|
||||
"email-configured": "Correu electrònic configurat",
|
||||
"email-test-results": "Email Test Results",
|
||||
"ready": "Llest",
|
||||
"not-ready": "Not Ready - Check Environmental Variables",
|
||||
"not-ready": "No està llest - Comprova les variables d'entorn",
|
||||
"succeeded": "Va tenir èxit",
|
||||
"failed": "Ha fallat",
|
||||
"general-about": "Informació General",
|
||||
@@ -769,12 +772,12 @@
|
||||
"server-side-base-url-success-text": "Server Side URL does not match the default",
|
||||
"ldap-ready": "LDAP Ready",
|
||||
"ldap-ready-error-text": "Not all LDAP Values are configured. This can be ignored if you are not using LDAP Authentication.",
|
||||
"ldap-ready-success-text": "Required LDAP variables are all set.",
|
||||
"build": "Build",
|
||||
"ldap-ready-success-text": "Les variables requerides per LDAP estan establertes.",
|
||||
"build": "Versió de compilació",
|
||||
"recipe-scraper-version": "Recipe Scraper Version",
|
||||
"oidc-ready": "OIDC Ready",
|
||||
"oidc-ready-error-text": "Not all OIDC Values are configured. This can be ignored if you are not using OIDC Authentication.",
|
||||
"oidc-ready-success-text": "Required OIDC variables are all set.",
|
||||
"oidc-ready": "OIDC Llest",
|
||||
"oidc-ready-error-text": "No tots els valors d'OIDC estan configurats. Es pot ignorar si no s'està utilitzant l'autenticació d'OIDC.",
|
||||
"oidc-ready-success-text": "Les variables requerides per OICD estan establertes.",
|
||||
"openai-ready": "Llest per OpenAI",
|
||||
"openai-ready-error-text": "No tots els valors d'OpenAI estan configurats. Es pot ignorar si no s'estan utilitzant les funcionalitats d'OpenAI.",
|
||||
"openai-ready-success-text": "Les variables requerides per OpenAI estan establertes."
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "Sense etiqueta",
|
||||
"completed-on": "Completat el {date}"
|
||||
"completed-on": "Completat el {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Receptes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Editar Aliment",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "p. ex.: Ceba",
|
||||
"example-food-plural": "p. ex.: Cebes"
|
||||
"example-food-plural": "p. ex.: Cebes",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Afegeix a la base de dades les unitats més comunes en el vostre idioma.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Afegeix a la base de dades etiquetes comunes en el vostre idioma.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assigna L'etiqueta"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -64,7 +64,7 @@
|
||||
"something-went-wrong": "Něco se nepovedlo!",
|
||||
"subscribed-events": "Odebírané události",
|
||||
"test-message-sent": "Testovací zpráva odeslána",
|
||||
"message-sent": "Message Sent",
|
||||
"message-sent": "Zpráva odeslána",
|
||||
"new-notification": "Nové oznámení",
|
||||
"event-notifiers": "Notifikace událostí",
|
||||
"apprise-url-skipped-if-blank": "Apprise URL (přeskočeno pokud je prázdné)",
|
||||
@@ -81,7 +81,7 @@
|
||||
"recipe-events": "Recipe Events"
|
||||
},
|
||||
"general": {
|
||||
"add": "Add",
|
||||
"add": "Přidat",
|
||||
"cancel": "Zrušit",
|
||||
"clear": "Vymazat",
|
||||
"close": "Zavřít",
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Jste si jisti, že chcete smazat <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredience",
|
||||
"insert-ingredient": "Vložte ingredience",
|
||||
"insert-section": "Vložit sekci",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Postup",
|
||||
"key-name-required": "Je vyžadován název klíče",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "Bez štítku",
|
||||
"completed-on": "Dokončeno dne {date}"
|
||||
"completed-on": "Dokončeno dne {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Všechny recepty",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Naplnit databázi s běžnými jednotkami používanými ve vašem jazyce.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Naplnit databázi s běžnými popisky používanými ve vašem jazyce.",
|
||||
"edit-label": "Upravit štítek",
|
||||
"new-label": "New Label",
|
||||
"labels": "Štítky"
|
||||
"labels": "Štítky",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Du har ændringer som ikke er gemt. Vil du gemme før du forlader? Vælg \"Okay\" for at gemme, eller \"Annullér\" for at kassere ændringer.",
|
||||
"clipboard-copy-failure": "Kopiering til udklipsholderen mislykkedes.",
|
||||
"confirm-delete-generic-items": "Er du sikker på at du ønsker at slette de valgte emner?",
|
||||
"organizers": "Organisatorer"
|
||||
"organizers": "Organisatorer",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Er du sikker på, du vil slette <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredienser",
|
||||
"insert-ingredient": "Indsæt Ingrediens",
|
||||
"insert-section": "Indsæt sektion",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruktioner",
|
||||
"key-name-required": "Nøglenavn påkrævet",
|
||||
"landscape-view-coming-soon": "Liggende visning (Kommer snart)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Ingen Sammenkædede Opskrifter: En Sammenkædet Opskrift.{count} Sammenkædede Opskrifter",
|
||||
"items-checked-count": "Ingen elementer markeret|Et element markeret|{count} elementer er markeret",
|
||||
"no-label": "Ingen etiket",
|
||||
"completed-on": "Afsluttet den {date}"
|
||||
"completed-on": "Afsluttet den {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Alle opskr.",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Redigér fødevare",
|
||||
"food-data": "Oplysninger om fødevare",
|
||||
"example-food-singular": "fx.: grøntsag",
|
||||
"example-food-plural": "fx.: grøntsager"
|
||||
"example-food-plural": "fx.: grøntsager",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Opret standard enheder i dit sprog.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Opret standard etiketter på dit sprog.",
|
||||
"edit-label": "Redigér etiket",
|
||||
"new-label": "Ny etiket",
|
||||
"labels": "Etiketter"
|
||||
"labels": "Etiketter",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Tøm Eksport",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Du hast ungespeicherte Änderungen. Möchtest du vor dem Verlassen speichern? OK um zu speichern, Cancel um Änderungen zu verwerfen.",
|
||||
"clipboard-copy-failure": "Fehler beim Kopieren in die Zwischenablage.",
|
||||
"confirm-delete-generic-items": "Bist du dir sicher, dass du die folgenden Einträge löschen möchtest?",
|
||||
"organizers": "Organisieren"
|
||||
"organizers": "Organisieren",
|
||||
"caution": "Vorsicht"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Bist du dir sicher, dass du die Gruppe <b>{groupName}<b/> löschen möchtest?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Zutaten",
|
||||
"insert-ingredient": "Zutat einfügen",
|
||||
"insert-section": "Abschnitt einfügen",
|
||||
"insert-above": "Darüber einfügen",
|
||||
"insert-below": "Darunter einfügen",
|
||||
"instructions": "Zubereitung",
|
||||
"key-name-required": "Schlüsselname benötigt",
|
||||
"landscape-view-coming-soon": "Querformat",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Kein verknüpftes Rezept|Ein verknüpftes Rezept|{count} verknüpfte Rezepte",
|
||||
"items-checked-count": "Kein Eintrag erledigt|Ein Eintrag erledigt|{count} Einträge erledigt",
|
||||
"no-label": "Kein Etikett",
|
||||
"completed-on": "Erledigt am {date}"
|
||||
"completed-on": "Erledigt am {date}",
|
||||
"you-are-offline": "Keine Verbindung zum Internet",
|
||||
"you-are-offline-description": "Nicht alle Funktionen sind offline verfügbar. Du kannst weiterhin Einträge hinzufügen, ändern und entfernen, aber Änderungen werden erst dann mit dem Server synchronisiert, wenn du wieder online bist.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Bist du sicher, dass du alle Elemente markieren möchtest?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Bist du sicher, dass du die Auswahl aller Elemente aufheben möchtest?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Bist du sicher, dass du alle ausgewählten Elemente löschen möchtest?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Alle Rezepte",
|
||||
@@ -838,7 +846,7 @@
|
||||
"sign-up-links": "Registrierungslinks",
|
||||
"sign-up-token-deleted": "Registrierungs-Token entfernt",
|
||||
"sign-up-token-deletion-failed": "Entfernen des Registrierungs-Tokens fehlgeschlagen",
|
||||
"welcome-to-mealie": "Willkommen bei Mealie! Um ein Benutzer dieser Instanz zu werden musst du einen gültigen Einladungslink haben. Wenn du keine Einladung erhalten hast kannst du dich nicht registrieren. Wende dich an den Administrator, um einen Link zu erhalten."
|
||||
"welcome-to-mealie": "Willkommen bei Mealie! Um ein Benutzer dieser Instanz zu werden, musst du einen gültigen Einladungslink haben. Wenn du keine Einladung erhalten hast, kannst du dich nicht registrieren. Wende dich an den Administrator, um einen Link zu erhalten."
|
||||
},
|
||||
"tag": {
|
||||
"tag-created": "Schlagwort angelegt",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Lebensmittel bearbeiten",
|
||||
"food-data": "Lebensmitteldaten",
|
||||
"example-food-singular": "z.B. Zwiebel",
|
||||
"example-food-plural": "z.B. Zwiebeln"
|
||||
"example-food-plural": "z.B. Zwiebeln",
|
||||
"label-overwrite-warning": "Hiermit wird das ausgewählte Etikett allen ausgewählten Lebensmitteln zugewiesen und möglicherweise bestehende Etiketten werden überschrieben.",
|
||||
"on-hand-checkbox-label": "Mit dieser Markierung wird dieses Lebensmittel standardmäßig deaktiviert, wenn ein Rezept einer Einkaufsliste hinzugefügt wird."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Füllt die Datenbank mit gängigen Maßeinheiten basierend auf deiner Sprache.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Füllt die Datenbank mit gängigen Etiketten basierend auf deiner Sprache.",
|
||||
"edit-label": "Etikett bearbeiten",
|
||||
"new-label": "Neues Etikett",
|
||||
"labels": "Etiketten"
|
||||
"labels": "Etiketten",
|
||||
"assign-label": "Etikett zuweisen"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Exporte bereinigen",
|
||||
|
||||
@@ -67,7 +67,7 @@
|
||||
"message-sent": "Το μήνυμα εστάλη",
|
||||
"new-notification": "Νέα ειδοποίηση",
|
||||
"event-notifiers": "Ειδοποιητές Συμβάντος",
|
||||
"apprise-url-skipped-if-blank": "Apprise URL (skipped if blank)",
|
||||
"apprise-url-skipped-if-blank": "URL για ενημέρωση (παραλείπεται αν είναι κενό)",
|
||||
"enable-notifier": "Ενεργοποίηση Ειδοποίησης",
|
||||
"what-events": "What events should this notifier subscribe to?",
|
||||
"user-events": "Συμβάντα Χρήστη",
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Εχετε μη αποθηκευμένες αλλαγές. Θέλετε να κάνετε αποθήκευση πριν από την αποχώρηση; Εντάξει για αποθήκευση, Ακυρο για απόρριψη των αλλαγών.",
|
||||
"clipboard-copy-failure": "Η αντιγραφή στο πρόχειρο απέτυχε.",
|
||||
"confirm-delete-generic-items": "Θέλετε σίγουρα να διαγράψετε τα ακόλουθα αντικείμενα;",
|
||||
"organizers": "Οργανωτές"
|
||||
"organizers": "Οργανωτές",
|
||||
"caution": "Προσοχή"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Θέλετε σίγουρα να διαγράψετε αυτό τον ασφαλή σύνδεσμο <b>{groupName}<b/>;",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Συστατικά",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Εισαγωγή ενότητας",
|
||||
"insert-above": "Εισαγωγή από επάνω",
|
||||
"insert-below": "Εισαγωγή από κάτω",
|
||||
"instructions": "Οδηγίες",
|
||||
"key-name-required": "Απαιτείται Όνομα Κλειδιού",
|
||||
"landscape-view-coming-soon": "Οριζόντια Προβολή (Σύντομα)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "Είστε εκτός σύνδεσης",
|
||||
"you-are-offline-description": "Δεν είναι όλες οι λειτουργίες διαθέσιμες όταν είναι εκτός σύνδεσης. Μπορείτε ακόμα να προσθέσετε, να τροποποιήσετε και να αφαιρέσετε αντικείμενα, αλλά δεν θα μπορείτε να συγχρονίσετε τις αλλαγές σας στο διακομιστή μέχρι να επανέλθει η σύνδεση στο διαδίκτυο.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Θέλετε σίγουρα να επιλέξετε όλα τα στοιχεία;",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Θέλετε σίγουρα να αποεπιλέξετε όλα τα στοιχεία;",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Θέλετε σίγουρα να διαγράψετε όλα τα επιλεγμένα στοιχεία;"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Συνταγές όλες",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Η ρύθμιση αυτής της σημαίας θα κάνει αυτό το φαγητό αποεπιλεγμένο από προεπιλογή κατά την προσθήκη μιας συνταγής σε μια λίστα αγορών."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Ορισμός Ετικέτας"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organisers"
|
||||
"organizers": "Organisers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Tienes cambios sin guardar. ¿Quieres guardar antes de salir? Aceptar para guardar, Cancelar para descartar cambios.",
|
||||
"clipboard-copy-failure": "No se pudo copiar al portapapeles.",
|
||||
"confirm-delete-generic-items": "¿Estás seguro que quieres eliminar los siguientes elementos?",
|
||||
"organizers": "Organizadores"
|
||||
"organizers": "Organizadores",
|
||||
"caution": "Precaución"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Por favor, confirma que deseas eliminar <b>{groupName}<b/>",
|
||||
@@ -292,7 +293,7 @@
|
||||
"no-meal-plan-defined-yet": "Todavía no hay ningún menú",
|
||||
"no-meal-planned-for-today": "No hay ningún menú para hoy",
|
||||
"numberOfDays-hint": "Número de días al cargar la página",
|
||||
"numberOfDays-label": "Default Days",
|
||||
"numberOfDays-label": "Días por defecto",
|
||||
"only-recipes-with-these-categories-will-be-used-in-meal-plans": "Sólo las recetas con estas categorías se utilizarán en los menús",
|
||||
"planner": "Planificador",
|
||||
"quick-week": "Plan rápido",
|
||||
@@ -382,7 +383,7 @@
|
||||
},
|
||||
"recipekeeper": {
|
||||
"title": "Recipe Keeper",
|
||||
"description-long": "Mealie can import recipes from Recipe Keeper. Export your recipes in zip format, then upload the .zip file below."
|
||||
"description-long": "Mealie puede importar recetas de Recipe Keeper. Exporta tus recetas en formato zip y luego sube el archivo a continuación."
|
||||
}
|
||||
},
|
||||
"new-recipe": {
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredientes",
|
||||
"insert-ingredient": "Agregar ingrediente",
|
||||
"insert-section": "Insertar sección",
|
||||
"insert-above": "Insertar Arriba",
|
||||
"insert-below": "Insertar Debajo",
|
||||
"instructions": "Instrucciones",
|
||||
"key-name-required": "Nombre de clave requerido",
|
||||
"landscape-view-coming-soon": "Vista apaisada (Próximamente)",
|
||||
@@ -583,8 +586,8 @@
|
||||
"report-deletion-failed": "Error al eliminar el reporte",
|
||||
"recipe-debugger": "Depurador de recetas",
|
||||
"recipe-debugger-description": "Obtenga la URL de la receta que desea depurar y pegala aquí. La URL será analizadada por el extractor de recetas y los resultados se mostrarán. Si no ves ningún dato devuelta, el sitio que estás intentando rascar no está soportado por Mealie o su biblioteca de analizadores.",
|
||||
"use-openai": "Use OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Use OpenAI to parse the results instead of relying on the scraper library. When creating a recipe via URL, this is done automatically if the scraper library fails, but you may test it manually here.",
|
||||
"use-openai": "Usar OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Utilice OpenAI para analizar los resultados en lugar de depender de la biblioteca de analizadores. Cuando se crea una receta a través de la URL, esto se hace automáticamente si la biblioteca del analizador falla, pero puede probarla manualmente aquí.",
|
||||
"debug": "Depuración",
|
||||
"tree-view": "Vista en árbol",
|
||||
"recipe-yield": "Porciones",
|
||||
@@ -637,7 +640,7 @@
|
||||
"backup-created-at-response-export_path": "Copia de seguridad creada en {path}",
|
||||
"backup-deleted": "Copia de seguridad eliminada",
|
||||
"restore-success": "Restauración exitosa",
|
||||
"restore-fail": "Restore failed. Check your server logs for more details",
|
||||
"restore-fail": "Restauración fallida. Compruebe los registros de su servidor para más detalles",
|
||||
"backup-tag": "Etiqueta de la copia de seguridad",
|
||||
"create-heading": "Crear una copia de seguridad",
|
||||
"delete-backup": "Eliminar copia de seguridad",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No hay recetas vinculadas|Una receta vinculada|{count} recetas vinculadas",
|
||||
"items-checked-count": "Ningún elemento comprobado|Un elemento comprobado|{count} elementos comprobados",
|
||||
"no-label": "Sin Etiqueta",
|
||||
"completed-on": "Completado el {date}"
|
||||
"completed-on": "Completado el {date}",
|
||||
"you-are-offline": "Estás sin conexión",
|
||||
"you-are-offline-description": "No todas las características están disponibles mientras esté fuera de línea. Todavía puedes añadir, modificar y eliminar elementos, pero no podrá sincronizar sus cambios en el servidor hasta que vuelva a estar en línea.",
|
||||
"are-you-sure-you-want-to-check-all-items": "¿Seguro que quieres seleccionar todos los elementos?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "¿Seguro que quieres de-seleccionar todos los elementos?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "¿Está seguro que deseas eliminar los elementos seleccionados?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Recetas",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Editar Alimento",
|
||||
"food-data": "Datos de Alimento",
|
||||
"example-food-singular": "ej: Cebolla",
|
||||
"example-food-plural": "ej: Cebollas"
|
||||
"example-food-plural": "ej: Cebollas",
|
||||
"label-overwrite-warning": "Esto asignará la etiqueta elegida a todos los alimentos seleccionados y potencialmente sobrescribirá las etiquetas existentes.",
|
||||
"on-hand-checkbox-label": "Establecer esta bandera hará que este alimento se desmarque por defecto al añadir una receta a una lista de compras."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Añade a la base de datos unidades comunes basadas en su idioma local.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Añade a la base de datos etiquetas comunes basadas en su idioma local.",
|
||||
"edit-label": "Editar etiqueta",
|
||||
"new-label": "Nueva etiqueta",
|
||||
"labels": "Etiquetas"
|
||||
"labels": "Etiquetas",
|
||||
"assign-label": "Asignar Etiqueta"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Limpiar exportaciones",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Et ole tallentanut tekemiäsi muutoksia. Tallennetaanko ne? Paina \"ok\" tallentaaksesi ja \"peruuta\", jos et halua tallentaa.",
|
||||
"clipboard-copy-failure": "Kopioiminen leikepöydälle epäonnistui.",
|
||||
"confirm-delete-generic-items": "Haluatko varmasti poistaa seuraavat kohteet?",
|
||||
"organizers": "Järjestäjät"
|
||||
"organizers": "Järjestäjät",
|
||||
"caution": "Huomio"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Haluatko varmasti poistaa ryhmän <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ainesosat",
|
||||
"insert-ingredient": "Lisää Ainesosa",
|
||||
"insert-section": "Lisää osio",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Ohjeet",
|
||||
"key-name-required": "Avaimen nimi vaaditaan",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Ei Linkitettyjä Reseptejä: Yksi Linkitetty Resepti:{count} Linkitettyjä Reseptejä",
|
||||
"items-checked-count": "Ei kohteita valittu: Yksi kohde tarkistettu:{count} kohdetta tarkistettu",
|
||||
"no-label": "Ei tunnistetta",
|
||||
"completed-on": "Valmistui {date}"
|
||||
"completed-on": "Valmistui {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Reseptit",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Muokkaa elintarviketta",
|
||||
"food-data": "Elintarvikkeiden tiedot",
|
||||
"example-food-singular": "esim. sipuli",
|
||||
"example-food-plural": "esim. sipulit"
|
||||
"example-food-plural": "esim. sipulit",
|
||||
"label-overwrite-warning": "Tämä määrittää valitun tunnisteen kaikille valituille elintarvikkeille ja mahdollisesti korvaa olemassa olevat tunnisteet.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Lisää tietokantaan yksiköt paikallisen kielen perusteella.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Lisää tietokantaan yleiset tunnisteet paikallisen kielen perusteella.",
|
||||
"edit-label": "Muokkaa tunnistetta",
|
||||
"new-label": "Uusi tunniste",
|
||||
"labels": "Tunnisteet"
|
||||
"labels": "Tunnisteet",
|
||||
"assign-label": "Määritä tunniste"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Tyhjennä Vientitiedostot",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Vous avez des modifications non enregistrées. Voulez-vous les enregistrer ? Ok pour enregistrer, annuler pour ignorer les modifications.",
|
||||
"clipboard-copy-failure": "Échec de la copie vers le presse-papiers.",
|
||||
"confirm-delete-generic-items": "Êtes-vous sûr de vouloir supprimer les éléments suivants ?",
|
||||
"organizers": "Classification"
|
||||
"organizers": "Classification",
|
||||
"caution": "Avertissement"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Êtes-vous certain de vouloir supprimer <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingrédients",
|
||||
"insert-ingredient": "Insérer un ingrédient",
|
||||
"insert-section": "Insérer une section",
|
||||
"insert-above": "Insérer au-dessus",
|
||||
"insert-below": "Insérer en dessous",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Un nom de clé est requis",
|
||||
"landscape-view-coming-soon": "Vue paysage (bientôt disponible)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Aucune recette liée|Une recette liée|{count} recettes liées",
|
||||
"items-checked-count": "Aucun élément coché|Un élément coché|{count} éléments cochés",
|
||||
"no-label": "Aucune étiquette",
|
||||
"completed-on": "Terminé le {date}"
|
||||
"completed-on": "Terminé le {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Voulez-vous vraiment sélectionner tous les éléments ?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Voulez-vous vraiment désélectionner tous les éléments ?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Voulez-vous vraiment supprimer tous les éléments sélectionnés ?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Les recettes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Modifier Aliment",
|
||||
"food-data": "Données de l'aliment",
|
||||
"example-food-singular": "ex : Oignon",
|
||||
"example-food-plural": "ex : Oignons"
|
||||
"example-food-plural": "ex : Oignons",
|
||||
"label-overwrite-warning": "Ceci affectera l’étiquette choisie à tous les aliments sélectionnés et remplacera potentiellement vos étiquettes existantes.",
|
||||
"on-hand-checkbox-label": "Appliquer cet attribut décochera cet aliment par défaut lorsqu'il est ajouté à une liste de courses."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Initialisez la base de données avec des unités communes basées sur votre langue locale.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Initialisez la base de données avec des étiquettes communes basées sur votre langue locale.",
|
||||
"edit-label": "Modifier l’étiquette",
|
||||
"new-label": "Nouvelle étiquette",
|
||||
"labels": "Étiquettes"
|
||||
"labels": "Étiquettes",
|
||||
"assign-label": "Affecter une étiquette"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purger les exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Vous avez des modifications non enregistrées. Voulez-vous enregistrer avant de partir ? OK pour enregistrer, Annuler pour ignorer les modifications.",
|
||||
"clipboard-copy-failure": "Échec de la copie dans le presse-papiers.",
|
||||
"confirm-delete-generic-items": "Êtes-vous sûr de vouloir supprimer les éléments suivants ?",
|
||||
"organizers": "Classification"
|
||||
"organizers": "Classification",
|
||||
"caution": "Avertissement"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Voulez-vous vraiment supprimer <b>{groupName}<b/> ?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingrédients",
|
||||
"insert-ingredient": "Insérer un ingrédient",
|
||||
"insert-section": "Insérer une section",
|
||||
"insert-above": "Insérer au-dessus",
|
||||
"insert-below": "Insérer en dessous",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Un nom de clé est requis",
|
||||
"landscape-view-coming-soon": "Vue paysage",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Aucune recette liée|Une recette liée|{count} recettes liées",
|
||||
"items-checked-count": "Aucun élément coché|Un élément coché|{count} éléments cochés",
|
||||
"no-label": "Aucune étiquette",
|
||||
"completed-on": "Terminé le {date}"
|
||||
"completed-on": "Terminé le {date}",
|
||||
"you-are-offline": "Vous êtes hors-ligne",
|
||||
"you-are-offline-description": "Certaines fonctionnalités ne sont pas disponibles lorsque vous êtes hors-ligne. Vous pouvez toujours ajouter, modifier et supprimer des éléments, mais il ne sera pas possible de synchroniser les changements avec le serveur tant que vous ne serez pas en ligne.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Voulez-vous vraiment sélectionner tous les éléments ?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Voulez-vous vraiment désélectionner tous les éléments ?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Voulez-vous vraiment supprimer tous les éléments sélectionnés ?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Recettes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Modifier Aliment",
|
||||
"food-data": "Données de l'aliment",
|
||||
"example-food-singular": "ex : Oignon",
|
||||
"example-food-plural": "ex : Oignons"
|
||||
"example-food-plural": "ex : Oignons",
|
||||
"label-overwrite-warning": "Ceci affectera l’étiquette choisie à tous les aliments sélectionnés et remplacera potentiellement vos étiquettes existantes.",
|
||||
"on-hand-checkbox-label": "Appliquer cet attribut décochera cet aliment par défaut lorsqu'il est ajouté à une liste de courses."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Initialisez la base de données avec des unités communes basées sur votre langue locale.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Initialisez la base de données avec des étiquettes communes basées sur votre langue locale.",
|
||||
"edit-label": "Modifier l’étiquette",
|
||||
"new-label": "Nouvelle étiquette",
|
||||
"labels": "Étiquettes"
|
||||
"labels": "Étiquettes",
|
||||
"assign-label": "Affecter une étiquette"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purger les exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Tes cambios sen gardar. Queres gardar antes de saír? OK para gardar, Cancelar para descartar cambios.",
|
||||
"clipboard-copy-failure": "Produciuse un erro ao copiar contido no portapapeis.",
|
||||
"confirm-delete-generic-items": "Estás seguro de que queres eliminar os seguintes elementos?",
|
||||
"organizers": "Organizadores"
|
||||
"organizers": "Organizadores",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Estás seguro de que queres eliminar <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredientes",
|
||||
"insert-ingredient": "Inserir Ingrediente",
|
||||
"insert-section": "Inserir Sección",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instrucións",
|
||||
"key-name-required": "Nome da Chave Obrigatorio",
|
||||
"landscape-view-coming-soon": "Vista Horizontal",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "יש שינויים שלא נשמרו. לצאת לפני שמירה? אשר לשמירה, בטל למחיקת שינויים.",
|
||||
"clipboard-copy-failure": "כשלון בהעתקה ללוח ההדבקה.",
|
||||
"confirm-delete-generic-items": "האם אתה בטוח שברצונך למחוק את הפריטים הנבחרים?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "האם את/ה בטוח/ה שברצונך למחוק את <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "מרכיבים",
|
||||
"insert-ingredient": "הוסף מרכיב",
|
||||
"insert-section": "הוסף מקטע",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "הוראות",
|
||||
"key-name-required": "שם מפתח נדרש",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "אין מתכונים מקושרים|מתכון אחד מקושר|{count} מתכונים מקושרים",
|
||||
"items-checked-count": "לא נבחרו פריטים|פריט אחד נבחר|{count} פריטים נבחרו",
|
||||
"no-label": "ללא תווית",
|
||||
"completed-on": "הושלם ב- {date}"
|
||||
"completed-on": "הושלם ב- {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "כל המתכונים",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "עריכת מזון",
|
||||
"food-data": "נתוני אוכל",
|
||||
"example-food-singular": "דוגמא: בצל",
|
||||
"example-food-plural": "דוגמא: בצלים"
|
||||
"example-food-plural": "דוגמא: בצלים",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "אכלס את מסד הנתונים עם יחידות מדידה בהתאם לשפה המקומית שלך.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "אכלס את מסד הנתונים בתגיות נפוצות בהתאם לשפה המקומית שלך.",
|
||||
"edit-label": "עריכת תווית",
|
||||
"new-label": "תוויות חדשה",
|
||||
"labels": "תויות"
|
||||
"labels": "תויות",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "נקה ייצואים",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Jeste li sigurni da želite izbrisati <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Sastojci",
|
||||
"insert-ingredient": "Dodaj Sastojak",
|
||||
"insert-section": "Umetni Odjeljak",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Upute",
|
||||
"key-name-required": "Naziv Ključa jeObavezan",
|
||||
"landscape-view-coming-soon": "Prikaz u vodoravnom položaju",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Nema povezanih recepata|Jedan povezani recept|{count} povezanih recepata",
|
||||
"items-checked-count": "Nijedna stavka nije označena|Jedna stavka je označena|Označeno je {count} stavki",
|
||||
"no-label": "Bez Oznake",
|
||||
"completed-on": "Dovršeno dana {date}"
|
||||
"completed-on": "Dovršeno dana {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Svi Recepti",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Uredi Namirnicu",
|
||||
"food-data": "Podaci o Namirnici",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Popunite bazu podataka uobičajenim jedinicama na temelju vašeg lokalnog jezika.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Popunite bazu podataka uobičajenim oznakama na temelju vašeg lokalnog jezika.",
|
||||
"edit-label": "Uredi oznaku",
|
||||
"new-label": "Nova Oznaka",
|
||||
"labels": "Oznake"
|
||||
"labels": "Oznake",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Izbriši Izvoze",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "El nem mentett módosításai vannak. Szeretné elmenteni, mielőtt kilép? A mentéshez kattintson az Ok, a módosítások elvetéséhez a Mégsem gombra.",
|
||||
"clipboard-copy-failure": "Nem sikerült a vágólapra másolás.",
|
||||
"confirm-delete-generic-items": "Biztos benne, hogy törölni szeretné az alábbi tételeket?",
|
||||
"organizers": "Rendszerezők"
|
||||
"organizers": "Rendszerezők",
|
||||
"caution": "Figyelmeztetés"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Biztosan törölni szeretnéd ezt: <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Hozzávalók",
|
||||
"insert-ingredient": "Hozzávaló beszúrása",
|
||||
"insert-section": "Szakasz beszúrása",
|
||||
"insert-above": "Beillesztés fent",
|
||||
"insert-below": "Beszúrás alá",
|
||||
"instructions": "Elkészítés",
|
||||
"key-name-required": "Kulcs név szükséges",
|
||||
"landscape-view-coming-soon": "Horizontális nézet",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Nincs összekapcsolt recept|Egy összekapcsolt recept|{count} összekapcsolt recept",
|
||||
"items-checked-count": "Nincs ellenőrzött tétel|Egy ellenőrzött tétel|{count} ellenőrzött tétel",
|
||||
"no-label": "Nincs címke",
|
||||
"completed-on": "Teljesítve {date}"
|
||||
"completed-on": "Teljesítve {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Minden recept",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Étel szerkesztése",
|
||||
"food-data": "Étel adatai",
|
||||
"example-food-singular": "pl. Hagyma",
|
||||
"example-food-plural": "pl. Hagymák"
|
||||
"example-food-plural": "pl. Hagymák",
|
||||
"label-overwrite-warning": "Ez a kiválasztott címkét az összes kiválasztott élelmiszerhez hozzárendeli, és esetleg felülírja a meglévő címkéket.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Töltse be az Ön nyelve szerinti közös mennyiségi egységet tartalmazó adatbázist.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Töltse be az Ön nyelve szerinti közös címkélet tartalmazó adatbázist.",
|
||||
"edit-label": "Címke szerkesztése",
|
||||
"new-label": "Új címke",
|
||||
"labels": "Címkék"
|
||||
"labels": "Címkék",
|
||||
"assign-label": "Címke hozzárendelése"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Exportálás tisztítása",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -64,7 +64,7 @@
|
||||
"something-went-wrong": "Si è verificato un errore!",
|
||||
"subscribed-events": "Eventi Sottoscritti",
|
||||
"test-message-sent": "Messaggio di prova inviato",
|
||||
"message-sent": "Message Sent",
|
||||
"message-sent": "Messaggio Inviato",
|
||||
"new-notification": "Nuova Notifica",
|
||||
"event-notifiers": "Notifiche Evento",
|
||||
"apprise-url-skipped-if-blank": "Url di Apprise (ignorato se vuoto)",
|
||||
@@ -161,7 +161,7 @@
|
||||
"test": "Test",
|
||||
"themes": "Temi",
|
||||
"thursday": "Giovedì",
|
||||
"title": "Title",
|
||||
"title": "Titolo",
|
||||
"token": "Token",
|
||||
"tuesday": "Martedì",
|
||||
"type": "Tipo",
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Sono state apportate modifiche non salvate. Salvare prima di uscire? Premi Ok per salvare, Annulla per scartare le modifiche.",
|
||||
"clipboard-copy-failure": "Impossibile copiare negli appunti.",
|
||||
"confirm-delete-generic-items": "Sei sicuro di voler eliminare i seguenti elementi?",
|
||||
"organizers": "Organizzatori"
|
||||
"organizers": "Organizzatori",
|
||||
"caution": "Attenzione"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Sei sicuro di volerlo eliminare <b>{groupName}<b/>'?",
|
||||
@@ -291,8 +292,8 @@
|
||||
"mealplan-updated": "Piano Alimentare Aggiornato",
|
||||
"no-meal-plan-defined-yet": "Ancora nessun piano alimentare definito",
|
||||
"no-meal-planned-for-today": "Nessun piano alimentare per oggi",
|
||||
"numberOfDays-hint": "Number of days on page load",
|
||||
"numberOfDays-label": "Default Days",
|
||||
"numberOfDays-hint": "Numero di giorni sul caricamento della pagina",
|
||||
"numberOfDays-label": "Giorni Predefiniti",
|
||||
"only-recipes-with-these-categories-will-be-used-in-meal-plans": "Solo ricette con queste categorie possono essere utilizzate un un Piano Alimentare",
|
||||
"planner": "Pianificatore",
|
||||
"quick-week": "Settimana Veloce",
|
||||
@@ -382,7 +383,7 @@
|
||||
},
|
||||
"recipekeeper": {
|
||||
"title": "Recipe Keeper",
|
||||
"description-long": "Mealie can import recipes from Recipe Keeper. Export your recipes in zip format, then upload the .zip file below."
|
||||
"description-long": "Mealie può importare ricette da Recipe Keeper. Esporta le tue ricette in formato zip, quindi carica lo .zip qui sotto."
|
||||
}
|
||||
},
|
||||
"new-recipe": {
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredienti",
|
||||
"insert-ingredient": "Inserisci Ingrediente",
|
||||
"insert-section": "Inserisci Sezione",
|
||||
"insert-above": "Inserisci Sopra",
|
||||
"insert-below": "Inserisci Sotto",
|
||||
"instructions": "Istruzioni",
|
||||
"key-name-required": "Nome Chiave Richiesto",
|
||||
"landscape-view-coming-soon": "Vista Orizzontale (Prossimamente)",
|
||||
@@ -583,7 +586,7 @@
|
||||
"report-deletion-failed": "Eliminazione report fallita",
|
||||
"recipe-debugger": "Debugger Ricetta",
|
||||
"recipe-debugger-description": "Prendi l'URL della ricetta che vuoi fare il debug e incollalo qui. L'URL verrà recuperato dallo scraper di ricette e i risultati verranno visualizzati. Se non si vede alcun dato restituito, il sito che si sta cercando di analizzare non è supportato da Mealie o la sua libreria di scraping.",
|
||||
"use-openai": "Use OpenAI",
|
||||
"use-openai": "Usa OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Use OpenAI to parse the results instead of relying on the scraper library. When creating a recipe via URL, this is done automatically if the scraper library fails, but you may test it manually here.",
|
||||
"debug": "Debug",
|
||||
"tree-view": "Visualizzazione ad Albero",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Nessuna ricetta collegata|Una ricetta collegata|{count} ricette collegate",
|
||||
"items-checked-count": "Nessun elemento selezionato|Un elemento selezionato|{count} elementi selezionati",
|
||||
"no-label": "Nessuna etichetta",
|
||||
"completed-on": "Completato il {date}"
|
||||
"completed-on": "Completato il {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Ricette",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Modifica Alimento",
|
||||
"food-data": "Dati Alimento",
|
||||
"example-food-singular": "esempio: Cipolla",
|
||||
"example-food-plural": "esempio: Cipolle"
|
||||
"example-food-plural": "esempio: Cipolle",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Riempie il database con unità comuni basate sulla lingua.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Riempie il database con etichette comuni basate sulla lingua.",
|
||||
"edit-label": "Modifica Etichetta",
|
||||
"new-label": "Nuova Etichetta",
|
||||
"labels": "Etichette"
|
||||
"labels": "Etichette",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Elimina Esportazioni",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "保存されていない変更があります。移動する前に保存しますか?保存するには はい を、変更を破棄するにはキャンセルしてください。",
|
||||
"clipboard-copy-failure": "クリップボードにコピーできませんでした",
|
||||
"confirm-delete-generic-items": "次のアイテムを本当に削除しますか?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "<b>{groupName}<b/> を削除しますか?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "材料",
|
||||
"insert-ingredient": "材料を投入",
|
||||
"insert-section": "手順を挿入",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "説明",
|
||||
"key-name-required": "キー名が必要です",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "リンクされたレシピはありません|1つのレシピにリンクされています|{count} のレシピにリンクされています",
|
||||
"items-checked-count": "チェックされたアイテムはありません|チェックされたアイテムは1つです| チェックされたアイテムは {count} です",
|
||||
"no-label": "ラベルなし",
|
||||
"completed-on": "完了日: {date}"
|
||||
"completed-on": "完了日: {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "すべてのレシピ",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "食品を編集",
|
||||
"food-data": "食品データ",
|
||||
"example-food-singular": "例: 玉ねぎ",
|
||||
"example-food-plural": "例: 玉ねぎ"
|
||||
"example-food-plural": "例: 玉ねぎ",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "ローカル言語に基づいた共通の単位をデータベースにシードします。",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "ローカル言語に基づいた共通ラベルをデータベースにシードします。",
|
||||
"edit-label": "ラベルの編集",
|
||||
"new-label": "新規ラベル",
|
||||
"labels": "ラベル"
|
||||
"labels": "ラベル",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "エクスポートの削除",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "모든 레시피",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Ar tikrai norite ištrinti <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Sudedamosios dalys",
|
||||
"insert-ingredient": "Įterpti ingredientą",
|
||||
"insert-section": "Įdėti skiltį",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Paruošimo būdas",
|
||||
"key-name-required": "Rakto pavadinimas yra privalomas",
|
||||
"landscape-view-coming-soon": "Horizontali padėtis",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Nėra susietų receptų|Vienas susietas receptas|{count} susieti (-ų) receptai (-ų)",
|
||||
"items-checked-count": "Nėra pažymėtų|Vienas pažymėtas|{count} pažymėti (-ų)",
|
||||
"no-label": "Be etiketės",
|
||||
"completed-on": "Išbraukta {date}"
|
||||
"completed-on": "Išbraukta {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Visi receptai",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Keisti produktą",
|
||||
"food-data": "Produktų duomenys",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Įdėkite į duomenų bazę bendrus vienetus pagal jūsų kalbą.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Įdėkite į duomenų bazę bendras žymas pagal jūsų kalbą.",
|
||||
"edit-label": "Keisti etiketę",
|
||||
"new-label": "Nauja etiketė",
|
||||
"labels": "Etiketės"
|
||||
"labels": "Etiketės",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Valyti eksportus",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -56,9 +56,9 @@
|
||||
"event-delete-confirmation": "Weet je zeker dat je deze gebeurtenis wilt verwijderen?",
|
||||
"event-deleted": "Gebeurtenis verwijderd",
|
||||
"event-updated": "Gebeurtenis bijgewerkt",
|
||||
"new-notification-form-description": "Mealie gebruikt de notificatieservices van Apprise om notificaties te genereren. Apprise biedt diverse services aan om notificaties te versturen. Raadpleeg hun wiki voor een uitgebreide handleiding over het creëren van een link voor je service. Afhankelijk van de gekozen service zijn er mogelijk extra functionaliteiten beschikbaar.",
|
||||
"new-notification-form-description": "Mealie gebruikt de notificatieservices van Apprise om meldingen te genereren. Apprise biedt diverse services aan om meldingen te versturen. Raadpleeg hun wiki voor een uitgebreide handleiding over het creëren van een link voor je service. Afhankelijk van de gekozen service zijn er mogelijk extra functionaliteiten beschikbaar.",
|
||||
"new-version": "Nieuwe versie beschikbaar!",
|
||||
"notification": "Notificatie",
|
||||
"notification": "Melding",
|
||||
"refresh": "Verversen",
|
||||
"scheduled": "Gepland",
|
||||
"something-went-wrong": "Er is iets fout gegaan!",
|
||||
@@ -68,15 +68,15 @@
|
||||
"new-notification": "Nieuwe melding",
|
||||
"event-notifiers": "Meldingen van gebeurtenissen",
|
||||
"apprise-url-skipped-if-blank": "URL van Apprise (overgeslagen als veld leeg is)",
|
||||
"enable-notifier": "Activeer notificatie",
|
||||
"what-events": "Op welke gebeurtenissen moet deze notificatie zich abonneren?",
|
||||
"enable-notifier": "Activeer melding",
|
||||
"what-events": "Op welke gebeurtenissen moet deze melding zich abonneren?",
|
||||
"user-events": "Gebeurtenissen van gebruiker",
|
||||
"mealplan-events": "Maaltijdplan gebeurtenissen",
|
||||
"mealplan-events": "Maaltijdplan-gebeurtenissen",
|
||||
"when-a-user-in-your-group-creates-a-new-mealplan": "Als een gebruiker in uw groep een nieuw maaltijdplan maakt",
|
||||
"shopping-list-events": "Boodschappenlijst gebeurtenissen",
|
||||
"cookbook-events": "Kookboek gebeurtenissen",
|
||||
"tag-events": "Tag gebeurtenissen",
|
||||
"category-events": "Categorie gebeurtenissen",
|
||||
"shopping-list-events": "Boodschappenlijst-gebeurtenissen",
|
||||
"cookbook-events": "Kookboek-gebeurtenissen",
|
||||
"tag-events": "Label-gebeurtenissen",
|
||||
"category-events": "Categorie-gebeurtenissen",
|
||||
"when-a-new-user-joins-your-group": "Als een nieuwe gebruiker zich bij je groep aansluit",
|
||||
"recipe-events": "Recept gebeurtenissen"
|
||||
},
|
||||
@@ -116,11 +116,11 @@
|
||||
"import": "Importeren",
|
||||
"json": "JSON",
|
||||
"keyword": "Trefwoord",
|
||||
"link-copied": "Link Gekopieerd",
|
||||
"link-copied": "Link gekopieerd",
|
||||
"loading": "Laden",
|
||||
"loading-events": "Gebeurtenis laden",
|
||||
"loading-recipe": "Recepten ophalen...",
|
||||
"loading-ocr-data": "OCR gegevens laden...",
|
||||
"loading-recipe": "Recept ophalen...",
|
||||
"loading-ocr-data": "OCR-gegevens laden...",
|
||||
"loading-recipes": "Recepten ophalen",
|
||||
"message": "Bericht",
|
||||
"monday": "maandag",
|
||||
@@ -129,11 +129,11 @@
|
||||
"never": "Nooit",
|
||||
"no": "Nee",
|
||||
"no-recipe-found": "Geen recept gevonden",
|
||||
"ok": "Ok",
|
||||
"ok": "Oké",
|
||||
"options": "Opties:",
|
||||
"plural-name": "Naam voor meervoud",
|
||||
"print": "Afdrukken",
|
||||
"print-preferences": "Voorkeuren afdrukken",
|
||||
"print-preferences": "Afdrukvoorkeuren",
|
||||
"random": "Willekeurig",
|
||||
"rating": "Beoordeling",
|
||||
"recent": "Recent(e)",
|
||||
@@ -148,8 +148,8 @@
|
||||
"show-all": "Laat alles zien",
|
||||
"shuffle": "Willekeurig",
|
||||
"sort": "Sorteren",
|
||||
"sort-ascending": "Sorteer Oplopend",
|
||||
"sort-descending": "Sorteer Aflopend",
|
||||
"sort-ascending": "Sorteer oplopend",
|
||||
"sort-descending": "Sorteer aflopend",
|
||||
"sort-alphabetically": "Alfabetisch",
|
||||
"status": "Status",
|
||||
"subject": "Onderwerp",
|
||||
@@ -172,7 +172,7 @@
|
||||
"view": "Weergave",
|
||||
"wednesday": "woensdag",
|
||||
"yes": "Ja",
|
||||
"foods": "Voedsel",
|
||||
"foods": "Levensmiddelen",
|
||||
"units": "Eenheden",
|
||||
"back": "Terug",
|
||||
"next": "Volgende",
|
||||
@@ -196,8 +196,8 @@
|
||||
"timestamp": "Tijdstempel",
|
||||
"last-made": "Voor het laatst gemaakt op",
|
||||
"learn-more": "Lees meer",
|
||||
"this-feature-is-currently-inactive": "Deze mogelijkheid is op dit moment uitgeschakeld",
|
||||
"clipboard-not-supported": "Knippen en plakken kan niet",
|
||||
"this-feature-is-currently-inactive": "Deze functie is op dit moment uitgeschakeld",
|
||||
"clipboard-not-supported": "Klembord wordt niet ondersteund",
|
||||
"copied-to-clipboard": "Gekopieerd naar klembord",
|
||||
"your-browser-does-not-support-clipboard": "Je browser ondersteunt het klembord niet",
|
||||
"copied-items-to-clipboard": "Geen item gekopieerd naar klembord|Één item gekopieerd naar klembord|{count} items naar klembord gekopieerd",
|
||||
@@ -206,11 +206,12 @@
|
||||
"export-all": "Exporteer alles",
|
||||
"refresh": "Verversen",
|
||||
"upload-file": "Bestand uploaden",
|
||||
"created-on-date": "Gemaakt op {0}",
|
||||
"unsaved-changes": "Er zijn niet-opgeslagen wijzigingen. Wil je eerst opslaan voordat je vertrekt? Okay om op te slaan, Annuleren om wijzigingen ongedaan te maken.",
|
||||
"created-on-date": "Gemaakt op: {0}",
|
||||
"unsaved-changes": "Er zijn niet-opgeslagen wijzigingen. Wil je eerst opslaan voordat je vertrekt? Oké om op te slaan, Annuleren om wijzigingen ongedaan te maken.",
|
||||
"clipboard-copy-failure": "Kopiëren naar klembord mislukt.",
|
||||
"confirm-delete-generic-items": "Weet u zeker dat u de volgende items wilt verwijderen?",
|
||||
"organizers": "Organisatoren"
|
||||
"confirm-delete-generic-items": "Weet je zeker dat je de volgende items wilt verwijderen?",
|
||||
"organizers": "Organisatoren",
|
||||
"caution": "Let op"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Weet je zeker dat je <b>{groupName}<b/> wil verwijderen?",
|
||||
@@ -222,7 +223,7 @@
|
||||
"group": "Groep",
|
||||
"group-deleted": "Groep verwijderd",
|
||||
"group-deletion-failed": "Groep verwijderen mislukt",
|
||||
"group-id-with-value": "Groepsid: {groupID}",
|
||||
"group-id-with-value": "Groeps-id: {groupID}",
|
||||
"group-name": "Groepsnaam",
|
||||
"group-not-found": "Groep niet gevonden",
|
||||
"group-token": "Groep token",
|
||||
@@ -236,42 +237,42 @@
|
||||
"keep-my-recipes-private": "Houd mijn recepten privé",
|
||||
"keep-my-recipes-private-description": "Stelt je groep en alle recepten standaard privé in. Je kunt dit later nog wijzigen."
|
||||
},
|
||||
"manage-members": "Beheer Leden",
|
||||
"manage-members": "Beheer leden",
|
||||
"manage-members-description": "Beheer de rechten van de leden in uw groepen. {manage} geeft de gebruiker toegang tot de data-managementpagina {invite} geeft de gebruiker de mogelijkheid uitnodigingslinks voor andere gebruikers te maken. Groepseigenaren kunnen hun eigen rechten niet wijzigen.",
|
||||
"manage": "Beheer",
|
||||
"invite": "Uitnodigen",
|
||||
"looking-to-update-your-profile": "Wil je je profiel bijwerken?",
|
||||
"default-recipe-preferences-description": "Dit zijn de standaardinstellingen als er een nieuw recept in je groep wordt gemaakt. Deze kunnen worden gewijzigd voor individuele recepten in het menu recepteninstellingen.",
|
||||
"default-recipe-preferences": "Standaardvoorkeuren",
|
||||
"default-recipe-preferences": "Standaardvoorkeuren voor recepten",
|
||||
"group-preferences": "Groepsvoorkeuren",
|
||||
"private-group": "Privé-groep",
|
||||
"private-group-description": "Instellen van je groep op privé, zet alle publieke weergaveopties naar standaard. Dit overschrijft de instellingen per recept.",
|
||||
"enable-public-access": "Openbare toegang inschakelen",
|
||||
"enable-public-access-description": "Maak groepsrecepten standaard openbaar en laat bezoekers recepten zien zonder aan te melden",
|
||||
"allow-users-outside-of-your-group-to-see-your-recipes": "Sta gebruikers buiten je groep toe om je recepten te zien",
|
||||
"allow-users-outside-of-your-group-to-see-your-recipes-description": "Als deze mogelijkheid is ingeschakeld kun je een recept delen met iedereen. Zonder dat zij een account hebben. Als deze mogelijkheid is uitgeschakeld kun je een recept alleen delen met mensen die in je groep zitten. Of met een vooraf gemaakte privé link.",
|
||||
"show-nutrition-information": "Toon voedingsinformatie",
|
||||
"show-nutrition-information-description": "Als dit is ingeschakeld zie je de voedingsinformatie bij het recept. Maar alleen als je deze informatie hebt toegevoegd.",
|
||||
"show-recipe-assets": "Toon receptmiddelen",
|
||||
"show-recipe-assets-description": "Als dit is ingeschakeld zie je de hulpmiddelen bij dit recept. Alleen als je hulpmiddelen hebt ingevoerd.",
|
||||
"default-to-landscape-view": "Standaard naar liggende weergave",
|
||||
"default-to-landscape-view-description": "Als dit is ingeschakeld zie je koptekst van dit recept in liggende weergave.",
|
||||
"disable-users-from-commenting-on-recipes": "Gebruikersreacties uitschakelen op recepten",
|
||||
"disable-users-from-commenting-on-recipes-description": "Als dit is ingeschakeld zie je geen reacties op dit recept. En kunnen bezoekers ook geen reacties achterlaten.",
|
||||
"disable-organizing-recipe-ingredients-by-units-and-food": "Organiseren van receptingrediënten middels eenheden en voedsel uitschakelen",
|
||||
"disable-organizing-recipe-ingredients-by-units-and-food-description": "Als dit is ingeschakeld zie je de Voedsel, Eenheid en Hoeveelheid van dit recept als gewone tekst.",
|
||||
"allow-users-outside-of-your-group-to-see-your-recipes-description": "Als deze mogelijkheid is ingeschakeld kun je een recept delen met iedereen. Zonder dat zij een account hebben. Als deze mogelijkheid is uitgeschakeld kun je een recept alleen delen met mensen die in je groep zitten. Of met een vooraf gemaakte privé -link",
|
||||
"show-nutrition-information": "Toon voedingswaarden",
|
||||
"show-nutrition-information-description": "Als dit is ingeschakeld zie je de voedingswaarden bij het recept. Maar alleen als je deze informatie hebt toegevoegd",
|
||||
"show-recipe-assets": "Toon receptbijlagen",
|
||||
"show-recipe-assets-description": "Als dit is ingeschakeld zie je de bijlagen bij dit recept. Alleen als je hulpmiddelen hebt ingevoerd",
|
||||
"default-to-landscape-view": "Standaard liggende weergave",
|
||||
"default-to-landscape-view-description": "Als dit is ingeschakeld zie je de koptekst van dit recept in liggende weergave",
|
||||
"disable-users-from-commenting-on-recipes": "Gebruikersreacties op recepten uitschakelen",
|
||||
"disable-users-from-commenting-on-recipes-description": "Als dit is ingeschakeld zie je geen reacties op dit recept en kunnen bezoekers ook geen reacties achterlaten",
|
||||
"disable-organizing-recipe-ingredients-by-units-and-food": "Het organiseren van receptingrediënten met eenheden en levensmiddelen uitschakelen",
|
||||
"disable-organizing-recipe-ingredients-by-units-and-food-description": "Als dit is ingeschakeld zijn levensmiddelen, eenheden en hoeveelheden verborgen en worden ingrediënten als gewone tekstvelden behandeld.",
|
||||
"general-preferences": "Algemene voorkeuren",
|
||||
"group-recipe-preferences": "Groepeer receptvoorkeuren",
|
||||
"group-recipe-preferences": "Receptvoorkeuren voor groep",
|
||||
"report": "Rapport",
|
||||
"report-with-id": "Rapport ID: {id}",
|
||||
"group-management": "Groepsbeheer",
|
||||
"admin-group-management": "Beheerder groep beheer",
|
||||
"admin-group-management": "Beheerdergroep-beheer",
|
||||
"admin-group-management-text": "Wijzigingen in deze groep zijn meteen zichtbaar.",
|
||||
"group-id-value": "Groepsid: {0}"
|
||||
"group-id-value": "Groeps-id: {0}"
|
||||
},
|
||||
"meal-plan": {
|
||||
"create-a-new-meal-plan": "Maak een nieuw maaltijdplan",
|
||||
"update-this-meal-plan": "Werk dit Maaltijdplan bij",
|
||||
"update-this-meal-plan": "Werk dit maaltijdplan bij",
|
||||
"dinner-this-week": "Het diner deze week",
|
||||
"dinner-today": "Het diner vandaag",
|
||||
"dinner-tonight": "DINER VOOR DEZE AVOND",
|
||||
@@ -321,12 +322,12 @@
|
||||
"for-type-meal-types": "voor {0} maaltijdsoorten",
|
||||
"meal-plan-rules": "Maaltijdplanregels",
|
||||
"new-rule": "Nieuwe regel",
|
||||
"meal-plan-rules-description": "Je kunt regels maken voor het automatisch selecteren van recepten voor je maaltijdplanning. Deze regels worden gebruikt door de server om de recepten te selecteren bij het maken van een maaltijdplanning. Houdt er rekening mee dat als regels dezelfde dag en type restricties hebben de categorieën van de regels worden samengevoegd. In de praktijk is het dus niet nodig om dubbele regels te maken, maar het is wel mogelijk.",
|
||||
"new-rule-description": "Bij het opstellen van een nieuwe regel voor een maaltijdplan kunt u de regel beperken tot een specifieke dag van de week en/of een specifiek type maaltijd. Om een regel toe te passen op alle dagen of alle maaltijden kunt u de regel op \"Ieder\" instellen die deze toepast op alle mogelijke waarden voor het type dag en/of maaltijd.",
|
||||
"recipe-rules": "Recept Regels",
|
||||
"meal-plan-rules-description": "Je kunt regels maken voor het automatisch selecteren van recepten voor je maaltijdplan. Deze regels worden gebruikt door de server om de recepten te selecteren bij het maken van een maaltijdplanning. Houdt er rekening mee dat als regels dezelfde dag- en typerestricties hebben, de categorieën van de regels worden samengevoegd. In de praktijk is het dus niet nodig om dubbele regels te maken, maar het is wel mogelijk.",
|
||||
"new-rule-description": "Bij het opstellen van een nieuwe regel voor een maaltijdplan kan je de regel beperken tot een specifieke dag van de week en/of een specifiek type maaltijd. Om een regel toe te passen op alle dagen of alle maaltijden kan je de regel op \"Ieder\" instellen die deze toepast op alle mogelijke waarden voor het type dag en/of maaltijd.",
|
||||
"recipe-rules": "Receptregels",
|
||||
"applies-to-all-days": "Van toepassing op alle dagen",
|
||||
"applies-on-days": "Van toepassing op {0}s",
|
||||
"meal-plan-settings": "Maaltijdplan instellingen"
|
||||
"meal-plan-settings": "Maaltijdplan-instellingen"
|
||||
},
|
||||
"migration": {
|
||||
"migration-data-removed": "Migratiegegevens verwijderd",
|
||||
@@ -341,53 +342,53 @@
|
||||
"title": "Chowdown"
|
||||
},
|
||||
"nextcloud": {
|
||||
"description": "Migreer gegevens uit een Nextcloud Kookboek instantie",
|
||||
"description": "Migreer gegevens uit een Nextcloud Kookboek-instantie",
|
||||
"description-long": "Nextcloud recepten kunnen worden geïmporteerd uit een zip-bestand dat de gegevens bevat die zijn opgeslagen in Nextcloud. Zie de voorbeeldmapstructuur hieronder om ervoor te zorgen dat uw recepten kunnen worden geïmporteerd.",
|
||||
"title": "Nextcloud Kookboek"
|
||||
"title": "Nextcloud kookboek"
|
||||
},
|
||||
"copymethat": {
|
||||
"description-long": "Mealie kan recepten importeren uit Copy Me That. Exporteer je recepten in HTML-formaat, upload daarna de .zip hieronder.",
|
||||
"title": "Recepten beheerder Copy Me That"
|
||||
"title": "Receptenbeheerder Copy Me That"
|
||||
},
|
||||
"paprika": {
|
||||
"description-long": "Mealie kan recepten uit het programma Paprika importeren. Exporteer je recepten uit Paprika, hernoem de exportuitbreiding naar .zip en upload ze hieronder.",
|
||||
"title": "Paprika recepten beheerder"
|
||||
"description-long": "Mealie kan recepten uit het programma Paprika importeren. Exporteer je recepten uit Paprika, hernoem de extentie van het geëxporteerde bestand naar .zip en upload dat bestand hieronder.",
|
||||
"title": "Paprika receptenbeheerder"
|
||||
},
|
||||
"mealie-pre-v1": {
|
||||
"description-long": "Mealie kan recepten importeren uit oude versies van Mealie (voor versie 1.0). Exporteer je recepten vanuit de oude versie, en upload het zip-bestand hieronder. Let op dat alleen recepten uit de export kunnen worden geïmporteerd.",
|
||||
"title": "Oude versies Mealie (voor versie 1.0)"
|
||||
"title": "Oude versies van Mealie (vóór versie 1.0)"
|
||||
},
|
||||
"tandoor": {
|
||||
"description-long": "Mealie kan recepten importeren van Tandoor. Exporteer je gegevens in het \"Standaardformaat\" en upload dan het .zip bestand.",
|
||||
"title": "Tandoor recepten"
|
||||
"description-long": "Mealie kan recepten importeren van Tandoor. Exporteer je gegevens in het \"Standaardformaat\" (\"Default\") en upload het .zip bestand hieronder.",
|
||||
"title": "Tandoor-recepten"
|
||||
},
|
||||
"recipe-data-migrations": "Receptmigratie",
|
||||
"recipe-data-migrations-explanation": "Je kunt recepten van een ander programma importeren in Mealie. Zo kun je snel aan de slag.",
|
||||
"coming-from-another-application-or-an-even-older-version-of-mealie": "Kom je van een andere toepassing of een oudere versie van Mealie? Kijk eens naar de migraties. Misschien kunnen we je gegevens importeren.",
|
||||
"choose-migration-type": "Kies het migratietype",
|
||||
"tag-all-recipes": "Label alle recepten met {tag-name} tag",
|
||||
"nextcloud-text": "Nextcloud recepten kunnen worden geïmporteerd uit een zip-bestand dat de gegevens bevat die zijn opgeslagen in Nextcloud. Zie de voorbeeldmapstructuur hieronder om ervoor te zorgen dat je recepten kunnen worden geïmporteerd.",
|
||||
"chowdown-text": "Mealie ondersteunt het formaat van de chowdown repository. Download de repository als een .zip-bestand en upload deze hieronder.",
|
||||
"tag-all-recipes": "Label alle recepten met het label {tag-name}",
|
||||
"nextcloud-text": "Nextcloud-recepten kunnen worden geïmporteerd uit een zip-bestand dat de gegevens bevat die zijn opgeslagen in Nextcloud. Zie de voorbeeldmapstructuur hieronder om ervoor te zorgen dat je recepten kunnen worden geïmporteerd.",
|
||||
"chowdown-text": "Mealie ondersteunt het formaat van de Chowdown repository. Download de repository als een .zip-bestand en upload deze hieronder.",
|
||||
"recipe-1": "Eerste recept",
|
||||
"recipe-2": "Tweede recept",
|
||||
"paprika-text": "Mealie kan recepten uit het programma Paprika importeren. Exporteer je recepten uit Paprika, hernoem de exportuitbreiding naar .zip en upload ze hieronder.",
|
||||
"mealie-text": "Mealie kan recepten importeren uit oude versies van Mealie (voor versie 1.0). Exporteer je recepten vanuit de oude versie, en upload het zip-bestand hieronder. Let op dat alleen recepten uit de export kunnen worden geïmporteerd.",
|
||||
"paprika-text": "Mealie kan recepten uit het programma Paprika importeren. Exporteer je recepten uit Paprika, hernoem de extentie van het geëxporteerde bestand naar .zip en upload dat bestand hieronder.",
|
||||
"mealie-text": "Mealie kan recepten importeren uit oude versies van Mealie (vóór versie 1.0). Exporteer je recepten vanuit de oude versie, en upload het zip-bestand hieronder. Let op dat alleen recepten uit de export kunnen worden geïmporteerd.",
|
||||
"plantoeat": {
|
||||
"title": "Plan naar Eat",
|
||||
"title": "Plan to Eat",
|
||||
"description-long": "Mealie kan recepten importeren van Plan naar Eet."
|
||||
},
|
||||
"myrecipebox": {
|
||||
"title": "Mijn Receptenbox",
|
||||
"description-long": "Mealie kan recepten importeren uit My Recipe Box. Exporteer je recepten in CSV formaat, upload daarna het .csv bestand hieronder."
|
||||
"title": "My Recipe Box",
|
||||
"description-long": "Mealie kan recepten importeren uit My Recipe Box. Exporteer je recepten in CSV-formaat, upload daarna het .csv bestand hieronder."
|
||||
},
|
||||
"recipekeeper": {
|
||||
"title": "Recipe Keeper",
|
||||
"description-long": "Mealie kan recepten importeren van Recipe Keeper. Exporteer de recepten als .zip. Dat bestand kunt u hier dan uploaden."
|
||||
"description-long": "Mealie kan recepten importeren van Recipe Keeper. Exporteer de recepten als .zip. Dat bestand kan je hier dan uploaden."
|
||||
}
|
||||
},
|
||||
"new-recipe": {
|
||||
"bulk-add": "Bulk toevoegen",
|
||||
"error-details": "Alleen websites met ld+json of microdata kunnen worden geïmporteerd door Mealie. De meeste grote recepten websites ondersteunen deze gegevensstructuur. Als je site niet kan worden geïmporteerd, maar er zijn json gegevens in de log, maak dan een github issue aan met de URL en gegevens.",
|
||||
"bulk-add": "Toevoegen in bulk",
|
||||
"error-details": "Alleen websites met ld+json of microdata kunnen worden geïmporteerd door Mealie. De meeste grote receptenwebsites ondersteunen deze gegevensstructuur. Als je site niet kan worden geïmporteerd, maar er zijn json-gegevens in de log, maak dan een github issue aan met de URL en gegevens.",
|
||||
"error-title": "Het lijkt erop dat we niets konden vinden",
|
||||
"from-url": "Recept importeren",
|
||||
"github-issues": "GitHub Issues",
|
||||
@@ -395,14 +396,14 @@
|
||||
"must-be-a-valid-url": "Moet een geldige URL zijn",
|
||||
"paste-in-your-recipe-data-each-line-will-be-treated-as-an-item-in-a-list": "Plak je receptgegevens. Elke regel wordt behandeld als een item in een lijst",
|
||||
"recipe-markup-specification": "Opmaakspecificatie recept",
|
||||
"recipe-url": "Recept URL",
|
||||
"recipe-url": "Recept-URL",
|
||||
"upload-a-recipe": "Upload een recept",
|
||||
"upload-individual-zip-file": "Upload een uit een andere Mealie-instantie geëxporteerd .zip-bestand.",
|
||||
"upload-individual-zip-file": "Upload een .zip-bestand dat uit een andere Mealie-instantie is geëxporteerd.",
|
||||
"url-form-hint": "Kopieer en plak een link vanuit jouw favoriete receptenwebsite",
|
||||
"view-scraped-data": "Bekijk opgehaalde data",
|
||||
"trim-whitespace-description": "Haal witruimtes en witregels aan het begin en einde weg",
|
||||
"trim-prefix-description": "Trim het eerste teken van elke regel",
|
||||
"split-by-numbered-line-description": "Pogingen om een alinea te splitsen door de '1)' of '1.' patronen te gebruiken",
|
||||
"trim-prefix-description": "Verwijder het eerste teken van elke regel",
|
||||
"split-by-numbered-line-description": "Probeert om een alinea te splitsen door de '1)' of '1.' patronen te gebruiken",
|
||||
"import-by-url": "Importeer een recept van een website",
|
||||
"create-manually": "Maak handmatig een recept aan",
|
||||
"make-recipe-image": "Maak dit de afbeelding voor dit recept"
|
||||
@@ -446,15 +447,17 @@
|
||||
"grams": "gram",
|
||||
"ingredient": "Ingrediënt",
|
||||
"ingredients": "Ingrediënten",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-ingredient": "Ingrediënt invoegen",
|
||||
"insert-section": "Sectie invoegen",
|
||||
"insert-above": "Voeg hierboven in",
|
||||
"insert-below": "Voeg hieronder in",
|
||||
"instructions": "Bereidingswijze",
|
||||
"key-name-required": "Sleutelnaam vereist",
|
||||
"landscape-view-coming-soon": "Liggende modus",
|
||||
"landscape-view-coming-soon": "Liggende weergave",
|
||||
"milligrams": "milligram",
|
||||
"new-key-name": "Nieuwe sleutelnaam",
|
||||
"no-white-space-allowed": "Geen witruimte toegestaan",
|
||||
"note": "Opmerking",
|
||||
"note": "Notitie",
|
||||
"nutrition": "Voedingswaarde",
|
||||
"object-key": "Objectsleutel",
|
||||
"object-value": "Objectwaarde",
|
||||
@@ -463,7 +466,7 @@
|
||||
"prep-time": "Voorbereidingstijd",
|
||||
"protein-content": "Eiwitten",
|
||||
"public-recipe": "Openbaar recept",
|
||||
"recipe-created": "Recept aangemaakt",
|
||||
"recipe-created": "Recept aangemaakt op",
|
||||
"recipe-creation-failed": "Recept aanmaken mislukt",
|
||||
"recipe-deleted": "Recept verwijderd",
|
||||
"recipe-image": "Receptafbeelding",
|
||||
@@ -474,10 +477,10 @@
|
||||
"recipe-updated": "Recept bijgewerkt",
|
||||
"remove-from-favorites": "Verwijder uit favorieten",
|
||||
"remove-section": "Sectie verwijderen",
|
||||
"save-recipe-before-use": "Recept opslaan voor gebruik",
|
||||
"save-recipe-before-use": "Recept opslaan vóór gebruik",
|
||||
"section-title": "Sectietitel",
|
||||
"servings": "Porties",
|
||||
"share-recipe-message": "Ik wilde mijn {0} recept met je delen.",
|
||||
"share-recipe-message": "Ik wil mijn {0} recept met je delen.",
|
||||
"show-nutrition-values": "Toon voedingswaarden",
|
||||
"sodium-content": "Zout",
|
||||
"step-index": "Stap: {step}",
|
||||
@@ -496,30 +499,30 @@
|
||||
"add-to-plan": "Toevoegen aan plan",
|
||||
"add-to-timeline": "Aan tijdlijn toevoegen",
|
||||
"recipe-added-to-list": "Recept toegevoegd aan de lijst",
|
||||
"recipes-added-to-list": "Recept toegevoegd aan de lijst",
|
||||
"recipes-added-to-list": "Recepten toegevoegd aan de lijst",
|
||||
"successfully-added-to-list": "Succesvol toegevoegd aan de lijst",
|
||||
"recipe-added-to-mealplan": "Recept toegevoegd aan het maaltijdplan",
|
||||
"failed-to-add-recipes-to-list": "Kon recept niet aan de lijst toevoegen ",
|
||||
"failed-to-add-recipe-to-mealplan": "Recept aan maaltijdplan toevoegen mislukt",
|
||||
"failed-to-add-to-list": "Toevoegen aan lijst mislukt",
|
||||
"yield": "Resultaat",
|
||||
"yield": "Opbrengst",
|
||||
"quantity": "Hoeveelheid",
|
||||
"choose-unit": "Kies een eenheid",
|
||||
"press-enter-to-create": "Druk op Enter om aan te maken",
|
||||
"choose-food": "Eten kiezen",
|
||||
"choose-food": "Levensmiddelen kiezen",
|
||||
"notes": "Notities",
|
||||
"toggle-section": "Sectie schakelen",
|
||||
"see-original-text": "Zie originele tekst",
|
||||
"see-original-text": "Zie oorspronkelijke tekst",
|
||||
"original-text-with-value": "Oorspronkelijke tekst: {originalText}",
|
||||
"ingredient-linker": "Ingrediëntenkoppelaar",
|
||||
"linked-to-other-step": "Gekoppeld aan andere stap",
|
||||
"auto": "Automatisch",
|
||||
"cook-mode": "Kookmodus",
|
||||
"link-ingredients": "Koppel ingrediënten",
|
||||
"merge-above": "Bovenstaande samenvoegen",
|
||||
"merge-above": "Samenvoegen met bovenstaande",
|
||||
"move-to-bottom": "Verplaats naar onderen",
|
||||
"move-to-top": "Verplaats naar begin",
|
||||
"reset-scale": "Schaal resetten",
|
||||
"reset-scale": "Schaal herstellen",
|
||||
"decrease-scale-label": "Verlaag de schaal met 1",
|
||||
"increase-scale-label": "Verhoog de schaal met 1",
|
||||
"locked": "Vergrendeld",
|
||||
@@ -531,24 +534,24 @@
|
||||
"resume-timer": "Kookwekker hervatten",
|
||||
"stop-timer": "Kookwekker stoppen"
|
||||
},
|
||||
"edit-timeline-event": "Bewerk tijdlijn gebeurtenis",
|
||||
"edit-timeline-event": "Bewerk tijdlijngebeurtenis",
|
||||
"timeline": "Tijdlijn",
|
||||
"timeline-is-empty": "Nog niets op de tijdlijn. Probeer dit recept te maken!",
|
||||
"timeline-no-events-found-try-adjusting-filters": "Geen gebeurtenissen gevonden. Probeer uw zoekfilters aan te passen.",
|
||||
"group-global-timeline": "{groupName} Algemene tijdlijn",
|
||||
"timeline-no-events-found-try-adjusting-filters": "Geen gebeurtenissen gevonden. Probeer je zoekfilters aan te passen.",
|
||||
"group-global-timeline": "{groupName} algemene tijdlijn",
|
||||
"open-timeline": "Open tijdlijn",
|
||||
"made-this": "Ik heb dit gemaakt",
|
||||
"how-did-it-turn-out": "Hoe was je gerecht?",
|
||||
"user-made-this": "{user} heeft dit gemaakt",
|
||||
"last-made-date": "Laatste Gemaakt {date}",
|
||||
"api-extras-description": "Extra's bij recepten zijn een belangrijke functie van de Mealie API. Hiermee kun je aangepaste JSON key/value paren maken bij een recept en kun je naar verwijzen vanuit applicaties van derden. Je kunt deze sleutels gebruiken om extra informatie te bieden, bijvoorbeeld om automatisering aan te sturen of aangepaste berichten naar je gewenste apparaat te laten versturen.",
|
||||
"message-key": "recept -> bericht-sleutel",
|
||||
"parse": "Verwerk",
|
||||
"last-made-date": "Laatst gemaakt op {date}",
|
||||
"api-extras-description": "Extra's bij recepten zijn een belangrijke functie van de Mealie API. Hiermee kun je aangepaste JSON key/value paren maken bij een recept om naar te verwijzen vanuit applicaties van derden. Je kunt deze sleutels gebruiken om extra informatie te bieden, bijvoorbeeld om automatisering aan te sturen of aangepaste berichten naar je gewenste apparaat te laten versturen.",
|
||||
"message-key": "Berichtsleutel",
|
||||
"parse": "Ontleed",
|
||||
"attach-images-hint": "Voeg afbeeldingen toe door ze te slepen en in de editor te plaatsen",
|
||||
"drop-image": "Afbeelding toevoegen",
|
||||
"enable-ingredient-amounts-to-use-this-feature": "Schakel hoeveelheden ingrediënt in om deze functie te gebruiken",
|
||||
"recipes-with-units-or-foods-defined-cannot-be-parsed": "Recepten met bepaalde eenheden of levensmiddelen kunnen niet verwerkt worden.",
|
||||
"parse-ingredients": "Ingrediënten verwerken",
|
||||
"enable-ingredient-amounts-to-use-this-feature": "Schakel ingrediënthoeveelheden in om deze functie te gebruiken",
|
||||
"recipes-with-units-or-foods-defined-cannot-be-parsed": "Recepten met eenheden of levensmiddelen kunnen niet ontleed worden.",
|
||||
"parse-ingredients": "Ingrediënten ontleden",
|
||||
"edit-markdown": "Markdown bewerken",
|
||||
"recipe-creation": "Recept aanmaken",
|
||||
"select-one-of-the-various-ways-to-create-a-recipe": "Selecteer een van de verschillende manieren om een recept te maken",
|
||||
@@ -556,38 +559,38 @@
|
||||
"import-with-url": "Importeer via URL",
|
||||
"create-recipe": "Recept aanmaken",
|
||||
"create-recipe-description": "Maak een nieuw recept.",
|
||||
"create-recipes": "Recept aanmaken",
|
||||
"create-recipes": "Recepten aanmaken",
|
||||
"import-with-zip": "Importeer met .zip",
|
||||
"create-recipe-from-an-image": "Maak recept van een afbeelding",
|
||||
"bulk-url-import": "Bulk URL import",
|
||||
"bulk-url-import": "URL-import in bulk",
|
||||
"debug-scraper": "Debug Scraper",
|
||||
"create-a-recipe-by-providing-the-name-all-recipes-must-have-unique-names": "Maak een recept door het een naam te geven. Alle recepten moeten unieke namen hebben.",
|
||||
"new-recipe-names-must-be-unique": "Nieuwe receptnamen moeten uniek zijn",
|
||||
"scrape-recipe": "Scrape recept",
|
||||
"scrape-recipe-description": "Voeg een recept toe via een URL. Geef de URL op van de site die je wil scannen voor een recept en Mealie zal proberen het recept vanaf die plek te scannen en aan je collectie toe te voegen.",
|
||||
"scrape-recipe-have-a-lot-of-recipes": "Heb je veel recepten die je in 1 keer wil importeren?",
|
||||
"scrape-recipe-suggest-bulk-importer": "Probeer de bulk importer uit",
|
||||
"import-original-keywords-as-tags": "Importeer oorspronkelijke trefwoorden als tags",
|
||||
"scrape-recipe-have-a-lot-of-recipes": "Heb je veel recepten die je in één keer wil importeren?",
|
||||
"scrape-recipe-suggest-bulk-importer": "Probeer importeren in bulk",
|
||||
"import-original-keywords-as-tags": "Importeer oorspronkelijke trefwoorden als labels",
|
||||
"stay-in-edit-mode": "Blijf in bewerkingsmodus",
|
||||
"import-from-zip": "Importeren uit zip",
|
||||
"import-from-zip-description": "Importeer een recept dat geëxporteerd was van een andere Mealie versie.",
|
||||
"import-from-zip-description": "Importeer een recept dat geëxporteerd was uit een andere Mealie instantie.",
|
||||
"zip-files-must-have-been-exported-from-mealie": ".zip-bestanden moeten uit Mealie geëxporteerd zijn",
|
||||
"create-a-recipe-by-uploading-a-scan": "Een recept maken door een scan te uploaden.",
|
||||
"upload-a-png-image-from-a-recipe-book": "Upload een png-afbeelding uit een receptenboek",
|
||||
"recipe-bulk-importer": "Recept in bulk importeren",
|
||||
"recipe-bulk-importer-description": "Met de Bulk recepten importeur kunt u meerdere recepten tegelijk importeren door de sites op de backend in een wachtrij te plaatsen en de taak op de achtergrond uit te voeren. Dit kan handig zijn bij een eerste migratie naar Mealie, of wanneer u een groot aantal recepten wilt importeren.",
|
||||
"recipe-bulk-importer": "Recepten in bulk importeren",
|
||||
"recipe-bulk-importer-description": "Met recepten in bulk importeren kunt u meerdere recepten tegelijk importeren door de sites op de backend in een wachtrij te plaatsen en de taak op de achtergrond uit te voeren. Dit kan handig zijn bij een eerste migratie naar Mealie, of wanneer u een groot aantal recepten wilt importeren.",
|
||||
"set-categories-and-tags": "Categorieën en tags instellen",
|
||||
"bulk-imports": "Bulk importeren",
|
||||
"bulk-imports": "Importeren in bulk",
|
||||
"bulk-import-process-has-started": "Bulk importproces is gestart",
|
||||
"bulk-import-process-has-failed": "Bulk importproces is mislukt",
|
||||
"bulk-import-process-has-failed": "Bulk-importproces is mislukt",
|
||||
"report-deletion-failed": "Rapport verwijderen is mislukt",
|
||||
"recipe-debugger": "Recept debugger",
|
||||
"recipe-debugger-description": "Pak de URL van het recept dat u wilt debuggen en plak die hier. De URL zal door de receptenscraper worden gescrapt en de resultaten zullen worden weergegeven. Als u geen gegevens ziet, wordt de site die u probeert te scrapen niet ondersteund door Mealie of zijn scraperbibliotheek.",
|
||||
"recipe-debugger-description": "Pak de URL van het recept dat u wilt debuggen en plak die hier. De URL zal door de receptenscraper worden gescrapet en de resultaten zullen worden weergegeven. Als u geen gegevens ziet, wordt de site die u probeert te scrapen niet ondersteund door Mealie of zijn scraperbibliotheek.",
|
||||
"use-openai": "Gebruik OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Gebruik OpenAI om de resultaten te verwerken in plaats van te vertrouwen op de scraper-bibliotheek. Bij het maken van een recept via een URL wordt dit automatisch gedaan als de scraper-bibliotheek mislukt, maar u kunt het hier handmatig testen.",
|
||||
"debug": "Debug",
|
||||
"tree-view": "Boomstructuurweergave",
|
||||
"recipe-yield": "Recept Opbrengst",
|
||||
"recipe-yield": "Opbrengst van recept",
|
||||
"unit": "Eenheid",
|
||||
"upload-image": "Afbeelding uploaden",
|
||||
"screen-awake": "Scherm aan laten staan",
|
||||
@@ -595,10 +598,10 @@
|
||||
"nextStep": "Volgende stap",
|
||||
"recipe-actions": "Acties met recepten ",
|
||||
"parser": {
|
||||
"experimental-alert-text": "Mealie gebruikt natuurlijke taalverwerking om te ontleden en maakt eenheden en levensmiddelen voor de ingrediënten van je recept. Deze functie is experimenteel en werkt misschien niet altijd zoals verwacht. Als u liever niet de bewerkte resultaten gebruikt, kunt u 'Annuleren' selecteren en de wijzigingen worden niet opgeslagen.",
|
||||
"experimental-alert-text": "Mealie gebruikt natuurlijke taalverwerking om te ontleden en maakt eenheden en levensmiddelen voor de ingrediënten van je recept. Deze functie is experimenteel en werkt misschien niet altijd zoals verwacht. Als je liever niet de bewerkte resultaten gebruikt, kan je 'Annuleren' selecterenl de wijzigingen worden dan niet opgeslagen.",
|
||||
"ingredient-parser": "Ingrediëntenontleder",
|
||||
"explanation": "Om de ingrediëntenontleder te gebruiken, klik op de knop 'Alles ontleden' om het proces te starten. Zodra de verwerkte ingrediënten beschikbaar zijn, kan je de items bekijken en controleren of ze correct verwerkt zijn. De vertrouwensscore van het model wordt weergegeven aan de rechterkant van het item titel. Deze score is een gemiddelde van alle afzonderlijke scores en is mogelijk niet altijd volledig.",
|
||||
"alerts-explainer": "Waarschuwingen zullen worden getoond als er een overeenkomend voedsel of eenheid is gevonden, maar niet bestaat in de database.",
|
||||
"explanation": "Om de ingrediëntenontleder te gebruiken, klik op de knop 'Alles ontleden' om het proces te starten. Zodra de verwerkte ingrediënten beschikbaar zijn, kan je de items bekijken en controleren of ze correct verwerkt zijn. De vertrouwensscore van het model wordt weergegeven aan de rechterkant van de titel van het item. Deze score is een gemiddelde van alle afzonderlijke scores en is mogelijk niet altijd volledig.",
|
||||
"alerts-explainer": "Waarschuwingen zullen worden getoond als er een overeenkomend levensmiddel of eenheid is gevonden, dat nog niet bestaat in de database.",
|
||||
"select-parser": "Selecteer ontleder",
|
||||
"natural-language-processor": "Natuurlijke taalverwerker",
|
||||
"brute-parser": "Ruwe ontleder",
|
||||
@@ -606,8 +609,8 @@
|
||||
"parse-all": "Alles ontleden",
|
||||
"no-unit": "Geen eenheid",
|
||||
"missing-unit": "Maak ontbrekende eenheid aan: {unit}",
|
||||
"missing-food": "Ontbrekende voedsel maken: {food}",
|
||||
"no-food": "Geen voedsel"
|
||||
"missing-food": "Ontbrekend levensmiddel maken: {food}",
|
||||
"no-food": "Geen levensmiddel"
|
||||
}
|
||||
},
|
||||
"search": {
|
||||
@@ -637,7 +640,7 @@
|
||||
"backup-created-at-response-export_path": "Back-up gemaakt op {path}",
|
||||
"backup-deleted": "Back-up verwijderd",
|
||||
"restore-success": "Herstellen gelukt",
|
||||
"restore-fail": "Herstel mislukt. Controleer de logbestanden van uw server voor meer informatie",
|
||||
"restore-fail": "Herstel mislukt. Controleer de logbestanden van je server voor meer informatie",
|
||||
"backup-tag": "Back-uplabel",
|
||||
"create-heading": "Back-up maken",
|
||||
"delete-backup": "Back-up verwijderen",
|
||||
@@ -648,9 +651,9 @@
|
||||
"unable-to-delete-backup": "Kan back-up niet verwijderen.",
|
||||
"experimental-description": "Back-ups zijn een complete kopie van de database en de data map. Je kunt geen keuze maken wat wel of niet in de reservekopie zit. Het is een kopie van Mealie van dat moment. Je kunt de back-up gebruiken om data te importeren of exporteren. Of om de hele site op een andere plek te bewaren.",
|
||||
"backup-restore": "Back-up maken/terugzetten",
|
||||
"back-restore-description": "Het terugzetten van deze back-up overschrijft alle huidige gegevens in uw database en in de gegevensmap. {cannot-be-undone} Als het terugzetten is gelukt wordt u afgemeld.",
|
||||
"cannot-be-undone": "Deze actie kan niet ongedaan worden gemaakt - gebruik met voorzichtigheid.",
|
||||
"postgresql-note": "Gebruik je PostGreSQL? Lees dan eerst de {backup-restore-process} voordat je dit herstelt.",
|
||||
"back-restore-description": "Het terugzetten van deze back-up overschrijft alle huidige gegevens in je database en in de gegevensmap. {cannot-be-undone} Als het terugzetten is gelukt wordt je afgemeld.",
|
||||
"cannot-be-undone": "Deze actie kan niet ongedaan worden gemaakt – gebruik met voorzichtigheid.",
|
||||
"postgresql-note": "Gebruik je PostgreSQL? Lees dan eerst de {backup-restore-process} voordat je herstelt.",
|
||||
"backup-restore-process-in-the-documentation": "backup/herstel proces in de documentatie",
|
||||
"irreversible-acknowledgment": "Ik begrijp dat deze actie onomkeerbaar en destructief is en gegevensverlies kan veroorzaken",
|
||||
"restore-backup": "Back-up terugzetten"
|
||||
@@ -667,8 +670,8 @@
|
||||
"all-categories": "Alle categorieën",
|
||||
"card-per-section": "Kaart per sectie",
|
||||
"home-page": "Startpagina",
|
||||
"home-page-sections": "Startpagina secties",
|
||||
"show-recent": "Toon laatst gebruikte"
|
||||
"home-page-sections": "Startpagina-secties",
|
||||
"show-recent": "Toon recent gebruikte"
|
||||
},
|
||||
"language": "Taal",
|
||||
"latest": "Laatste",
|
||||
@@ -676,8 +679,8 @@
|
||||
"locale-settings": "Taalinstellingen",
|
||||
"migrations": "Migraties",
|
||||
"new-page": "Nieuwe pagina",
|
||||
"notify": "Notificeer",
|
||||
"organize": "Organiseren",
|
||||
"notify": "Meld",
|
||||
"organize": "Indelen",
|
||||
"page-name": "Paginanaam",
|
||||
"pages": "Pagina's",
|
||||
"profile": "Profiel",
|
||||
@@ -714,21 +717,21 @@
|
||||
"active-tokens": "ACTIEVE TOKENS",
|
||||
"api-token": "API-token",
|
||||
"api-tokens": "API-tokens",
|
||||
"copy-this-token-for-use-with-an-external-application-this-token-will-not-be-viewable-again": "Kopieer dit token voor gebruik met een externe toepassing. Dit token zal niet opnieuw zichtbaar zijn.",
|
||||
"copy-this-token-for-use-with-an-external-application-this-token-will-not-be-viewable-again": "Kopieer dit token voor gebruik met een externe toepassing. Dit token wordt nu eenmalig getoond.",
|
||||
"create-an-api-token": "API-token aanmaken",
|
||||
"token-name": "Tokennaam",
|
||||
"generate": "Genereer",
|
||||
"you-have-token-count": "U heeft geen actieve tokens.|U heeft één actieve token.|U heeft {count} actieve tokens."
|
||||
"you-have-token-count": "Je hebt geen actieve tokens.|Je hebt één actieve token.|Je hebt {count} actieve tokens."
|
||||
},
|
||||
"toolbox": {
|
||||
"assign-all": "Alles toewijzen",
|
||||
"bulk-assign": "Bulk toewijzen",
|
||||
"bulk-assign": "Toewijzen in bulk",
|
||||
"new-name": "Nieuwe naam",
|
||||
"no-unused-items": "Geen ongebruikte items",
|
||||
"recipes-affected": "Geen recepten beïnvloed|Een recept beïnvloed|{count} recepten beïnvloed",
|
||||
"recipes-affected": "Geen recepten beïnvloed|Eén recept beïnvloed|{count} recepten beïnvloed",
|
||||
"remove-unused": "Verwijder ongebruikte hulpmiddelen",
|
||||
"title-case-all": "Alle titels in hoofdletters",
|
||||
"toolbox": "Gereedschap",
|
||||
"title-case-all": "Alles met hoofdletters beginnen",
|
||||
"toolbox": "Gereedschapskist",
|
||||
"unorganized": "Ongeorganiseerd"
|
||||
},
|
||||
"webhooks": {
|
||||
@@ -738,27 +741,27 @@
|
||||
"webhooks-caps": "WEBHOOKS",
|
||||
"webhooks": "Webhooks",
|
||||
"webhook-name": "Webhooknaam",
|
||||
"description": "De onderstaande webhooks worden uitgevoerd wanneer een maaltijd is gedefinieerd voor de dag. Op het geplande tijdstip worden de webhooks verzonden met de data van het recept dat voor de dag is ingepland. Merk op dat de webhook niet precies is. De webhooks worden uitgevoerd met een interval van 5 minuten zodat de webhooks worden uitgevoerd binnen 5 +/- minuten van de geplande tijd."
|
||||
"description": "De onderstaande webhooks worden uitgevoerd wanneer een maaltijd is gedefinieerd voor de dag. Op het geplande tijdstip worden de webhooks verzonden met de data van het recept dat voor de dag is ingepland. Merk op dat er onnauwkeurigheid is in het tijdstip waarop de webhook wordt uitgevoerd. De webhooks worden uitgevoerd met een interval van 5 minuten, dus de webhooks worden uitgevoerd binnen ± 5 minuten van de geplande tijd."
|
||||
},
|
||||
"bug-report": "Foutrapportage",
|
||||
"bug-report-information": "Gebruik deze informatie om een bug te rapporteren. Het delen van de details van uw instantie aan ontwikkelaars is de beste manier om uw problemen snel op te lossen.",
|
||||
"bug-report-information": "Gebruik deze informatie om een bug te rapporteren. Het delen van de details van je instantie aan ontwikkelaars is de beste manier om je problemen snel op te lossen.",
|
||||
"tracker": "Tracker",
|
||||
"configuration": "Configuratie",
|
||||
"docker-volume": "Docker Volume",
|
||||
"docker-volume-help": "Mealie vereist dat de frontend container en de backend hetzelfde docker volume of opslag delen. Dit zorgt ervoor dat de frontend container op een goede manier toegang heeft tot de afbeeldingen en bestanden op de schijf.",
|
||||
"volumes-are-misconfigured": "Volumes zijn verkeerd geconfigureerd.",
|
||||
"volumes-are-configured-correctly": "Volumes zijn juist geconfigureerd.",
|
||||
"status-unknown-try-running-a-validation": "Status onbekend. Probeer een validatie te doen.",
|
||||
"status-unknown-try-running-a-validation": "Status onbekend. Probeer een controle te doen.",
|
||||
"validate": "Controleer",
|
||||
"email-configuration-status": "Email configuratie",
|
||||
"email-configuration-status": "Emailconfiguratie",
|
||||
"email-configured": "E-mail geconfigureerd",
|
||||
"email-test-results": "E-mail test resultaten",
|
||||
"email-test-results": "E-mail testresultaten",
|
||||
"ready": "Klaar",
|
||||
"not-ready": "Niet klaar - Controleer omgevingsvariabelen",
|
||||
"not-ready": "Niet klaar – Controleer omgevingsvariabelen",
|
||||
"succeeded": "Geslaagd",
|
||||
"failed": "Mislukt",
|
||||
"general-about": "Algemene informatie",
|
||||
"application-version": "Applicatie versie",
|
||||
"application-version": "Applicatieversie",
|
||||
"application-version-error-text": "De huidige versie ({0}) komt niet overeen met de nieuwste versie. Overweeg bijwerken naar de laatste versie ({1}).",
|
||||
"mealie-is-up-to-date": "Laatste versie van Mealie",
|
||||
"secure-site": "Beveiligde website",
|
||||
@@ -770,11 +773,11 @@
|
||||
"ldap-ready": "LDAP klaar",
|
||||
"ldap-ready-error-text": "Niet alle LDAP-waarden zijn geconfigureerd. Dit kan worden genegeerd als je geen LDAP-authenticatie gebruikt.",
|
||||
"ldap-ready-success-text": "Vereiste LDAP variabelen zijn helemaal ingesteld.",
|
||||
"build": "Bouw",
|
||||
"build": "Build",
|
||||
"recipe-scraper-version": "Versie van de receptenscraper",
|
||||
"oidc-ready": "OIDC klaar",
|
||||
"oidc-ready-error-text": "Niet alle OIDC-waarden zijn geconfigureerd. Dit kan worden genegeerd als je geen OIDC-authenticatie gebruikt.",
|
||||
"oidc-ready-success-text": "Vereiste OIDC variabelen zijn allemaal ingesteld.",
|
||||
"oidc-ready-success-text": "Vereiste OIDC-variabelen zijn allemaal ingesteld.",
|
||||
"openai-ready": "OpenAI staat klaar",
|
||||
"openai-ready-error-text": "Niet alle tekstvakken voor OpenAI zijn ingevuld. Als je geen OpenAI gebruikt kun je dit leeg laten.",
|
||||
"openai-ready-success-text": "Verplichte tekstvakken voor OpenAI zijn ingevuld."
|
||||
@@ -788,38 +791,43 @@
|
||||
"quantity": "Hoeveelheid: {0}",
|
||||
"shopping-list": "Boodschappenlijst",
|
||||
"shopping-lists": "Boodschappenlijsten",
|
||||
"food": "Voedsel",
|
||||
"food": "Levensmiddelen",
|
||||
"note": "Notitie",
|
||||
"label": "Label",
|
||||
"save-label": "Label opslaan",
|
||||
"linked-item-warning": "Dit element is gekoppeld aan een of meer recepten. Het aanpassen van de eenheden of ingrediënten zal onverwachte resultaten opleveren bij het toevoegen of verwijderen van het recept uit deze lijst.",
|
||||
"toggle-food": "Voedsel schakelen",
|
||||
"toggle-food": "Levensmiddelen schakelen",
|
||||
"manage-labels": "Labels beheren",
|
||||
"are-you-sure-you-want-to-delete-this-item": "Weet je zeker dat je dit element wilt verwijderen?",
|
||||
"copy-as-text": "Kopieer als tekst",
|
||||
"copy-as-text": "Kopiëren als tekst",
|
||||
"copy-as-markdown": "Kopiëren als Markdown",
|
||||
"delete-checked": "Selectie verwijderen",
|
||||
"toggle-label-sort": "Label sortering in-/uitschakelen",
|
||||
"reorder-labels": "Labels opnieuw indelen",
|
||||
"uncheck-all-items": "Deselecteer alle items",
|
||||
"check-all-items": "Selecteer alle items",
|
||||
"linked-recipes-count": "Geen Gelinkte Recepten Eén Gekoppeld Recept{count} Gekoppelde Recepten",
|
||||
"linked-recipes-count": "Geen Gelinkte Recepten|Eén Gekoppeld Recept|{count} Gekoppelde Recepten",
|
||||
"items-checked-count": "Geen items geselecteerd|Eén item geselecteerd|{count} items geselecteerd",
|
||||
"no-label": "Geen label",
|
||||
"completed-on": "Afgemaakt op {date}"
|
||||
"completed-on": "Afgemaakt op {date}",
|
||||
"you-are-offline": "Je bent offline",
|
||||
"you-are-offline-description": "Je kunt niet alles doen als je offline bent. Je kunt wel dingen toevoegen, veranderen of weghalen. Maar we verwerken je aanpassingen pas als je weer online bent.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Weet je zeker dat je alle items wilt selecteren?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Weet je zeker dat je alle items wilt deselecteren?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Weet je zeker dat je de geselecteerde items wilt verwijderen?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Recepten",
|
||||
"all-recipes": "Alle Recepten",
|
||||
"backups": "Back-ups",
|
||||
"categories": "Categorieën",
|
||||
"cookbooks": "Kookboeken",
|
||||
"dashboard": "Dashboard",
|
||||
"home-page": "Homepagina",
|
||||
"home-page": "Startpagina",
|
||||
"manage-users": "Beheer Gebruikers",
|
||||
"migrations": "Migraties",
|
||||
"profile": "Profiel",
|
||||
"search": "Zoeken",
|
||||
"site-settings": "Instellingen",
|
||||
"site-settings": "Site-instellingen",
|
||||
"tags": "Labels",
|
||||
"toolbox": "Gereedschapskist",
|
||||
"language": "Taal",
|
||||
@@ -860,14 +868,14 @@
|
||||
"tool-name": "Naam van het keukengerei",
|
||||
"create-new-tool": "Nieuw keukengerei aanmaken",
|
||||
"on-hand-checkbox-label": "Tonen als in bezit (gemarkeerd)",
|
||||
"required-tools": "Benodig kookgerei",
|
||||
"required-tools": "Benodigd keukengerei",
|
||||
"tool": "Keukengerei"
|
||||
},
|
||||
"user": {
|
||||
"admin": "Beheerder",
|
||||
"are-you-sure-you-want-to-delete-the-link": "Weet je zeker dat je <b>{link}<b/> wil verwijderen?",
|
||||
"are-you-sure-you-want-to-delete-the-user": "Weet je zeker dat je gebruiker <b>{activeName} ID: {activeId}<b/> wil verwijderen?",
|
||||
"auth-method": "Authenticatie methode",
|
||||
"auth-method": "Authenticatiemethode",
|
||||
"confirm-link-deletion": "Bevestig verwijderen koppeling",
|
||||
"confirm-password": "Bevestig wachtwoord",
|
||||
"confirm-user-deletion": "Bevestig verwijderen gebruiker",
|
||||
@@ -876,7 +884,7 @@
|
||||
"create-user": "Gebruiker aanmaken",
|
||||
"current-password": "Huidig wachtwoord",
|
||||
"e-mail-must-be-valid": "E-mailadres moet geldig zijn",
|
||||
"edit-user": "Bewerk Gebruiker",
|
||||
"edit-user": "Bewerk gebruiker",
|
||||
"email": "E-mailadres",
|
||||
"error-cannot-delete-super-user": "Fout! Kan supergebruiker niet verwijderen",
|
||||
"existing-password-does-not-match": "Bestaande wachtwoord komt niet overeen",
|
||||
@@ -884,7 +892,7 @@
|
||||
"generate-password-reset-link": "Stuur een link om het wachtwoord opnieuw in te stellen",
|
||||
"invite-only": "Alleen op uitnodiging",
|
||||
"link-id": "Koppeling ID",
|
||||
"link-name": "Koppeling Naam",
|
||||
"link-name": "Koppelingsaam",
|
||||
"login": "Inloggen",
|
||||
"login-oidc": "Login met",
|
||||
"or": "of",
|
||||
@@ -899,19 +907,19 @@
|
||||
"password-updated": "Wachtwoord bijgewerkt",
|
||||
"password": "Wachtwoord",
|
||||
"password-strength": "Wachtwoord is {strength}",
|
||||
"please-enter-password": "Voeg uw nieuwe wachtwoord in.",
|
||||
"please-enter-password": "Voeg je nieuwe wachtwoord in.",
|
||||
"register": "Registreren",
|
||||
"reset-password": "Wachtwoord herstellen",
|
||||
"sign-in": "Inloggen",
|
||||
"total-mealplans": "Totaal maaltijdplannen",
|
||||
"total-users": "Totaal gebruikers",
|
||||
"upload-photo": "Foto uploaden",
|
||||
"use-8-characters-or-more-for-your-password": "Gebruik 8 tekens of meer voor jouw wachtwoord",
|
||||
"use-8-characters-or-more-for-your-password": "Gebruik 8 tekens of meer voor je wachtwoord",
|
||||
"user-created": "Gebruiker aangemaakt",
|
||||
"user-creation-failed": "Gebruiker aanmaken mislukt",
|
||||
"user-deleted": "Gebruiker verwijderd",
|
||||
"user-id-with-value": "Gebruikersid: {id}",
|
||||
"user-id": "Gebruikersid",
|
||||
"user-id": "Gebruikers-ID",
|
||||
"user-password": "Gebruikerswachtwoord",
|
||||
"user-successfully-logged-in": "Gebruiker succesvol ingelogd",
|
||||
"user-update-failed": "Gebruiker bijwerken mislukt",
|
||||
@@ -929,35 +937,35 @@
|
||||
"enable-advanced-content-description": "Schakelt geavanceerde functies, zoals recepten opschalen, API-sleutels, webhooks en gegevensbeheer in. Geen zorgen, je kan dit later altijd aanpassen",
|
||||
"favorite-recipes": "Favoriete recepten",
|
||||
"email-or-username": "E-mailadres of gebruikersnaam",
|
||||
"remember-me": "Herinner Mij",
|
||||
"remember-me": "Herinner mij",
|
||||
"please-enter-your-email-and-password": "Voer je e-mailadres en wachtwoord in",
|
||||
"invalid-credentials": "Ongeldige inloggegevens",
|
||||
"account-locked-please-try-again-later": "Account geblokkeerd. Probeer het later opnieuw",
|
||||
"user-favorites": "Gebruiker Favorieten",
|
||||
"user-favorites": "Gebruiker-favorieten",
|
||||
"password-strength-values": {
|
||||
"weak": "Zwak",
|
||||
"good": "Goed",
|
||||
"strong": "Sterk",
|
||||
"very-strong": "Zeer Sterk"
|
||||
"weak": "zwak",
|
||||
"good": "goed",
|
||||
"strong": "sterk",
|
||||
"very-strong": "zeer sterk"
|
||||
},
|
||||
"user-management": "Gebruikersbeheer",
|
||||
"reset-locked-users": "Vergrendelde gebruikers resetten",
|
||||
"admin-user-creation": "Admin (hoofd) gebruiker aanmaken",
|
||||
"reset-locked-users": "Vergrendelde gebruikers herstellen",
|
||||
"admin-user-creation": "Beheerder-gebruiker aanmaken",
|
||||
"admin-user-management": "Gebruikersbeheer",
|
||||
"user-details": "Gebruikersdetails",
|
||||
"user-name": "Gebruikersnaam",
|
||||
"authentication-method": "Verificatiemethode",
|
||||
"authentication-method-hint": "Dit bepaalt hoe een gebruiker zich aanmeldt bij Mealie. Als je het niet zeker weet, kies dan voor 'Mealie'",
|
||||
"permissions": "Permissies",
|
||||
"permissions": "Gebruikersrechten",
|
||||
"administrator": "Beheerder",
|
||||
"user-can-invite-other-to-group": "Gebruiker kan iemand uitnodigen voor de groep",
|
||||
"user-can-manage-group": "Gebruiker kan de groep beheren",
|
||||
"user-can-organize-group-data": "Gebruiker kan groepsgegevens organiseren",
|
||||
"user-can-organize-group-data": "Gebruiker kan groepsgegevens indelen",
|
||||
"enable-advanced-features": "Geavanceerde functies inschakelen",
|
||||
"it-looks-like-this-is-your-first-time-logging-in": "Het lijkt erop dat je voor het eerst inlogt.",
|
||||
"dont-want-to-see-this-anymore-be-sure-to-change-your-email": "Wil je dit niet meer zien? Verander dan je e-mailadres in je gebruikersinstellingen!",
|
||||
"forgot-password": "Wachtwoord vergeten",
|
||||
"forgot-password-text": "Voer je e-mailadres in, dan sturen we je een link om het wachtwoord te resetten.",
|
||||
"forgot-password-text": "Voer je e-mailadres in, dan sturen we je een link om het wachtwoord te herstellen.",
|
||||
"changes-reflected-immediately": "Wijzigingen in deze groep zijn meteen zichtbaar."
|
||||
},
|
||||
"language-dialog": {
|
||||
@@ -969,19 +977,21 @@
|
||||
},
|
||||
"data-pages": {
|
||||
"foods": {
|
||||
"merge-dialog-text": "Het combineren van de geselecteerde voedingsmiddelen zal het oorspronkelijke voedingsmiddel en het nieuwe voedingsmiddel samenvoegen. Het oorspronkelijke voedingsmiddel zal worden verwijderd en alle referenties worden aangepast, zodat ze naar het nieuwe voedingsmiddel verwijzen.",
|
||||
"merge-dialog-text": "Het combineren van de geselecteerde levensmiddelen zal het oorspronkelijke levensmiddel en het nieuwe levensmiddel samenvoegen. Het oorspronkelijke levensmiddel zal worden verwijderd en alle referenties worden aangepast, zodat ze naar het nieuwe levensmiddel verwijzen.",
|
||||
"merge-food-example": "{food1} samenvoegen met {food2}",
|
||||
"seed-dialog-text": "Vul de database met voedingsmiddelen in jouw taal. Dit maakt 200+ veelvoorkomende voedingsmiddelen aan die jij in jouw database kan gebruiken. De vertalingen zijn verzorgd door een gemeenschap.",
|
||||
"seed-dialog-text": "Vul de database met levensmiddelen in jouw taal. Dit maakt meer dan 200 veelvoorkomende levensmiddelen aan die je in jouw database kan gebruiken. De vertalingen zijn verzorgd door een gemeenschap.",
|
||||
"seed-dialog-warning": "Er bevinden zich al enkele artikelen in je database. Deze actie zal de duplicaten niet samenvoegen, dit moet handmatig worden beheerd.",
|
||||
"combine-food": "Combineer Voedsel",
|
||||
"source-food": "Bron Voedsel",
|
||||
"target-food": "Doel Voedsel",
|
||||
"create-food": "Maak Voedsel",
|
||||
"food-label": "Voedsel Label",
|
||||
"edit-food": "Bewerk voedsel",
|
||||
"food-data": "Voedsel gegevens",
|
||||
"example-food-singular": "bv: Ui",
|
||||
"example-food-plural": "bv: Uien"
|
||||
"combine-food": "Combineer levensmiddelen",
|
||||
"source-food": "Bron-levensmiddelen",
|
||||
"target-food": "Doel-levensmiddel",
|
||||
"create-food": "Maak levensmiddel",
|
||||
"food-label": "Label voor levensmiddel",
|
||||
"edit-food": "Bewerk levensmiddel",
|
||||
"food-data": "Levensmiddel-gegevens",
|
||||
"example-food-singular": "bijv: Ui",
|
||||
"example-food-plural": "bijv: Uien",
|
||||
"label-overwrite-warning": "Dit geeft alle geselecteerde levensmiddelen het gekozen label. Het kan bestaande labels overschrijven.",
|
||||
"on-hand-checkbox-label": "Door deze vlag in te stellen, wordt dit voedsel standaard niet aangevinkt bij het toevoegen van een recept aan een boodschappenlijst."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Vul de database aan met veelvoorkomende eenheden, gebaseerd op je lokale taal.",
|
||||
@@ -994,22 +1004,23 @@
|
||||
"abbreviation": "Afkorting",
|
||||
"plural-abbreviation": "Afkorting voor meervoud",
|
||||
"description": "Beschrijving",
|
||||
"display-as-fraction": "Gedeelte weergeven",
|
||||
"display-as-fraction": "Weergeven als breuk",
|
||||
"use-abbreviation": "Gebruik afkorting",
|
||||
"edit-unit": "Eenheid wijzigen",
|
||||
"unit-data": "Eenheid gegevens",
|
||||
"unit-data": "Eenheid-gegevens",
|
||||
"use-abbv": "Gebruik afk.",
|
||||
"fraction": "Breuk",
|
||||
"example-unit-singular": "Bv: eetlepel ",
|
||||
"example-unit-plural": "Bv: eetlepels ",
|
||||
"example-unit-abbreviation-singular": "Bv: el",
|
||||
"example-unit-abbreviation-plural": "bv: els"
|
||||
"example-unit-abbreviation-plural": "bijv: els"
|
||||
},
|
||||
"labels": {
|
||||
"seed-dialog-text": "Vul de database aan met veelvoorkomende labels, gebaseerd op je lokale taal.",
|
||||
"edit-label": "Bewerk Label",
|
||||
"edit-label": "Bewerk label",
|
||||
"new-label": "Nieuw label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Label toevoegen"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Verwijder exports",
|
||||
@@ -1019,14 +1030,14 @@
|
||||
"settings-chosen-explanation": "Instellingen die hier gekozen zijn, exclusief de vergrendelde optie, zullen worden toegepast op alle geselecteerde recepten.",
|
||||
"selected-length-recipe-s-settings-will-be-updated": "De instellingen van {count} recept(en) zullen bijgewerkt worden.",
|
||||
"recipe-data": "Receptgegevens",
|
||||
"recipe-data-description": "Gebruik deze sectie om de gegevens te beheren die zijn gekoppeld aan uw recepten. Je kunt verschillende groepsgewijze acties uitvoeren op je recepten, zoals het exporteren, verwijderen, taggen en toewijzen van categorieën.",
|
||||
"recipe-data-description": "Gebruik deze sectie om de gegevens te beheren die zijn gekoppeld aan je recepten. Je kunt verschillende groepsgewijze acties uitvoeren op je recepten, zoals het exporteren, verwijderen, labelen en toewijzen van categorieën.",
|
||||
"recipe-columns": "Receptkolommen",
|
||||
"data-exports-description": "Deze sectie bevat links naar beschikbare exportbestanden die gedownload kunnen worden. Deze exportbestanden zullen verlopen, dus zorg ervoor dat je ze grijpt terwijl ze nog beschikbaar zijn.",
|
||||
"data-exports": "Gegevensexports",
|
||||
"tag": "Tag",
|
||||
"tag": "Label",
|
||||
"categorize": "Categoriseer",
|
||||
"update-settings": "Instellingen bijwerken",
|
||||
"tag-recipes": "Tag recepten",
|
||||
"tag-recipes": "Label recepten",
|
||||
"categorize-recipes": "Categoriseer recepten",
|
||||
"export-recipes": "Exporteer recepten",
|
||||
"delete-recipes": "Verwijder recepten",
|
||||
@@ -1077,7 +1088,7 @@
|
||||
"account-details": "Accountgegevens"
|
||||
},
|
||||
"validation": {
|
||||
"group-name-is-taken": "Groepsnaam is al gebruikt",
|
||||
"group-name-is-taken": "Groepsnaam is al in gebruik",
|
||||
"username-is-taken": "Gebruikersnaam is al in gebruik",
|
||||
"email-is-taken": "E-mailadres is al in gebruik",
|
||||
"this-field-is-required": "Dit is een verplicht veld"
|
||||
@@ -1113,16 +1124,16 @@
|
||||
},
|
||||
"ocr-editor": {
|
||||
"ocr-editor": "OCR-bewerker",
|
||||
"toolbar": "Gereedschap balk",
|
||||
"toolbar": "Gereedschapsbalk",
|
||||
"selection-mode": "Selectiemodus",
|
||||
"pan-and-zoom-picture": "Pan- en zoom afbeelding",
|
||||
"pan-and-zoom-picture": "Verschuif en zoom afbeelding",
|
||||
"split-text": "Tekst splitsen",
|
||||
"preserve-line-breaks": "Behoud oorspronkelijke regeleinden",
|
||||
"split-by-block": "Splits per tekstblok",
|
||||
"flatten": "Plat maken ongeacht originele opmaak",
|
||||
"help": {
|
||||
"help": "Help",
|
||||
"mouse-modes": "Muis modus",
|
||||
"mouse-modes": "Muismodus",
|
||||
"selection-mode": "Selectiemodus (standaard)",
|
||||
"selection-mode-desc": "De selectiemodus is de hoofdmodus die gebruikt kan worden om gegevens in te voeren:",
|
||||
"selection-mode-steps": {
|
||||
@@ -1130,9 +1141,9 @@
|
||||
"click": "Klik op een willekeurig veld aan de rechterkant en klik vervolgens op het vierkant boven de afbeelding.",
|
||||
"result": "De geselecteerde tekst verschijnt in het eerder geselecteerde veld."
|
||||
},
|
||||
"pan-and-zoom-mode": "Pan- en zoommodus",
|
||||
"pan-and-zoom-desc": "Selecteer Pan en Zoom door op het pictogram te klikken. Deze modus maakt het mogelijk om in te zoomen op de afbeelding en om rond te bewegen, wat het gebruik van grotere afbeeldingen vergemakkelijkt.",
|
||||
"split-text-mode": "Splits Tekst modus",
|
||||
"pan-and-zoom-mode": "Verschuif- en zoommodus",
|
||||
"pan-and-zoom-desc": "Selecteer Verschuif en zoom door op het pictogram te klikken. Deze modus maakt het mogelijk om in te zoomen op de afbeelding en om rond te bewegen, wat het gebruik van grotere afbeeldingen vergemakkelijkt.",
|
||||
"split-text-mode": "Splits tekst modus",
|
||||
"split-modes": {
|
||||
"line-mode": "Regelmodus (standaard)",
|
||||
"line-mode-desc": "In de regelmodus wordt de tekst met de originele regeleindes geplaatst. Deze modus is handig wanneer je in bulk ingrediënten toe wil voegen die elk op een regel staan.",
|
||||
@@ -1156,10 +1167,10 @@
|
||||
"info-description-cleanable-images": "Opschoonbare afbeeldingen",
|
||||
"storage": {
|
||||
"title-temporary-directory": "Tijdelijke map (.temp)",
|
||||
"title-backups-directory": "Back-upmap (back-ups)",
|
||||
"title-groups-directory": "Groepenmap (groepen)",
|
||||
"title-recipes-directory": "Receptenmap (recepten)",
|
||||
"title-user-directory": "Gebruikersmap (gebruiker)"
|
||||
"title-backups-directory": "Back-upmap (backups)",
|
||||
"title-groups-directory": "Groepenmap (groups)",
|
||||
"title-recipes-directory": "Receptenmap (recipes)",
|
||||
"title-user-directory": "Gebruikersmap (user)"
|
||||
},
|
||||
"action-delete-log-files-name": "Logbestanden verwijderen",
|
||||
"action-delete-log-files-description": "Verwijdert alle logbestanden",
|
||||
@@ -1173,26 +1184,26 @@
|
||||
"actions-description-destructive": "destructief",
|
||||
"actions-description-irreversible": "onomkeerbaar",
|
||||
"logs-action-refresh": "Logbestanden verversen",
|
||||
"logs-page-title": "Mealie logs",
|
||||
"logs-page-title": "Mealie logboekbestanden",
|
||||
"logs-tail-lines-label": "Laatste regels"
|
||||
},
|
||||
"mainentance": {
|
||||
"actions-title": "Acties"
|
||||
},
|
||||
"ingredients-natural-language-processor": "Natuurlijke taalprocessor voor ingrediënten",
|
||||
"ingredients-natural-language-processor-explanation": "Mealie gebruikt willekeurige Voorwaardelijke Velden voor het verwerken en verwerken van ingrediënten. Het model is gebaseerd op een gegevensset van meer dan 100.000 ingrediënten. Die komen uit een dataset die is samengesteld door de New York Times. Aangezien het model alleen in het Engels wordt getraind, kan het gebruik van het model in andere talen gevarieerd zijn. Deze pagina is een speeltuin om het model te testen.",
|
||||
"ingredients-natural-language-processor-explanation-2": "Het is niet perfect, maar het levert uitstekende resultaten op in het algemeen en is een goed uitgangspunt voor het handmatig verwerken van ingrediënten in afzonderlijke velden. Je kunt ook de \"Brute\" processor gebruiken die een patroonovereenkomende techniek gebruikt om ingrediënten te identificeren.",
|
||||
"ingredients-natural-language-processor-explanation": "Mealie gebruikt willekeurige voorwaardelijke velden (Conditional Random Fields, CRFs) voor het ontleden en verwerken van ingrediënten. Het model is gebaseerd op een gegevensset van meer dan 100.000 ingrediënten. Die komen uit een dataset die is samengesteld door de New York Times. Aangezien het model alleen in het Engels wordt getraind, kan het resultaat van het model in andere talen wisselend zijn. Deze pagina is een speeltuin om het model te testen.",
|
||||
"ingredients-natural-language-processor-explanation-2": "Het is niet perfect, maar het levert over het algemeen uitstekende resultaten op en is een goed uitgangspunt voor het handmatig ontleden van ingrediënten in afzonderlijke velden. Je kunt ook de \"Ruwe\" ontleder gebruiken die een patroonovereenkomende techniek gebruikt om ingrediënten te identificeren.",
|
||||
"nlp": "NLP",
|
||||
"brute": "Brute",
|
||||
"brute": "Ruw",
|
||||
"openai": "OpenAI kunstmatige intelligentie",
|
||||
"show-individual-confidence": "Individuele overtuiging tonen",
|
||||
"ingredient-text": "Ingrediënt tekst",
|
||||
"ingredient-text": "Ingrediënttekst",
|
||||
"average-confident": "{0} overtuigd",
|
||||
"try-an-example": "Probeer een voorbeeld",
|
||||
"parser": "Parser",
|
||||
"parser": "Ontleder",
|
||||
"background-tasks": "Achtergrondtaken",
|
||||
"background-tasks-description": "Hier kan je alle lopende achtergrondtaken en de status bekijken",
|
||||
"no-logs-found": "Geen logs gevonden",
|
||||
"no-logs-found": "Geen logboekbestanden gevonden",
|
||||
"tasks": "Taken",
|
||||
"setup": {
|
||||
"first-time-setup": "Instellingen eerste gebruik",
|
||||
@@ -1201,7 +1212,7 @@
|
||||
"common-settings-for-new-sites": "Hier zijn enkele algemene instellingen voor nieuwe sites",
|
||||
"setup-complete": "Installatie voltooid!",
|
||||
"here-are-a-few-things-to-help-you-get-started": "Hier zijn een aantal dingen om je op weg te helpen met Mealie",
|
||||
"restore-from-v1-backup": "Heeft u een back-up van een vorige exemplaar van Mealie v1? U kunt deze hier herstellen.",
|
||||
"restore-from-v1-backup": "Heb je een back-up van een vorig exemplaar van Mealie v1? Deze kan je hier terugzetten.",
|
||||
"manage-profile-or-get-invite-link": "Beheer je eigen profiel, of gebruik een uitnodigingslink om te delen met anderen."
|
||||
}
|
||||
},
|
||||
@@ -1219,8 +1230,8 @@
|
||||
"personal": "Persoonlijk",
|
||||
"personal-description": "Dit zijn jouw persoonlijke instellingen. Aanpassingen hier hebben geen invloed op andere gebruikers.",
|
||||
"user-settings": "Gebruikersinstellingen",
|
||||
"user-settings-description": "Beheer jouw voorkeuren, verander jouw wachtwoord en werk jouw e-mailadres bij.",
|
||||
"api-tokens-description": "Beheer jouw API-tokens voor toegang vanuit externe applicaties.",
|
||||
"user-settings-description": "Beheer jouw voorkeuren, verander je wachtwoord en werk je e-mailadres bij.",
|
||||
"api-tokens-description": "Beheer je API-tokens voor toegang vanuit externe applicaties.",
|
||||
"group-description": "Deze items worden gedeeld binnen je groep. Het bewerken van een van deze items zal het voor de hele groep veranderen!",
|
||||
"group-settings": "Groepsinstellingen",
|
||||
"group-settings-description": "Beheer je groepsinstellingen zoals maaltijdplan en privacyinstellingen.",
|
||||
@@ -1228,11 +1239,11 @@
|
||||
"members": "Leden",
|
||||
"members-description": "Zie wie er in je groep zit en beheer hun rechten.",
|
||||
"webhooks-description": "Stel webhooks in die worden geactiveerd op dagen dat je een maaltijdplan hebt gepland.",
|
||||
"notifiers": "Notificeerders",
|
||||
"notifiers": "Melders",
|
||||
"notifiers-description": "Stel e-mail en push-meldingen in die worden getriggerd bij specifieke gebeurtenissen.",
|
||||
"manage-data": "Gegevensbeheer",
|
||||
"manage-data-description": "Beheer je Mealie-gegevens: Levensmiddelen, Eenheden, Categorieën, Tags en meer.",
|
||||
"data-migrations": "Datamigratie",
|
||||
"manage-data-description": "Beheer je Mealie-gegevens: levensmiddelen, eenheden, categorieën, labels en meer.",
|
||||
"data-migrations": "Gegevensmigraties",
|
||||
"data-migrations-description": "Importeer jouw bestaande gegevens van andere applicaties, zoals Nextcloud recepten en Chowdown.",
|
||||
"email-sent": "E-mail verzonden",
|
||||
"error-sending-email": "Fout tijdens het verzenden van de e-mail",
|
||||
@@ -1246,19 +1257,19 @@
|
||||
"manage-cookbooks": "Beheer kookboeken",
|
||||
"manage-members": "Leden beheren",
|
||||
"manage-webhooks": "Webhooks beheren",
|
||||
"manage-notifiers": "Notificaties beheren",
|
||||
"manage-data-migrations": "Datamigraties beheren"
|
||||
"manage-notifiers": "Meldingen beheren",
|
||||
"manage-data-migrations": "Gegevensmigraties beheren"
|
||||
},
|
||||
"cookbook": {
|
||||
"cookbooks": "Kookboeken",
|
||||
"description": "Een kookboek is een alternatief om recepten te organiseren door het combineren van recepten en labels. Het maken van een kookboek zal een item toevoegen aan de zijbalk en alle recepten met de tags en categorieën die gekozen zijn zullen worden weergegeven in het kookboek.",
|
||||
"public-cookbook": "Openbaar kookboek",
|
||||
"public-cookbook-description": "Openbare kookboeken kunnen worden gedeeld met niet-mealie-gebruikers en zullen worden weergegeven op jouw groepspagina.",
|
||||
"public-cookbook-description": "Openbare kookboeken kunnen worden gedeeld met niet-Mealie-gebruikers en zullen worden weergegeven op jouw groepspagina.",
|
||||
"filter-options": "Filteropties",
|
||||
"filter-options-description": "Wanneer \"Vereis alle\" geselecteerd is, zal het kookboek alleen recepten bevatten die alle items geselecteerd hebben. Dit geldt voor elke subset van selectors en niet voor een kruissectie van de geselecteerde items.",
|
||||
"filter-options-description": "Wanneer \"Vereis alle\" geselecteerd is, zal het kookboek alleen recepten bevatten die alle geselecteerde items hebben. Dit geldt voor elke subset van selectors en niet voor een doorsnede van de geselecteerde items.",
|
||||
"require-all-categories": "Vereis alle categorieën",
|
||||
"require-all-tags": "Vereis alle tags",
|
||||
"require-all-tools": "Vereis al het kookgerei",
|
||||
"require-all-tags": "Vereis alle labels",
|
||||
"require-all-tools": "Vereis al het keukengerei",
|
||||
"cookbook-name": "Naam van het kookboek",
|
||||
"cookbook-with-name": "Kookboek {0}",
|
||||
"create-a-cookbook": "Maak een kookboek",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Du har ulagrede endringer. Ønsker du å lagre før du forlater? Trykk 'OK' for å lagre, 'Avbryt' for å forkaste endringene.",
|
||||
"clipboard-copy-failure": "Kunne ikke kopiere til utklippstavlen.",
|
||||
"confirm-delete-generic-items": "Er du sikker på at du vil følgende elementer?",
|
||||
"organizers": "Organisatorer"
|
||||
"organizers": "Organisatorer",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Er du sikker på at du vil slette <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredienser",
|
||||
"insert-ingredient": "Sett inn ingrediens",
|
||||
"insert-section": "Sett inn avsnitt",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruksjoner",
|
||||
"key-name-required": "Navn på nøkkel er påkrevd",
|
||||
"landscape-view-coming-soon": "Landskapsvisning",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Ingen tilknyttede oppskrifter|En tilknyttet oppskrift|{count} tilknyttede oppskrifter",
|
||||
"items-checked-count": "Ingen elementer krysset av|Ett element krysset av|{count} elementer krysset av",
|
||||
"no-label": "Ingen etikett",
|
||||
"completed-on": "Fullført den {date}"
|
||||
"completed-on": "Fullført den {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Alle oppskrifter",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Rediger matvare",
|
||||
"food-data": "Matvaredata",
|
||||
"example-food-singular": "f.eks: tomat",
|
||||
"example-food-plural": "f.eks: tomater"
|
||||
"example-food-plural": "f.eks: tomater",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Tilfør typiske enheter i databasen basert på ditt lokale språk.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Tilfør typiske etiketter i databasen basert på ditt lokale språk.",
|
||||
"edit-label": "Rediger etikett",
|
||||
"new-label": "Ny etikett",
|
||||
"labels": "Etiketter"
|
||||
"labels": "Etiketter",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Fjern eksporter",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Masz niezapisane zmiany. Czy chcesz zapisać przed wyjściem? Ok, aby zapisać, Anuluj, żeby odrzucić zmiany.",
|
||||
"clipboard-copy-failure": "Nie udało się skopiować do schowka.",
|
||||
"confirm-delete-generic-items": "Czy na pewno chcesz usunąć następujące elementy?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Czy na pewno chcesz usunąć <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Składniki",
|
||||
"insert-ingredient": "Wstaw Składnik",
|
||||
"insert-section": "Wstaw sekcję",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instrukcje",
|
||||
"key-name-required": "Nazwa klucza jest wymagana",
|
||||
"landscape-view-coming-soon": "Widok poziomy (wkrótce)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Brak połączonych przepisów|Jeden powiązany przepis|{count} powiązanych przepisów",
|
||||
"items-checked-count": "Nie zaznaczono żadnych elementów|Jeden zaznaczony element|{count} zaznaczonych elementów",
|
||||
"no-label": "Brak Etykiety",
|
||||
"completed-on": "Ukończono {date}"
|
||||
"completed-on": "Ukończono {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Wszystkie",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edytuj Żywność",
|
||||
"food-data": "Dane Żywności",
|
||||
"example-food-singular": "np. Cebula",
|
||||
"example-food-plural": "np. Cebule"
|
||||
"example-food-plural": "np. Cebule",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Wypełnij bazę zwyczajowymi jednostkami dla wybranego języka.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Wypełnij bazę zwyczajowymi etykietami dla wybranego języka.",
|
||||
"edit-label": "Edytuj Etykietę",
|
||||
"new-label": "Nowa Etykieta",
|
||||
"labels": "Etykiety"
|
||||
"labels": "Etykiety",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Wyczyść Eksport",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Você possui alterações não salvas. Deseja salvar antes de sair? Ok para salvar, Cancelar para descartar alterações.",
|
||||
"clipboard-copy-failure": "Falha ao copiar para a área de transferência.",
|
||||
"confirm-delete-generic-items": "Tem certeza que quer excluir os itens seguintes?",
|
||||
"organizers": "Organizadores"
|
||||
"organizers": "Organizadores",
|
||||
"caution": "Cuidado"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Tem certeza que deseja excluir o grupo <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredientes",
|
||||
"insert-ingredient": "Inserir Ingrediente",
|
||||
"insert-section": "Inserir Seção",
|
||||
"insert-above": "Inserir Acima",
|
||||
"insert-below": "Inserir Abaixo",
|
||||
"instructions": "Modo de Preparo",
|
||||
"key-name-required": "Nome da chave obrigatório",
|
||||
"landscape-view-coming-soon": "Visualização em modo paisagem (Em breve)",
|
||||
@@ -583,8 +586,8 @@
|
||||
"report-deletion-failed": "Relatório de exclusão falhou",
|
||||
"recipe-debugger": "Depurador de Receita",
|
||||
"recipe-debugger-description": "Pegue a URL da receita que deseja depurar e cole aqui. A URL será encontrada pelo scraper das receitas e os resultados serão exibidos. Se não ver nenhum dado retornado, o site que você está tentando criar um scrape não é suportado pelo Mealie ou pela sua biblioteca de scraper.",
|
||||
"use-openai": "Use OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Use OpenAI to parse the results instead of relying on the scraper library. When creating a recipe via URL, this is done automatically if the scraper library fails, but you may test it manually here.",
|
||||
"use-openai": "Usar OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Usar OpenAI para analisar os resultados ao invés de depender da biblioteca de extração. Criando uma receita via URL, isso é feito automaticamente se essa biblioteca, mas você pode testar manualmente aqui.",
|
||||
"debug": "Depurar",
|
||||
"tree-view": "Visualização em árvore",
|
||||
"recipe-yield": "Rendimento da Receita",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Sem Receitas Vinculadas! Uma Receita Vinculada -{count} Receitas Vinculadas",
|
||||
"items-checked-count": "Nenhum itens checados|Um itens checados|{count} itens checados",
|
||||
"no-label": "Sem Marcador",
|
||||
"completed-on": "Concluída em {date}"
|
||||
"completed-on": "Concluída em {date}",
|
||||
"you-are-offline": "Você está desconectado",
|
||||
"you-are-offline-description": "Nem todos os recursos estão disponíveis enquanto desconectado. Você ainda pode adicionar, modificar, e remover itens, mas não poderá sincronizar suas mudanças com o servidor até que esteja conectado novamente.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Tem certeza que deseja marcar todos os itens?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Tem certeza que deseja desmarcar todos os itens?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Tem certeza que deseja apagar todos os itens marcados?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Todas as Receitas",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Editar Comida",
|
||||
"food-data": "Dados da Comida",
|
||||
"example-food-singular": "ex: Cebola",
|
||||
"example-food-plural": "ex: Cebolas"
|
||||
"example-food-plural": "ex: Cebolas",
|
||||
"label-overwrite-warning": "Isto irá atribuir a etiqueta escolhida a todos os alimentos selecionados e potencialmente sobrescrever suas etiquetas existentes.",
|
||||
"on-hand-checkbox-label": "Definir este sinalizador fará este alimento desmarcado por padrão quando adicionar uma receita a uma lista de compras."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Adicione a base de dados unidades comuns baseadas em seu idioma.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Semente o banco de dados com rótulos comuns baseados no seu idioma local.",
|
||||
"edit-label": "Editar marcador",
|
||||
"new-label": "Novo Marcador",
|
||||
"labels": "Marcadores"
|
||||
"labels": "Marcadores",
|
||||
"assign-label": "Atribuir Etiqueta"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Limpar exportações",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Tem alterações por gravar. Quer gravar antes de sair? OK para gravar, Cancelar para descartar alterações.",
|
||||
"clipboard-copy-failure": "Erro ao copiar para a área de transferência.",
|
||||
"confirm-delete-generic-items": "Tem a certeza de que deseja eliminar os seguintes itens?",
|
||||
"organizers": "Organizadores"
|
||||
"organizers": "Organizadores",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Tem a certeza que quer eliminar <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredientes",
|
||||
"insert-ingredient": "Inserir Ingrediente",
|
||||
"insert-section": "Inserir Secção",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruções",
|
||||
"key-name-required": "Nome da Chave é Obrigatório",
|
||||
"landscape-view-coming-soon": "Modo paisagem",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Sem Receitas Vinculadas|Uma Receita Vinculada|{count} Receitas Vinculadas",
|
||||
"items-checked-count": "Sem itens selecionados|Um item selecionado|{count} itens selecionados",
|
||||
"no-label": "Sem Rótulo",
|
||||
"completed-on": "Concluída em {date}"
|
||||
"completed-on": "Concluída em {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Todas as Receitas",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Editar Alimento",
|
||||
"food-data": "Dados do Alimento",
|
||||
"example-food-singular": "ex: Cebola",
|
||||
"example-food-plural": "ex: Cebolas"
|
||||
"example-food-plural": "ex: Cebolas",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Popule a base de dados com unidades comuns no seu idioma.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Adicionar à base de dados rótulos comuns no seu idioma local.",
|
||||
"edit-label": "Editar Rótulo",
|
||||
"new-label": "Novo rótulo",
|
||||
"labels": "Rótulos"
|
||||
"labels": "Rótulos",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Limpar exportações",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Aveți modificări nesalvate. Doriți să salvați înainte de a închide aplicația? Apăsați \"OK\" pentru a salva sau \"Anulare\" pentru a renunța la modificări.",
|
||||
"clipboard-copy-failure": "Copierea în clipboard a eșuat.",
|
||||
"confirm-delete-generic-items": "Sunteți sigur că doriți să ștergeți următoarele?",
|
||||
"organizers": "Organizatori"
|
||||
"organizers": "Organizatori",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Sunteți sigur că doriți să ștergeți <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingrediente",
|
||||
"insert-ingredient": "Inserați Ingredientul",
|
||||
"insert-section": "Adăugare secțiune",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instrucțiuni",
|
||||
"key-name-required": "Numele cheii este necesar",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -81,12 +81,12 @@
|
||||
"recipe-events": "События Рецепта"
|
||||
},
|
||||
"general": {
|
||||
"add": "Add",
|
||||
"add": "Добавить",
|
||||
"cancel": "Отмена",
|
||||
"clear": "Очистить",
|
||||
"close": "Закрыть",
|
||||
"confirm": "Подтвердить",
|
||||
"confirm-how-does-everything-look": "How does everything look?",
|
||||
"confirm-how-does-everything-look": "Как все выглядит?",
|
||||
"confirm-delete-generic": "Вы уверены, что хотите это удалить?",
|
||||
"copied_message": "Скопировано!",
|
||||
"create": "Создать",
|
||||
@@ -145,23 +145,23 @@
|
||||
"save": "Сохранить",
|
||||
"settings": "Настройки",
|
||||
"share": "Поделиться",
|
||||
"show-all": "Show All",
|
||||
"show-all": "Показать Все",
|
||||
"shuffle": "Перемешать",
|
||||
"sort": "Сортировать",
|
||||
"sort-ascending": "Sort Ascending",
|
||||
"sort-descending": "Sort Descending",
|
||||
"sort-ascending": "Сортировка по возрастанию",
|
||||
"sort-descending": "Сортировка по убыванию",
|
||||
"sort-alphabetically": "По алфавиту",
|
||||
"status": "Статус",
|
||||
"subject": "Тема",
|
||||
"submit": "Добавить",
|
||||
"success-count": "Успешно: {count}",
|
||||
"sunday": "Воскресенье",
|
||||
"system": "System",
|
||||
"system": "Система",
|
||||
"templates": "Шаблоны:",
|
||||
"test": "Тест",
|
||||
"themes": "Темы",
|
||||
"thursday": "Четверг",
|
||||
"title": "Title",
|
||||
"title": "Оглавление",
|
||||
"token": "Токен",
|
||||
"tuesday": "Вторник",
|
||||
"type": "Тип",
|
||||
@@ -176,7 +176,7 @@
|
||||
"units": "Единицы измерения",
|
||||
"back": "Назад",
|
||||
"next": "Следующее",
|
||||
"start": "Start",
|
||||
"start": "Начало",
|
||||
"toggle-view": "Переключить вид",
|
||||
"date": "Дата",
|
||||
"id": "Id",
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "У вас есть несохраненные изменения. Вы хотите сохранить их перед выходом?",
|
||||
"clipboard-copy-failure": "Не удалось скопировать текст.",
|
||||
"confirm-delete-generic-items": "Вы уверены, что хотите удалить следующие элементы?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Вы действительно хотите удалить <b>{groupName}<b/>?",
|
||||
@@ -246,8 +247,8 @@
|
||||
"group-preferences": "Настройки группы",
|
||||
"private-group": "Приватная группа",
|
||||
"private-group-description": "Переключение группы в приватную перепишет все настройки публичного доступа на дефолтные. Это так же затронет все рецепты в группе.",
|
||||
"enable-public-access": "Enable Public Access",
|
||||
"enable-public-access-description": "Make group recipes public by default, and allow visitors to view recipes without logging-in",
|
||||
"enable-public-access": "Включить публичный доступ",
|
||||
"enable-public-access-description": "Сделать группу рецептов доступными публично и разрешить посетителям просмотр рецептов без авторизации",
|
||||
"allow-users-outside-of-your-group-to-see-your-recipes": "Разрешить пользователям за пределами вашей группы видеть ваши рецепты",
|
||||
"allow-users-outside-of-your-group-to-see-your-recipes-description": "При включении данной опции, вы можете делиться публичной ссылкой на данный рецепт, чтобы поделиться им с людьми без аккаунта. Иначе делиться рецептом будет можно только с пользователями внутри группы или с пользователями с приватной ссылкой",
|
||||
"show-nutrition-information": "Показать информацию по питательным веществам",
|
||||
@@ -291,7 +292,7 @@
|
||||
"mealplan-updated": "План питания обновлен",
|
||||
"no-meal-plan-defined-yet": "План питания еще не определен",
|
||||
"no-meal-planned-for-today": "На сегодня нет запланированных блюд",
|
||||
"numberOfDays-hint": "Number of days on page load",
|
||||
"numberOfDays-hint": "Количество дней при загрузке страницы",
|
||||
"numberOfDays-label": "Default Days",
|
||||
"only-recipes-with-these-categories-will-be-used-in-meal-plans": "Только рецепты с этими категориями будут использоваться в планах питания",
|
||||
"planner": "Планировщик",
|
||||
@@ -363,7 +364,7 @@
|
||||
},
|
||||
"recipe-data-migrations": "Миграция данных рецепта",
|
||||
"recipe-data-migrations-explanation": "Рецепты могут быть перенесены из другого поддерживаемого приложения в Mealie. Это отличный способ начать работу с Mealie.",
|
||||
"coming-from-another-application-or-an-even-older-version-of-mealie": "Coming from another application or an even older version of Mealie? Check out migrations and see if your data can be imported.",
|
||||
"coming-from-another-application-or-an-even-older-version-of-mealie": "Переходите из другого приложения или с более поздней версии Mealie? Проверьте \"миграции\", чтобы убедиться, что ваши данные могут быть перенесены.",
|
||||
"choose-migration-type": "Выберите тип миграции",
|
||||
"tag-all-recipes": "Отметить все рецепты тегом {tag-name}",
|
||||
"nextcloud-text": "Рецепты Nextcloud могут быть импортированы из zip-файла c данными из Nextcloud. Смотрите пример структуры папок ниже, чтобы убедиться, что ваши рецепты могут быть импортированы.",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ингредиенты",
|
||||
"insert-ingredient": "Вставить ингредиент",
|
||||
"insert-section": "Вставить раздел",
|
||||
"insert-above": "Вставить перед",
|
||||
"insert-below": "Вставить после",
|
||||
"instructions": "Инструкции",
|
||||
"key-name-required": "Требуется имя ключа",
|
||||
"landscape-view-coming-soon": "В ландшафтном режиме (скоро)",
|
||||
@@ -517,8 +520,8 @@
|
||||
"cook-mode": "Режим готовки",
|
||||
"link-ingredients": "Связать ингредиенты",
|
||||
"merge-above": "Объединить с верхними",
|
||||
"move-to-bottom": "Move To Bottom",
|
||||
"move-to-top": "Move To Top",
|
||||
"move-to-bottom": "Перейти в конец",
|
||||
"move-to-top": "Переместить в начало",
|
||||
"reset-scale": "Кол-во порций по умолчанию",
|
||||
"decrease-scale-label": "Убрать порцию",
|
||||
"increase-scale-label": "Добавить порцию",
|
||||
@@ -534,7 +537,7 @@
|
||||
"edit-timeline-event": "Редактировать событие в истории",
|
||||
"timeline": "История",
|
||||
"timeline-is-empty": "В истории пока ничего нет. Попробуйте сделать этот рецепт!",
|
||||
"timeline-no-events-found-try-adjusting-filters": "No events found. Try adjusting your search filters.",
|
||||
"timeline-no-events-found-try-adjusting-filters": "События не найдены. Проверьте фильтры поиска.",
|
||||
"group-global-timeline": "{groupName} глобальная история",
|
||||
"open-timeline": "Открыть историю",
|
||||
"made-this": "Я сделал это",
|
||||
@@ -555,8 +558,8 @@
|
||||
"looking-for-migrations": "Ищете миграцию?",
|
||||
"import-with-url": "Импортировать по URL",
|
||||
"create-recipe": "Создать рецепт",
|
||||
"create-recipe-description": "Create a new recipe from scratch.",
|
||||
"create-recipes": "Create Recipes",
|
||||
"create-recipe-description": "Создать новый рецепт с нуля.",
|
||||
"create-recipes": "Создать Рецепт",
|
||||
"import-with-zip": "Импорт из .zip",
|
||||
"create-recipe-from-an-image": "Создать рецепт из изображения",
|
||||
"bulk-url-import": "Массовый импорт по URL",
|
||||
@@ -583,7 +586,7 @@
|
||||
"report-deletion-failed": "Не удалось удалить отчёт",
|
||||
"recipe-debugger": "Отладчик рецептов",
|
||||
"recipe-debugger-description": "Вставьте сюда URL рецепта, который вы хотите отладить. Рецепт по указанному URL-адресу будет отсканирован и результаты сканирования будут указаны ниже. Если вы не видите никаких возвращенных данных, то сайт, который вы пытаетесь обработать, не поддерживается Mealie или библиотекой сканера.",
|
||||
"use-openai": "Use OpenAI",
|
||||
"use-openai": "Использовать OpenAI",
|
||||
"recipe-debugger-use-openai-description": "Use OpenAI to parse the results instead of relying on the scraper library. When creating a recipe via URL, this is done automatically if the scraper library fails, but you may test it manually here.",
|
||||
"debug": "Отладка",
|
||||
"tree-view": "В виде дерева",
|
||||
@@ -593,13 +596,13 @@
|
||||
"screen-awake": "Держать экран включенным",
|
||||
"remove-image": "Удалить изображение",
|
||||
"nextStep": "След. шаг",
|
||||
"recipe-actions": "Recipe Actions",
|
||||
"recipe-actions": "Действия с рецептом",
|
||||
"parser": {
|
||||
"experimental-alert-text": "Mealie uses natural language processing to parse and create units and food items for your recipe ingredients. This feature is experimental and may not always work as expected. If you prefer not to use the parsed results, you can select 'Cancel' and your changes will not be saved.",
|
||||
"ingredient-parser": "Ingredient Parser",
|
||||
"ingredient-parser": "Разделитель ингредиентов",
|
||||
"explanation": "To use the ingredient parser, click the 'Parse All' button to start the process. Once the processed ingredients are available, you can review the items and verify that they were parsed correctly. The model's confidence score is displayed on the right of the item title. This score is an average of all the individual scores and may not always be completely accurate.",
|
||||
"alerts-explainer": "Alerts will be displayed if a matching foods or unit is found but does not exists in the database.",
|
||||
"select-parser": "Select Parser",
|
||||
"alerts-explainer": "Оповещение появится если подходящие продукты или единица измерения найдены, но не занесены в базу данных.",
|
||||
"select-parser": "Выбрать Разделитель",
|
||||
"natural-language-processor": "Natural Language Processor",
|
||||
"brute-parser": "Brute Parser",
|
||||
"openai-parser": "OpenAI Parser",
|
||||
@@ -791,7 +794,7 @@
|
||||
"food": "Продукты",
|
||||
"note": "Заметка",
|
||||
"label": "Метка",
|
||||
"save-label": "Save Label",
|
||||
"save-label": "Сохранить Метку",
|
||||
"linked-item-warning": "Этот предмет связан с одним или несколькими рецептами. Обновление единиц измерения или продуктов приведет к неожиданным результатам при добавлении или удалении рецепта из этого списка.",
|
||||
"toggle-food": "Переключить продукты",
|
||||
"manage-labels": "Настройки меток",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Нет связанных рецептов|Один связанный рецепт|{count} связанных рецептов",
|
||||
"items-checked-count": "Нет выбранных элементов|Один элемент выбран|{count} элементов выбрано",
|
||||
"no-label": "Без метки",
|
||||
"completed-on": "Выполнено в {date}"
|
||||
"completed-on": "Выполнено в {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Все рецепты",
|
||||
@@ -886,11 +894,11 @@
|
||||
"link-id": "ID ссылки",
|
||||
"link-name": "Название ссылки",
|
||||
"login": "Вход",
|
||||
"login-oidc": "Login with",
|
||||
"or": "or",
|
||||
"login-oidc": "Авторизация с",
|
||||
"or": "или",
|
||||
"logout": "Выход",
|
||||
"manage-users": "Настройки пользователей",
|
||||
"manage-users-description": "Create and manage users.",
|
||||
"manage-users-description": "Создать и управлять пользователями.",
|
||||
"new-password": "Новый пароль",
|
||||
"new-user": "Новый пользователь",
|
||||
"password-has-been-reset-to-the-default-password": "Пароль был сброшен на пароль по умолчанию",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Изменить продукт",
|
||||
"food-data": "Данные о продуктах",
|
||||
"example-food-singular": "пр. Луковица",
|
||||
"example-food-plural": "пр. Луковиц"
|
||||
"example-food-plural": "пр. Луковиц",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Заполняет базу данных рядовыми единицами измерений на основе выбранного языка.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Дополнить базу данных типичными единицами измерений на основе выбранного языка.",
|
||||
"edit-label": "Изменить метку",
|
||||
"new-label": "Новая метка",
|
||||
"labels": "Метки"
|
||||
"labels": "Метки",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Очистить экспорты",
|
||||
@@ -1195,9 +1206,9 @@
|
||||
"no-logs-found": "Логи не найдены",
|
||||
"tasks": "Задачи",
|
||||
"setup": {
|
||||
"first-time-setup": "First Time Setup",
|
||||
"welcome-to-mealie-get-started": "Welcome to Mealie! Let's get started",
|
||||
"already-set-up-bring-to-homepage": "I'm already set up, just bring me to the homepage",
|
||||
"first-time-setup": "Первоначальная Настройка",
|
||||
"welcome-to-mealie-get-started": "Добро пожаловать в Mealie! Давайте начнем",
|
||||
"already-set-up-bring-to-homepage": "Я уже готов, просто открой домашнюю страницу",
|
||||
"common-settings-for-new-sites": "Here are some common settings for new sites",
|
||||
"setup-complete": "Setup Complete!",
|
||||
"here-are-a-few-things-to-help-you-get-started": "Here are a few things to help you get started with Mealie",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Posledne vykonané zmeny nie sú uložené. Želáte si ich uložiť alebo zrušiť?",
|
||||
"clipboard-copy-failure": "Skopírovanie do schránky zlyhalo.",
|
||||
"confirm-delete-generic-items": "Ste si istý, že chcete odstrániť nasledujúce položky?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Naozaj chcete odstrániť <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Suroviny",
|
||||
"insert-ingredient": "Vložiť prísadu",
|
||||
"insert-section": "Vložiť sekciu",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Postup",
|
||||
"key-name-required": "Názov kľúča je povinným údajom",
|
||||
"landscape-view-coming-soon": "Orientácia na šírku (čoskoro)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Žiadne súvisiace recepty|Jeden súvisiaci recept|{count} súvisiacich receptov",
|
||||
"items-checked-count": "Nie sú označené žiadne položky|Jedna označená položka|{count} označených položiek",
|
||||
"no-label": "Žiadny štítok",
|
||||
"completed-on": "Ukončené {date}"
|
||||
"completed-on": "Ukončené {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Všetky recepty",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Upraviť jedlo",
|
||||
"food-data": "Údaje o jedle",
|
||||
"example-food-singular": "napr.: cibuľa",
|
||||
"example-food-plural": "napr.: cibule"
|
||||
"example-food-plural": "napr.: cibule",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Naplniť databázu z bežnými štítkami podla vášho lokálneho jazyka.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Naplniť databázu z bežnými štítkami podla vášho lokálneho jazyka.",
|
||||
"edit-label": "Upraviť značku",
|
||||
"new-label": "Nová značka",
|
||||
"labels": "Značky"
|
||||
"labels": "Značky",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Vyčistiť exporty",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Imate neohranjene spremembe. Ali želite shraniti pred odhodom? V redu, če želite shraniti, Prekliči, če želite zavreči spremembe.",
|
||||
"clipboard-copy-failure": "Kopiranje na odložišče ni bilo uspešno.",
|
||||
"confirm-delete-generic-items": "Ali ste prepričani, da želite izbrisati izbrane elemente?",
|
||||
"organizers": "Organizatorji"
|
||||
"organizers": "Organizatorji",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Ste prepričani, da želite izbrisati <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Sestavine",
|
||||
"insert-ingredient": "Dodaj sestavino",
|
||||
"insert-section": "Vstavi odsek",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Navodila",
|
||||
"key-name-required": "Obvezen vnos imena ključa",
|
||||
"landscape-view-coming-soon": "Ležeči pogled",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Ni povezanih receptov|En povezan recept|{count} povezanih receptov",
|
||||
"items-checked-count": "Nobena postavka ni izbrana|Ena postavka izbrana|{count} postavk izbranih",
|
||||
"no-label": "Brez oznake",
|
||||
"completed-on": "Zaključena {date}"
|
||||
"completed-on": "Zaključena {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Vsi recepti",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Spremeni živilo",
|
||||
"food-data": "Podatki o živilih",
|
||||
"example-food-singular": "npr: Čebula",
|
||||
"example-food-plural": "npr: Čebule"
|
||||
"example-food-plural": "npr: Čebule",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Napolni podatkovno bazo z običajnimi enotami, glede na vaš lokalni jezik.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Napolni podatkovno bazi s običajnimi oznakami, glede na vaš lokalni jezik.",
|
||||
"edit-label": "Uredi oznako",
|
||||
"new-label": "Nova oznaka",
|
||||
"labels": "Oznake"
|
||||
"labels": "Oznake",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Počisti izvoze",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Да ли сте сигурни да желите да обришете <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Састојци",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "Без натписа",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Натписи"
|
||||
"labels": "Натписи",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Du har osparade ändringar. Vill du spara innan du lämnar? Tryck Okej att spara, Avbryt för att ignorera ändringar.",
|
||||
"clipboard-copy-failure": "Det gick inte att kopiera till urklipp.",
|
||||
"confirm-delete-generic-items": "Är du säker på att du vill radera följande objekt?",
|
||||
"organizers": "Organisatörer"
|
||||
"organizers": "Organisatörer",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Är du säker på att du vill radera <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredienser",
|
||||
"insert-ingredient": "Infoga ingrediens",
|
||||
"insert-section": "Infoga avdelning",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instruktioner",
|
||||
"key-name-required": "Nyckelnamn krävs",
|
||||
"landscape-view-coming-soon": "Landskapsvy (kommer snart)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "Inga länkade recept|Ett länkat recept|{count} länkade recept",
|
||||
"items-checked-count": "Inga artiklar markerade|En artikel markerad|{count} artiklar markerade",
|
||||
"no-label": "Ingen etikett",
|
||||
"completed-on": "Slutförd på {date}"
|
||||
"completed-on": "Slutförd på {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Recept",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Redigera mat",
|
||||
"food-data": "Mat data",
|
||||
"example-food-singular": "ex: Lök",
|
||||
"example-food-plural": "ex: Lökar"
|
||||
"example-food-plural": "ex: Lökar",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Fyll databasen med vanliga enheter baserade på ditt språk.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Fyll databasen med vanliga etiketter baserade på ditt språk.",
|
||||
"edit-label": "Redigera etikett",
|
||||
"new-label": "Ny etikett",
|
||||
"labels": "Etiketter"
|
||||
"labels": "Etiketter",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Rensa exporter",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "Kaydedilmemiş değişiklikleriniz mevcut. Ayrılmadan önce kaydetmek ister misiniz? Kaydetmek için Tamam'ı, değişiklikleri iptal etmek için İptal'i seçin.",
|
||||
"clipboard-copy-failure": "Panoya kopyalanamadı.",
|
||||
"confirm-delete-generic-items": "Aşağıdaki öğeleri silmek istediğinizden emin misiniz?",
|
||||
"organizers": "Organizatörler"
|
||||
"organizers": "Organizatörler",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "<b>{groupName}<b/>'i silmek istediğine emin misin?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Malzemeler",
|
||||
"insert-ingredient": "İçerik Ekle",
|
||||
"insert-section": "Bölüm Ekle",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Yapılışı",
|
||||
"key-name-required": "Anahtar Adı Zorunlu",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "Etiket Yok",
|
||||
"completed-on": "{date} tarihinde tamamladı"
|
||||
"completed-on": "{date} tarihinde tamamladı",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Tüm Tarifler",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Yiyecek Düzenle",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "örn: Soğan",
|
||||
"example-food-plural": "örn: Soğan"
|
||||
"example-food-plural": "örn: Soğan",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Etiketi Düzenle",
|
||||
"new-label": "Yeni Etiket",
|
||||
"labels": "Etiketler"
|
||||
"labels": "Etiketler",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "У вас є незбережені зміни. Ви хочете зберегти їх перед виходом? Гаразд, щоб зберегти, Скасувати, щоб скасувати.",
|
||||
"clipboard-copy-failure": "Не вдалося скопіювати до буфера обміну.",
|
||||
"confirm-delete-generic-items": "Ви впевнені, що хочете видалити вибрані елементи?",
|
||||
"organizers": "Організатори"
|
||||
"organizers": "Організатори",
|
||||
"caution": "Увага"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Ви дійсно бажаєте видалити <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Інгредієнти",
|
||||
"insert-ingredient": "Вставити інгредієнт",
|
||||
"insert-section": "Вставити розділ",
|
||||
"insert-above": "Додати зверху",
|
||||
"insert-below": "Додати нижче",
|
||||
"instructions": "Інструкції",
|
||||
"key-name-required": "Необхідно вказати назву ключа",
|
||||
"landscape-view-coming-soon": "Вид в ландшафтному режимі (незабаром буде)",
|
||||
@@ -790,23 +793,28 @@
|
||||
"shopping-lists": "Списки покупок",
|
||||
"food": "Продукт",
|
||||
"note": "Нотатка",
|
||||
"label": "Етикетка",
|
||||
"label": "Мітка",
|
||||
"save-label": "Зберегти мітку",
|
||||
"linked-item-warning": "Цей предмет зв'язано з одним або більше рецептами. Зміна одиниць виміру або продуктів дасть неочікувані результати при додаванні або видаленні рецепту з цього списку.",
|
||||
"toggle-food": "Перемкнути продукт",
|
||||
"manage-labels": "Керування етикетками",
|
||||
"manage-labels": "Керування мітками",
|
||||
"are-you-sure-you-want-to-delete-this-item": "Ви дійсно бажаєте видалити цей елемент?",
|
||||
"copy-as-text": "Копіювати як текст",
|
||||
"copy-as-markdown": "Копіювати як Markdown",
|
||||
"delete-checked": "Видалити відмічене",
|
||||
"toggle-label-sort": "Сортування ярликів",
|
||||
"reorder-labels": "Перевпорядкувати ярлики",
|
||||
"toggle-label-sort": "Сортування міток",
|
||||
"reorder-labels": "Перевпорядкувати мітки",
|
||||
"uncheck-all-items": "Зняти вибір з усіх елементів",
|
||||
"check-all-items": "Вибрати всі елементи",
|
||||
"linked-recipes-count": "Нема пов'язаних рецептів|Один пов'язаний рецепт|{count} пов'язаних рецептів",
|
||||
"items-checked-count": "Нема відмічених елементів|Один відмічений елемент|{count} елементів відмічено",
|
||||
"no-label": "Без мітки",
|
||||
"completed-on": "Завершено {date}"
|
||||
"no-label": "Без Мітки",
|
||||
"completed-on": "Завершено {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "Всі рецепти",
|
||||
@@ -977,11 +985,13 @@
|
||||
"source-food": "Вихідний продукт",
|
||||
"target-food": "Цільовий продукт",
|
||||
"create-food": "Створити продукт",
|
||||
"food-label": "Етикетка продукту",
|
||||
"food-label": "Мітка продукту",
|
||||
"edit-food": "Редагувати продукт",
|
||||
"food-data": "Дані про продукти",
|
||||
"example-food-singular": "приклад: Цибулина",
|
||||
"example-food-plural": "приклад: Цибуля"
|
||||
"example-food-plural": "приклад: Цибуля",
|
||||
"label-overwrite-warning": "Це призначить обрану мітку для всіх вибраних продуктів і потенційно перезапише існуючі мітки.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Заповнити базу даних розповсюдженими одиницями виміру що відповідають мові.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Заповнити базу даних розповсюдженими категоріями що відповідають мові.",
|
||||
"edit-label": "Редагувати мітку",
|
||||
"new-label": "Нова мітка",
|
||||
"labels": "Мітки"
|
||||
"labels": "Мітки",
|
||||
"assign-label": "Призначити мітку"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Знищити експорт",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "Are you sure you want to delete <b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "Ingredients",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "Insert Section",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "Instructions",
|
||||
"key-name-required": "Key Name Required",
|
||||
"landscape-view-coming-soon": "Landscape View (Coming Soon)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "All Recipes",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "你有未保存的更改。你希望现在离开前保存吗?保存选择“是”,不保存选择“取消”。",
|
||||
"clipboard-copy-failure": "未能复制到剪切板。",
|
||||
"confirm-delete-generic-items": "你确定删除以下条目吗?",
|
||||
"organizers": "管理器"
|
||||
"organizers": "管理器",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "您确定要删除<b>{groupName}<b/>吗?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "食材",
|
||||
"insert-ingredient": "插入食材",
|
||||
"insert-section": "插入章节",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "做法",
|
||||
"key-name-required": "必须输入关键字",
|
||||
"landscape-view-coming-soon": "横向视图 (即将到来)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "没有关联食谱|1个关联食谱|{count}个关联食谱",
|
||||
"items-checked-count": "未选中条目|已选中1个条目|已选中{count}个条目",
|
||||
"no-label": "无标签",
|
||||
"completed-on": "于 {date} 完成"
|
||||
"completed-on": "于 {date} 完成",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "全部食谱",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "编辑食品",
|
||||
"food-data": "食品数据",
|
||||
"example-food-singular": "例如:洋葱",
|
||||
"example-food-plural": "中文用户可忽略"
|
||||
"example-food-plural": "中文用户可忽略",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "基于你的本地语言,将一些常见单位添加到数据库。",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "基于你的本地语言,将一些常见标注添加到数据库。",
|
||||
"edit-label": "编辑标注",
|
||||
"new-label": "新标注",
|
||||
"labels": "标注"
|
||||
"labels": "标注",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "清除导出",
|
||||
|
||||
@@ -210,7 +210,8 @@
|
||||
"unsaved-changes": "You have unsaved changes. Do you want to save before leaving? Okay to save, Cancel to discard changes.",
|
||||
"clipboard-copy-failure": "Failed to copy to the clipboard.",
|
||||
"confirm-delete-generic-items": "Are you sure you want to delete the following items?",
|
||||
"organizers": "Organizers"
|
||||
"organizers": "Organizers",
|
||||
"caution": "Caution"
|
||||
},
|
||||
"group": {
|
||||
"are-you-sure-you-want-to-delete-the-group": "確定要刪除<b>{groupName}<b/>?",
|
||||
@@ -448,6 +449,8 @@
|
||||
"ingredients": "食材",
|
||||
"insert-ingredient": "Insert Ingredient",
|
||||
"insert-section": "插入段落",
|
||||
"insert-above": "Insert Above",
|
||||
"insert-below": "Insert Below",
|
||||
"instructions": "做法",
|
||||
"key-name-required": "鍵名不可為空",
|
||||
"landscape-view-coming-soon": "橫式畫面(即將推出)",
|
||||
@@ -806,7 +809,12 @@
|
||||
"linked-recipes-count": "No Linked Recipes|One Linked Recipe|{count} Linked Recipes",
|
||||
"items-checked-count": "No items checked|One item checked|{count} items checked",
|
||||
"no-label": "No Label",
|
||||
"completed-on": "Completed on {date}"
|
||||
"completed-on": "Completed on {date}",
|
||||
"you-are-offline": "You are offline",
|
||||
"you-are-offline-description": "Not all features are available while offline. You can still add, modify, and remove items, but you will not be able to sync your changes to the server until you are back online.",
|
||||
"are-you-sure-you-want-to-check-all-items": "Are you sure you want to check all items?",
|
||||
"are-you-sure-you-want-to-uncheck-all-items": "Are you sure you want to uncheck all items?",
|
||||
"are-you-sure-you-want-to-delete-checked-items": "Are you sure you want to delete all checked items?"
|
||||
},
|
||||
"sidebar": {
|
||||
"all-recipes": "所有食譜",
|
||||
@@ -981,7 +989,9 @@
|
||||
"edit-food": "Edit Food",
|
||||
"food-data": "Food Data",
|
||||
"example-food-singular": "ex: Onion",
|
||||
"example-food-plural": "ex: Onions"
|
||||
"example-food-plural": "ex: Onions",
|
||||
"label-overwrite-warning": "This will assign the chosen label to all selected foods and potentially overwrite your existing labels.",
|
||||
"on-hand-checkbox-label": "Setting this flag will make this food unchecked by default when adding a recipe to a shopping list."
|
||||
},
|
||||
"units": {
|
||||
"seed-dialog-text": "Seed the database with common units based on your local language.",
|
||||
@@ -1009,7 +1019,8 @@
|
||||
"seed-dialog-text": "Seed the database with common labels based on your local language.",
|
||||
"edit-label": "Edit Label",
|
||||
"new-label": "New Label",
|
||||
"labels": "Labels"
|
||||
"labels": "Labels",
|
||||
"assign-label": "Assign Label"
|
||||
},
|
||||
"recipes": {
|
||||
"purge-exports": "Purge Exports",
|
||||
|
||||
@@ -63,6 +63,7 @@ export interface CreateIngredientFood {
|
||||
};
|
||||
labelId?: string;
|
||||
aliases?: CreateIngredientFoodAlias[];
|
||||
onHand?: boolean;
|
||||
}
|
||||
export interface CreateIngredientFoodAlias {
|
||||
name: string;
|
||||
@@ -135,6 +136,7 @@ export interface IngredientFood {
|
||||
label?: MultiPurposeLabelSummary;
|
||||
createdAt?: string;
|
||||
updateAt?: string;
|
||||
onHand?: boolean;
|
||||
}
|
||||
export interface IngredientFoodAlias {
|
||||
name: string;
|
||||
@@ -464,7 +466,7 @@ export interface ScrapeRecipe {
|
||||
export interface ScrapeRecipeTest {
|
||||
url: string;
|
||||
}
|
||||
export interface SlugResponse {}
|
||||
export interface SlugResponse { }
|
||||
export interface TagIn {
|
||||
name: string;
|
||||
}
|
||||
|
||||
@@ -21,6 +21,7 @@ const routes = {
|
||||
shoppingListIdUpdateLabelSettings: (id: string) => `${prefix}/groups/shopping/lists/${id}/label-settings`,
|
||||
|
||||
shoppingListItems: `${prefix}/groups/shopping/items`,
|
||||
shoppingListItemsCreateBulk: `${prefix}/groups/shopping/items/create-bulk`,
|
||||
shoppingListItemsId: (id: string) => `${prefix}/groups/shopping/items/${id}`,
|
||||
};
|
||||
|
||||
@@ -49,6 +50,10 @@ export class ShoppingListItemsApi extends BaseCRUDAPI<
|
||||
baseRoute = routes.shoppingListItems;
|
||||
itemRoute = routes.shoppingListItemsId;
|
||||
|
||||
async createMany(items: ShoppingListItemCreate[]) {
|
||||
return await this.requests.post(routes.shoppingListItemsCreateBulk, items);
|
||||
}
|
||||
|
||||
async updateMany(items: ShoppingListItemOut[]) {
|
||||
return await this.requests.put(routes.shoppingListItems, items);
|
||||
}
|
||||
|
||||
@@ -64,6 +64,7 @@
|
||||
|
||||
<script lang="ts">
|
||||
import { defineComponent, reactive, ref, toRefs, useContext } from "@nuxtjs/composition-api";
|
||||
import { alert } from "~/composables/use-toast";
|
||||
import { useUserApi } from "~/composables/api";
|
||||
import { IngredientConfidence } from "~/lib/api/types/recipe";
|
||||
import { Parser } from "~/lib/api/user/recipes/recipe";
|
||||
@@ -161,6 +162,9 @@ export default defineComponent({
|
||||
properties[property].confidence = confidence;
|
||||
}
|
||||
});
|
||||
} else {
|
||||
alert.error(i18n.t("events.something-went-wrong") as string);
|
||||
state.results = false;
|
||||
}
|
||||
state.loading = false;
|
||||
}
|
||||
|
||||
@@ -101,6 +101,7 @@ import { computed, defineComponent, ref, useContext, useRoute, useRouter, watch
|
||||
import { invoke, until } from "@vueuse/core";
|
||||
import draggable from "vuedraggable";
|
||||
import RecipeIngredientEditor from "~/components/Domain/Recipe/RecipeIngredientEditor.vue";
|
||||
import { alert } from "~/composables/use-toast";
|
||||
import { useAppInfo, useUserApi } from "~/composables/api";
|
||||
import { useRecipe } from "~/composables/recipes";
|
||||
import { useFoodData, useFoodStore, useUnitData, useUnitStore } from "~/composables/store";
|
||||
@@ -239,6 +240,9 @@ export default defineComponent({
|
||||
errors.value = data.map((ing, index: number) => {
|
||||
return processIngredientError(ing, index);
|
||||
});
|
||||
} else {
|
||||
alert.error(i18n.t("events.something-went-wrong") as string);
|
||||
parsedIng.value = [];
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@@ -87,6 +87,14 @@
|
||||
:label="$t('data-pages.foods.food-label')"
|
||||
>
|
||||
</v-autocomplete>
|
||||
<v-checkbox
|
||||
v-model="createTarget.onHand"
|
||||
hide-details
|
||||
:label="$t('tool.on-hand')"
|
||||
/>
|
||||
<p class="text-caption mt-1">
|
||||
{{ $t("data-pages.foods.on-hand-checkbox-label") }}
|
||||
</p>
|
||||
</v-form> </v-card-text
|
||||
></BaseDialog>
|
||||
|
||||
@@ -134,6 +142,14 @@
|
||||
:label="$t('data-pages.foods.food-label')"
|
||||
>
|
||||
</v-autocomplete>
|
||||
<v-checkbox
|
||||
v-model="editTarget.onHand"
|
||||
hide-details
|
||||
:label="$t('tool.on-hand')"
|
||||
/>
|
||||
<p class="text-caption mt-1">
|
||||
{{ $t("data-pages.foods.on-hand-checkbox-label") }}
|
||||
</p>
|
||||
</v-form>
|
||||
</v-card-text>
|
||||
<template #custom-card-action>
|
||||
@@ -180,17 +196,56 @@
|
||||
</v-card-text>
|
||||
</BaseDialog>
|
||||
|
||||
<!-- Bulk Asign Labels Dialog -->
|
||||
<BaseDialog
|
||||
v-model="bulkAssignLabelDialog"
|
||||
:title="$tc('data-pages.labels.assign-label')"
|
||||
:icon="$globals.icons.tags"
|
||||
@confirm="assignSelected"
|
||||
>
|
||||
<v-card-text>
|
||||
<v-card class="mb-4">
|
||||
<v-card-title>{{ $tc("general.caution") }}</v-card-title>
|
||||
<v-card-text>{{ $tc("data-pages.foods.label-overwrite-warning") }}</v-card-text>
|
||||
</v-card>
|
||||
|
||||
<v-autocomplete
|
||||
v-model="bulkAssignLabelId"
|
||||
clearable
|
||||
:items="allLabels"
|
||||
item-value="id"
|
||||
item-text="name"
|
||||
:label="$tc('data-pages.foods.food-label')"
|
||||
/>
|
||||
<v-card outlined>
|
||||
<v-virtual-scroll height="400" item-height="25" :items="bulkAssignTarget">
|
||||
<template #default="{ item }">
|
||||
<v-list-item class="pb-2">
|
||||
<v-list-item-content>
|
||||
<v-list-item-title>{{ item.name }}</v-list-item-title>
|
||||
</v-list-item-content>
|
||||
</v-list-item>
|
||||
</template>
|
||||
</v-virtual-scroll>
|
||||
</v-card>
|
||||
</v-card-text>
|
||||
</BaseDialog>
|
||||
|
||||
<!-- Data Table -->
|
||||
<BaseCardSectionTitle :icon="$globals.icons.foods" section :title="$tc('data-pages.foods.food-data')"> </BaseCardSectionTitle>
|
||||
<CrudTable
|
||||
:table-config="tableConfig"
|
||||
:headers.sync="tableHeaders"
|
||||
:data="foods || []"
|
||||
:bulk-actions="[{icon: $globals.icons.delete, text: $tc('general.delete'), event: 'delete-selected'}]"
|
||||
:bulk-actions="[
|
||||
{icon: $globals.icons.delete, text: $tc('general.delete'), event: 'delete-selected'},
|
||||
{icon: $globals.icons.tags, text: $tc('data-pages.labels.assign-label'), event: 'assign-selected'}
|
||||
]"
|
||||
@delete-one="deleteEventHandler"
|
||||
@edit-one="editEventHandler"
|
||||
@create-one="createEventHandler"
|
||||
@delete-selected="bulkDeleteEventHandler"
|
||||
@assign-selected="bulkAssignEventHandler"
|
||||
>
|
||||
<template #button-row>
|
||||
<BaseButton create @click="createDialog = true" />
|
||||
@@ -204,6 +259,11 @@
|
||||
{{ item.label.name }}
|
||||
</MultiPurposeLabel>
|
||||
</template>
|
||||
<template #item.onHand="{ item }">
|
||||
<v-icon :color="item.onHand ? 'success' : undefined">
|
||||
{{ item.onHand ? $globals.icons.check : $globals.icons.close }}
|
||||
</v-icon>
|
||||
</template>
|
||||
<template #button-bottom>
|
||||
<BaseButton @click="seedDialog = true">
|
||||
<template #icon> {{ $globals.icons.database }} </template>
|
||||
@@ -261,6 +321,11 @@ export default defineComponent({
|
||||
value: "label",
|
||||
show: true,
|
||||
},
|
||||
{
|
||||
text: i18n.tc("tool.on-hand"),
|
||||
value: "onHand",
|
||||
show: true,
|
||||
},
|
||||
];
|
||||
|
||||
const foodStore = useFoodStore();
|
||||
@@ -414,6 +479,32 @@ export default defineComponent({
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================
|
||||
// Bulk Assign Labels
|
||||
const bulkAssignLabelDialog = ref(false);
|
||||
const bulkAssignTarget = ref<IngredientFood[]>([]);
|
||||
const bulkAssignLabelId = ref<string | undefined>();
|
||||
|
||||
function bulkAssignEventHandler(selection: IngredientFood[]) {
|
||||
bulkAssignTarget.value = selection;
|
||||
bulkAssignLabelDialog.value = true;
|
||||
}
|
||||
|
||||
async function assignSelected() {
|
||||
if (!bulkAssignLabelId.value) {
|
||||
return;
|
||||
}
|
||||
for (const item of bulkAssignTarget.value) {
|
||||
item.labelId = bulkAssignLabelId.value;
|
||||
await foodStore.actions.updateOne(item);
|
||||
}
|
||||
bulkAssignTarget.value = [];
|
||||
bulkAssignLabelId.value = undefined;
|
||||
foodStore.actions.refresh();
|
||||
// reload page, because foodStore.actions.refresh() does not update the table, reactivity for this seems to be broken (again)
|
||||
document.location.reload();
|
||||
}
|
||||
|
||||
return {
|
||||
tableConfig,
|
||||
tableHeaders,
|
||||
@@ -455,6 +546,12 @@ export default defineComponent({
|
||||
locales,
|
||||
seedDialog,
|
||||
seedDatabase,
|
||||
// Bulk Assign Labels
|
||||
bulkAssignLabelDialog,
|
||||
bulkAssignTarget,
|
||||
bulkAssignLabelId,
|
||||
bulkAssignEventHandler,
|
||||
assignSelected,
|
||||
};
|
||||
},
|
||||
});
|
||||
|
||||
@@ -1,11 +1,37 @@
|
||||
<template>
|
||||
<v-container v-if="shoppingList" class="md-container">
|
||||
<BaseDialog v-model="checkAllDialog" :title="$tc('general.confirm')" @confirm="checkAll">
|
||||
<v-card-text>{{ $t('shopping-list.are-you-sure-you-want-to-check-all-items') }}</v-card-text>
|
||||
</BaseDialog>
|
||||
|
||||
<BaseDialog v-model="uncheckAllDialog" :title="$tc('general.confirm')" @confirm="uncheckAll">
|
||||
<v-card-text>{{ $t('shopping-list.are-you-sure-you-want-to-uncheck-all-items') }}</v-card-text>
|
||||
</BaseDialog>
|
||||
|
||||
<BaseDialog v-model="deleteCheckedDialog" :title="$tc('general.confirm')" @confirm="deleteChecked">
|
||||
<v-card-text>{{ $t('shopping-list.are-you-sure-you-want-to-delete-checked-items') }}</v-card-text>
|
||||
</BaseDialog>
|
||||
|
||||
<BasePageTitle divider>
|
||||
<template #header>
|
||||
<v-container>
|
||||
<v-row>
|
||||
<v-col cols="3" class="text-left">
|
||||
<ButtonLink :to="`/shopping-lists?disableRedirect=true`" :text="$tc('general.back')" :icon="$globals.icons.backArrow" />
|
||||
</v-col>
|
||||
<v-col cols="6" class="d-flex justify-center">
|
||||
<v-img max-height="100" max-width="100" :src="require('~/static/svgs/shopping-cart.svg')"></v-img>
|
||||
</v-col>
|
||||
</v-row>
|
||||
</v-container>
|
||||
</template>
|
||||
<template #title> {{ shoppingList.name }} </template>
|
||||
</BasePageTitle>
|
||||
<BannerWarning
|
||||
v-if="isOffline"
|
||||
:title="$tc('shopping-list.you-are-offline')"
|
||||
:description="$tc('shopping-list.you-are-offline-description')"
|
||||
/>
|
||||
|
||||
<!-- Viewer -->
|
||||
<section v-if="!edit" class="py-2">
|
||||
@@ -20,6 +46,7 @@
|
||||
:units="allUnits || []"
|
||||
:foods="allFoods || []"
|
||||
:recipes="recipeMap"
|
||||
:is-offline="isOffline"
|
||||
@checked="saveListItem"
|
||||
@save="saveListItem"
|
||||
@delete="deleteListItem(item)"
|
||||
@@ -48,6 +75,7 @@
|
||||
:units="allUnits || []"
|
||||
:foods="allFoods || []"
|
||||
:recipes="recipeMap"
|
||||
:is-offline="isOffline"
|
||||
@checked="saveListItem"
|
||||
@save="saveListItem"
|
||||
@delete="deleteListItem(item)"
|
||||
@@ -104,6 +132,7 @@
|
||||
:labels="allLabels || []"
|
||||
:units="allUnits || []"
|
||||
:foods="allFoods || []"
|
||||
:is-offline="isOffline"
|
||||
@delete="createEditorOpen = false"
|
||||
@cancel="createEditorOpen = false"
|
||||
@save="createListItem"
|
||||
@@ -112,6 +141,7 @@
|
||||
<div v-else class="mt-4 d-flex justify-end">
|
||||
<BaseButton
|
||||
v-if="preferences.viewByLabel" edit class="mr-2"
|
||||
:disabled="isOffline"
|
||||
@click="toggleReorderLabelsDialog">
|
||||
<template #icon> {{ $globals.icons.tags }} </template>
|
||||
{{ $t('shopping-list.reorder-labels') }}
|
||||
@@ -155,10 +185,16 @@
|
||||
text: $tc('shopping-list.uncheck-all-items'),
|
||||
event: 'uncheck',
|
||||
},
|
||||
{
|
||||
icon: $globals.icons.checkboxOutline,
|
||||
text: $tc('shopping-list.check-all-items'),
|
||||
event: 'check',
|
||||
},
|
||||
]"
|
||||
@edit="edit = true"
|
||||
@delete="deleteChecked"
|
||||
@uncheck="uncheckAll"
|
||||
@delete="openDeleteChecked"
|
||||
@uncheck="openUncheckAll"
|
||||
@check="openCheckAll"
|
||||
@sort-by-labels="sortByLabels"
|
||||
@copy-plain="copyListItems('plain')"
|
||||
@copy-markdown="copyListItems('markdown')"
|
||||
@@ -185,6 +221,7 @@
|
||||
:labels="allLabels || []"
|
||||
:units="allUnits || []"
|
||||
:foods="allFoods || []"
|
||||
:is-offline="isOffline"
|
||||
@checked="saveListItem"
|
||||
@save="saveListItem"
|
||||
@delete="deleteListItem(item)"
|
||||
@@ -207,10 +244,10 @@
|
||||
{{ $tc('shopping-list.linked-recipes-count', shoppingList.recipeReferences ? shoppingList.recipeReferences.length : 0) }}
|
||||
</div>
|
||||
<v-divider class="my-4"></v-divider>
|
||||
<RecipeList :recipes="Array.from(recipeMap.values())" show-description>
|
||||
<RecipeList :recipes="Array.from(recipeMap.values())" show-description :disabled="isOffline">
|
||||
<template v-for="(recipe, index) in recipeMap.values()" #[`actions-${recipe.id}`]>
|
||||
<v-list-item-action :key="'item-actions-decrease' + recipe.id">
|
||||
<v-btn icon @click.prevent="removeRecipeReferenceToList(recipe.id)">
|
||||
<v-btn icon :disabled="isOffline" @click.prevent="removeRecipeReferenceToList(recipe.id)">
|
||||
<v-icon color="grey lighten-1">{{ $globals.icons.minus }}</v-icon>
|
||||
</v-btn>
|
||||
</v-list-item-action>
|
||||
@@ -218,7 +255,7 @@
|
||||
{{ shoppingList.recipeReferences[index].recipeQuantity }}
|
||||
</div>
|
||||
<v-list-item-action :key="'item-actions-increase' + recipe.id">
|
||||
<v-btn icon @click.prevent="addRecipeReferenceToList(recipe.id)">
|
||||
<v-btn icon :disabled="isOffline" @click.prevent="addRecipeReferenceToList(recipe.id)">
|
||||
<v-icon color="grey lighten-1">{{ $globals.icons.createAlt }}</v-icon>
|
||||
</v-btn>
|
||||
</v-list-item-action>
|
||||
@@ -229,7 +266,11 @@
|
||||
|
||||
<v-lazy>
|
||||
<div class="d-flex justify-end">
|
||||
<BaseButton edit @click="toggleSettingsDialog">
|
||||
<BaseButton
|
||||
edit
|
||||
:disabled="isOffline"
|
||||
@click="toggleSettingsDialog"
|
||||
>
|
||||
<template #icon> {{ $globals.icons.cog }} </template>
|
||||
{{ $t('general.settings') }}
|
||||
</BaseButton>
|
||||
@@ -237,8 +278,12 @@
|
||||
</v-lazy>
|
||||
|
||||
<v-lazy>
|
||||
<div class="d-flex justify-end mt-10">
|
||||
<ButtonLink :to="`/group/data/labels`" :text="$tc('shopping-list.manage-labels')" :icon="$globals.icons.tags" />
|
||||
<div v-if="!isOffline" class="d-flex justify-end mt-10">
|
||||
<ButtonLink
|
||||
:to="`/group/data/labels`"
|
||||
:text="$tc('shopping-list.manage-labels')"
|
||||
:icon="$globals.icons.tags"
|
||||
/>
|
||||
</div>
|
||||
</v-lazy>
|
||||
</v-container>
|
||||
@@ -247,18 +292,20 @@
|
||||
<script lang="ts">
|
||||
import draggable from "vuedraggable";
|
||||
|
||||
import { defineComponent, useRoute, computed, ref, onUnmounted, useContext } from "@nuxtjs/composition-api";
|
||||
import { defineComponent, useRoute, computed, ref, toRefs, onUnmounted, useContext, reactive } from "@nuxtjs/composition-api";
|
||||
import { useIdle, useToggle } from "@vueuse/core";
|
||||
import { useCopyList } from "~/composables/use-copy";
|
||||
import { useUserApi } from "~/composables/api";
|
||||
import MultiPurposeLabelSection from "~/components/Domain/ShoppingList/MultiPurposeLabelSection.vue"
|
||||
import ShoppingListItem from "~/components/Domain/ShoppingList/ShoppingListItem.vue";
|
||||
import { ShoppingListItemCreate, ShoppingListItemOut, ShoppingListMultiPurposeLabelOut, ShoppingListOut } from "~/lib/api/types/group";
|
||||
import { ShoppingListItemOut, ShoppingListMultiPurposeLabelOut, ShoppingListOut } from "~/lib/api/types/group";
|
||||
import { UserSummary } from "~/lib/api/types/user";
|
||||
import RecipeList from "~/components/Domain/Recipe/RecipeList.vue";
|
||||
import ShoppingListItemEditor from "~/components/Domain/ShoppingList/ShoppingListItemEditor.vue";
|
||||
import { useFoodStore, useLabelStore, useUnitStore } from "~/composables/store";
|
||||
import { useShoppingListItemActions } from "~/composables/use-shopping-list-item-actions";
|
||||
import { useShoppingListPreferences } from "~/composables/use-users/preferences";
|
||||
import { uuid4 } from "~/composables/use-utils";
|
||||
|
||||
type CopyTypes = "plain" | "markdown";
|
||||
|
||||
@@ -293,19 +340,38 @@ export default defineComponent({
|
||||
const route = useRoute();
|
||||
const groupSlug = computed(() => route.value.params.groupSlug || $auth.user?.groupSlug || "");
|
||||
const id = route.value.params.id;
|
||||
const shoppingListItemActions = useShoppingListItemActions(id);
|
||||
|
||||
const state = reactive({
|
||||
checkAllDialog: false,
|
||||
uncheckAllDialog: false,
|
||||
deleteCheckedDialog: false,
|
||||
});
|
||||
|
||||
// ===============================================================
|
||||
// Shopping List Actions
|
||||
|
||||
const shoppingList = ref<ShoppingListOut | null>(null);
|
||||
async function fetchShoppingList() {
|
||||
const { data } = await userApi.shopping.lists.getOne(id);
|
||||
const data = await shoppingListItemActions.getList();
|
||||
return data;
|
||||
}
|
||||
|
||||
async function refresh() {
|
||||
loadingCounter.value += 1;
|
||||
const newListValue = await fetchShoppingList();
|
||||
try {
|
||||
await shoppingListItemActions.process();
|
||||
} catch (error) {
|
||||
console.error(error);
|
||||
}
|
||||
|
||||
let newListValue = null
|
||||
try {
|
||||
newListValue = await fetchShoppingList();
|
||||
} catch (error) {
|
||||
console.error(error);
|
||||
}
|
||||
|
||||
loadingCounter.value -= 1;
|
||||
|
||||
// only update the list with the new value if we're not loading, to prevent UI jitter
|
||||
@@ -313,18 +379,21 @@ export default defineComponent({
|
||||
return;
|
||||
}
|
||||
|
||||
// if we're not connected to the network, this will be null, so we don't want to clear the list
|
||||
if (newListValue) {
|
||||
shoppingList.value = newListValue;
|
||||
}
|
||||
|
||||
updateListItemOrder();
|
||||
}
|
||||
|
||||
function updateListItemOrder() {
|
||||
if (!preserveItemOrder.value) {
|
||||
groupAndSortListItemsByFood();
|
||||
updateItemsByLabel();
|
||||
} else {
|
||||
sortListItems();
|
||||
updateItemsByLabel();
|
||||
}
|
||||
updateItemsByLabel();
|
||||
}
|
||||
|
||||
// constantly polls for changes
|
||||
@@ -358,11 +427,13 @@ export default defineComponent({
|
||||
|
||||
// start polling
|
||||
loadingCounter.value -= 1;
|
||||
const pollFrequency = 5000;
|
||||
pollForChanges(); // populate initial list
|
||||
|
||||
// max poll time = pollFrequency * maxAttempts = 24 hours
|
||||
// we use a long max poll time since polling stops when the user is idle anyway
|
||||
const pollFrequency = 5000;
|
||||
const maxAttempts = 17280;
|
||||
let attempts = 0;
|
||||
const maxAttempts = 3;
|
||||
|
||||
const pollTimer: ReturnType<typeof setInterval> = setInterval(() => { pollForChanges() }, pollFrequency);
|
||||
onUnmounted(() => {
|
||||
@@ -439,8 +510,34 @@ export default defineComponent({
|
||||
|
||||
// =====================================
|
||||
// Check / Uncheck All
|
||||
function openCheckAll() {
|
||||
if (shoppingList.value?.listItems?.some((item) => !item.checked)) {
|
||||
state.checkAllDialog = true;
|
||||
}
|
||||
}
|
||||
|
||||
function checkAll() {
|
||||
state.checkAllDialog = false;
|
||||
let hasChanged = false;
|
||||
shoppingList.value?.listItems?.forEach((item) => {
|
||||
if (!item.checked) {
|
||||
hasChanged = true;
|
||||
item.checked = true;
|
||||
}
|
||||
});
|
||||
if (hasChanged) {
|
||||
updateListItems();
|
||||
}
|
||||
}
|
||||
|
||||
function openUncheckAll() {
|
||||
if (shoppingList.value?.listItems?.some((item) => item.checked)) {
|
||||
state.uncheckAllDialog = true;
|
||||
}
|
||||
}
|
||||
|
||||
function uncheckAll() {
|
||||
state.uncheckAllDialog = false;
|
||||
let hasChanged = false;
|
||||
shoppingList.value?.listItems?.forEach((item) => {
|
||||
if (item.checked) {
|
||||
@@ -453,6 +550,12 @@ export default defineComponent({
|
||||
}
|
||||
}
|
||||
|
||||
function openDeleteChecked() {
|
||||
if (shoppingList.value?.listItems?.some((item) => item.checked)) {
|
||||
state.deleteCheckedDialog = true;
|
||||
}
|
||||
}
|
||||
|
||||
function deleteChecked() {
|
||||
const checked = shoppingList.value?.listItems?.filter((item) => item.checked);
|
||||
|
||||
@@ -590,6 +693,14 @@ export default defineComponent({
|
||||
items: ShoppingListItemOut[];
|
||||
}
|
||||
|
||||
function sortItems(a: ShoppingListItemOut | ListItemGroup, b: ShoppingListItemOut | ListItemGroup) {
|
||||
return (
|
||||
((a.position || 0) > (b.position || 0)) ||
|
||||
((a.createdAt || "") < (b.createdAt || ""))
|
||||
? 1 : -1
|
||||
);
|
||||
}
|
||||
|
||||
function groupAndSortListItemsByFood() {
|
||||
if (!shoppingList.value?.listItems?.length) {
|
||||
return;
|
||||
@@ -613,16 +724,14 @@ export default defineComponent({
|
||||
}
|
||||
});
|
||||
|
||||
// sort group items by position ascending, then createdAt descending
|
||||
const listItemGroups = Array.from(listItemGroupsMap.values());
|
||||
listItemGroups.sort((a, b) => (a.position > b.position || a.createdAt < b.createdAt ? 1 : -1));
|
||||
listItemGroups.sort(sortItems);
|
||||
|
||||
// sort group items by position ascending, then createdAt descending, and aggregate them
|
||||
// sort group items, then aggregate them
|
||||
const sortedItems: ShoppingListItemOut[] = [];
|
||||
let nextPosition = 0;
|
||||
listItemGroups.forEach((listItemGroup) => {
|
||||
// @ts-ignore none of these fields are undefined
|
||||
listItemGroup.items.sort((a, b) => (a.position > b.position || a.createdAt < b.createdAt ? 1 : -1));
|
||||
listItemGroup.items.sort(sortItems);
|
||||
listItemGroup.items.forEach((item) => {
|
||||
item.position = nextPosition;
|
||||
nextPosition += 1;
|
||||
@@ -638,9 +747,7 @@ export default defineComponent({
|
||||
return;
|
||||
}
|
||||
|
||||
// sort by position ascending, then createdAt descending
|
||||
// @ts-ignore none of these fields are undefined
|
||||
shoppingList.value.listItems.sort((a, b) => (a.position > b.position || a.createdAt < b.createdAt ? 1 : -1))
|
||||
shoppingList.value.listItems.sort(sortItems)
|
||||
}
|
||||
|
||||
function updateItemsByLabel() {
|
||||
@@ -747,7 +854,7 @@ export default defineComponent({
|
||||
* checked it will also append that item to the end of the list so that the unchecked items
|
||||
* are at the top of the list.
|
||||
*/
|
||||
async function saveListItem(item: ShoppingListItemOut) {
|
||||
function saveListItem(item: ShoppingListItemOut) {
|
||||
if (!shoppingList.value) {
|
||||
return;
|
||||
}
|
||||
@@ -774,38 +881,34 @@ export default defineComponent({
|
||||
}
|
||||
|
||||
updateListItemOrder();
|
||||
|
||||
loadingCounter.value += 1;
|
||||
const { data } = await userApi.shopping.items.updateOne(item.id, item);
|
||||
loadingCounter.value -= 1;
|
||||
|
||||
if (data) {
|
||||
shoppingListItemActions.updateItem(item);
|
||||
refresh();
|
||||
}
|
||||
}
|
||||
|
||||
async function deleteListItem(item: ShoppingListItemOut) {
|
||||
function deleteListItem(item: ShoppingListItemOut) {
|
||||
if (!shoppingList.value) {
|
||||
return;
|
||||
}
|
||||
|
||||
loadingCounter.value += 1;
|
||||
const { data } = await userApi.shopping.items.deleteOne(item.id);
|
||||
loadingCounter.value -= 1;
|
||||
shoppingListItemActions.deleteItem(item);
|
||||
|
||||
if (data) {
|
||||
refresh();
|
||||
// remove the item from the list immediately so the user sees the change
|
||||
if (shoppingList.value.listItems) {
|
||||
shoppingList.value.listItems = shoppingList.value.listItems.filter((itm) => itm.id !== item.id);
|
||||
}
|
||||
|
||||
refresh();
|
||||
}
|
||||
|
||||
// =====================================
|
||||
// Create New Item
|
||||
|
||||
const createEditorOpen = ref(false);
|
||||
const createListItemData = ref<ShoppingListItemCreate>(listItemFactory());
|
||||
const createListItemData = ref<ShoppingListItemOut>(listItemFactory());
|
||||
|
||||
function listItemFactory(isFood = false): ShoppingListItemCreate {
|
||||
function listItemFactory(isFood = false): ShoppingListItemOut {
|
||||
return {
|
||||
id: uuid4(),
|
||||
shoppingListId: id,
|
||||
checked: false,
|
||||
position: shoppingList.value?.listItems?.length || 1,
|
||||
@@ -818,7 +921,7 @@ export default defineComponent({
|
||||
};
|
||||
}
|
||||
|
||||
async function createListItem() {
|
||||
function createListItem() {
|
||||
if (!shoppingList.value) {
|
||||
return;
|
||||
}
|
||||
@@ -834,14 +937,23 @@ export default defineComponent({
|
||||
createListItemData.value.position = shoppingList.value?.listItems?.length
|
||||
? (shoppingList.value.listItems.reduce((a, b) => (a.position || 0) > (b.position || 0) ? a : b).position || 0) + 1
|
||||
: 0;
|
||||
const { data } = await userApi.shopping.items.createOne(createListItemData.value);
|
||||
|
||||
createListItemData.value.createdAt = new Date().toISOString();
|
||||
createListItemData.value.updateAt = createListItemData.value.createdAt;
|
||||
|
||||
updateListItemOrder();
|
||||
|
||||
shoppingListItemActions.createItem(createListItemData.value);
|
||||
loadingCounter.value -= 1;
|
||||
|
||||
if (data) {
|
||||
if (shoppingList.value.listItems) {
|
||||
// add the item to the list immediately so the user sees the change
|
||||
shoppingList.value.listItems.push(createListItemData.value);
|
||||
updateListItemOrder();
|
||||
}
|
||||
createListItemData.value = listItemFactory(createListItemData.value.isFood || false);
|
||||
refresh();
|
||||
}
|
||||
}
|
||||
|
||||
function updateIndexUnchecked(uncheckedItems: ShoppingListItemOut[]) {
|
||||
if (shoppingList.value?.listItems) {
|
||||
@@ -876,21 +988,24 @@ export default defineComponent({
|
||||
return updateIndexUnchecked(allUncheckedItems);
|
||||
}
|
||||
|
||||
async function deleteListItems(items: ShoppingListItemOut[]) {
|
||||
function deleteListItems(items: ShoppingListItemOut[]) {
|
||||
if (!shoppingList.value) {
|
||||
return;
|
||||
}
|
||||
|
||||
loadingCounter.value += 1;
|
||||
const { data } = await userApi.shopping.items.deleteMany(items);
|
||||
loadingCounter.value -= 1;
|
||||
items.forEach((item) => {
|
||||
shoppingListItemActions.deleteItem(item);
|
||||
});
|
||||
// remove the items from the list immediately so the user sees the change
|
||||
if (shoppingList.value?.listItems) {
|
||||
const deletedItems = new Set(items.map(item => item.id));
|
||||
shoppingList.value.listItems = shoppingList.value.listItems.filter((itm) => !deletedItems.has(itm.id));
|
||||
}
|
||||
|
||||
if (data) {
|
||||
refresh();
|
||||
}
|
||||
}
|
||||
|
||||
async function updateListItems() {
|
||||
function updateListItems() {
|
||||
if (!shoppingList.value?.listItems) {
|
||||
return;
|
||||
}
|
||||
@@ -901,14 +1016,11 @@ export default defineComponent({
|
||||
return itm;
|
||||
});
|
||||
|
||||
loadingCounter.value += 1;
|
||||
const { data } = await userApi.shopping.items.updateMany(shoppingList.value.listItems);
|
||||
loadingCounter.value -= 1;
|
||||
|
||||
if (data) {
|
||||
shoppingList.value.listItems.forEach((item) => {
|
||||
shoppingListItemActions.updateItem(item);
|
||||
});
|
||||
refresh();
|
||||
}
|
||||
}
|
||||
|
||||
// ===============================================================
|
||||
// Shopping List Settings
|
||||
@@ -944,6 +1056,7 @@ export default defineComponent({
|
||||
}
|
||||
|
||||
return {
|
||||
...toRefs(state),
|
||||
addRecipeReferenceToList,
|
||||
updateListItems,
|
||||
allLabels,
|
||||
@@ -954,11 +1067,13 @@ export default defineComponent({
|
||||
createListItem,
|
||||
createListItemData,
|
||||
deleteChecked,
|
||||
openDeleteChecked,
|
||||
deleteListItem,
|
||||
edit,
|
||||
getLabelColor,
|
||||
groupSlug,
|
||||
itemsByLabel,
|
||||
isOffline: shoppingListItemActions.isOffline,
|
||||
listItems,
|
||||
loadingCounter,
|
||||
preferences,
|
||||
@@ -979,6 +1094,9 @@ export default defineComponent({
|
||||
sortByLabels,
|
||||
toggleShowChecked,
|
||||
uncheckAll,
|
||||
openUncheckAll,
|
||||
checkAll,
|
||||
openCheckAll,
|
||||
updateIndexUnchecked,
|
||||
updateIndexUncheckedByLabel,
|
||||
allUnits,
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
<template>
|
||||
<v-container v-if="shoppingListChoices" class="narrow-container">
|
||||
<v-container v-if="shoppingListChoices && ready" class="narrow-container">
|
||||
<BaseDialog v-model="createDialog" :title="$tc('shopping-list.create-shopping-list')" @submit="createOne">
|
||||
<v-card-text>
|
||||
<v-text-field v-model="createName" autofocus :label="$t('shopping-list.new-list')"> </v-text-field>
|
||||
@@ -48,7 +48,7 @@
|
||||
</template>
|
||||
|
||||
<script lang="ts">
|
||||
import { computed, defineComponent, useAsync, useContext, reactive, toRefs, useRoute } from "@nuxtjs/composition-api";
|
||||
import { computed, defineComponent, useAsync, useContext, reactive, ref, toRefs, useRoute, useRouter, watch } from "@nuxtjs/composition-api";
|
||||
import { useUserApi } from "~/composables/api";
|
||||
import { useAsyncKey } from "~/composables/use-utils";
|
||||
import { useShoppingListPreferences } from "~/composables/use-users/preferences";
|
||||
@@ -57,9 +57,13 @@ export default defineComponent({
|
||||
middleware: "auth",
|
||||
setup() {
|
||||
const { $auth } = useContext();
|
||||
const ready = ref(false);
|
||||
const userApi = useUserApi();
|
||||
const route = useRoute();
|
||||
const router = useRouter();
|
||||
const groupSlug = computed(() => route.value.params.groupSlug || $auth.user?.groupSlug || "");
|
||||
const overrideDisableRedirect = ref(false);
|
||||
const disableRedirect = computed(() => route.value.query.disableRedirect === "true" || overrideDisableRedirect.value);
|
||||
const preferences = useShoppingListPreferences();
|
||||
|
||||
const state = reactive({
|
||||
@@ -81,6 +85,28 @@ export default defineComponent({
|
||||
return shoppingLists.value.filter((list) => preferences.value.viewAllLists || list.userId === $auth.user?.id);
|
||||
});
|
||||
|
||||
// This has to appear before the shoppingListChoices watcher, otherwise that runs first and the redirect is not disabled
|
||||
watch(
|
||||
() => preferences.value.viewAllLists,
|
||||
() => {
|
||||
overrideDisableRedirect.value = true;
|
||||
},
|
||||
);
|
||||
|
||||
watch(
|
||||
() => shoppingListChoices,
|
||||
() => {
|
||||
if (!disableRedirect.value && shoppingListChoices.value.length === 1) {
|
||||
router.push(`/shopping-lists/${shoppingListChoices.value[0].id}`);
|
||||
} else {
|
||||
ready.value = true;
|
||||
}
|
||||
},
|
||||
{
|
||||
deep: true,
|
||||
},
|
||||
);
|
||||
|
||||
async function fetchShoppingLists() {
|
||||
const { data } = await userApi.shopping.lists.getAll(1, -1, { orderBy: "name", orderDirection: "asc" });
|
||||
|
||||
@@ -118,6 +144,7 @@ export default defineComponent({
|
||||
|
||||
return {
|
||||
...toRefs(state),
|
||||
ready,
|
||||
groupSlug,
|
||||
preferences,
|
||||
shoppingListChoices,
|
||||
|
||||
2
frontend/types/components.d.ts
vendored
2
frontend/types/components.d.ts
vendored
@@ -6,6 +6,7 @@ import AppLoader from "@/components/global/AppLoader.vue";
|
||||
import AppToolbar from "@/components/global/AppToolbar.vue";
|
||||
import AutoForm from "@/components/global/AutoForm.vue";
|
||||
import BannerExperimental from "@/components/global/BannerExperimental.vue";
|
||||
import BannerWarning from "@/components/global/BannerWarning.vue";
|
||||
import BaseButton from "@/components/global/BaseButton.vue";
|
||||
import BaseButtonGroup from "@/components/global/BaseButtonGroup.vue";
|
||||
import BaseCardSectionTitle from "@/components/global/BaseCardSectionTitle.vue";
|
||||
@@ -45,6 +46,7 @@ declare module "vue" {
|
||||
AppToolbar: typeof AppToolbar;
|
||||
AutoForm: typeof AutoForm;
|
||||
BannerExperimental: typeof BannerExperimental;
|
||||
BannerWarning: typeof BannerWarning;
|
||||
BaseButton: typeof BaseButton;
|
||||
BaseButtonGroup: typeof BaseButtonGroup;
|
||||
BaseCardSectionTitle: typeof BaseCardSectionTitle;
|
||||
|
||||
@@ -1,74 +0,0 @@
|
||||
# https://github.com/tiangolo/uvicorn-gunicorn-docker/blob/2daa3e3873c837d5781feb4ff6a40a89f791f81b/docker-images/gunicorn_conf.py
|
||||
|
||||
import json
|
||||
import multiprocessing
|
||||
import os
|
||||
|
||||
|
||||
class GunicornConfig:
|
||||
"""Configuration to generate the properties for Gunicorn"""
|
||||
|
||||
def __init__(self):
|
||||
# Env Variables
|
||||
self.host = os.getenv("HOST", "127.0.0.1")
|
||||
self.port = os.getenv("API_PORT", "9000")
|
||||
self.log_level: str = os.getenv("LOG_LEVEL", "info")
|
||||
self.bind: str = os.getenv("BIND", None)
|
||||
self.errorlog: str = os.getenv("ERROR_LOG", "-") or None
|
||||
self.accesslog: str = os.getenv("ACCESS_LOG", "-") or None
|
||||
self.graceful_timeout: int = int(os.getenv("GRACEFUL_TIMEOUT", "120"))
|
||||
self.timeout = int(os.getenv("TIMEOUT", "120"))
|
||||
self.keepalive = int(os.getenv("KEEP_ALIVE", "5"))
|
||||
self.workers_per_core = float(os.getenv("WORKERS_PER_CORE", "1"))
|
||||
self.web_concurrency_str: str = os.getenv("WEB_CONCURRENCY", None)
|
||||
self.max_workers_str: str = os.getenv("MAX_WORKERS", None)
|
||||
|
||||
# Computed Variables
|
||||
self.cores = multiprocessing.cpu_count()
|
||||
self.default_bind = f"{self.host}:{self.port}"
|
||||
self.default_web_concorrency = self.workers_per_core * self.cores
|
||||
self.workers = self.get_workers()
|
||||
|
||||
def get_workers(self) -> int:
|
||||
if self.web_concurrency_str:
|
||||
web_concurrency = int(self.web_concurrency_str)
|
||||
assert web_concurrency > 0
|
||||
else:
|
||||
web_concurrency = max(int(self.default_web_concorrency), 2)
|
||||
if self.max_workers_str:
|
||||
web_concurrency = min(web_concurrency, int(self.max_workers_str))
|
||||
|
||||
return web_concurrency
|
||||
|
||||
|
||||
gunicorn_conf = GunicornConfig()
|
||||
|
||||
# Gunicorn config variables
|
||||
loglevel = gunicorn_conf.log_level
|
||||
workers = gunicorn_conf.workers
|
||||
bind = gunicorn_conf.bind or gunicorn_conf.default_bind
|
||||
errorlog = gunicorn_conf.errorlog
|
||||
accesslog = gunicorn_conf.accesslog
|
||||
graceful_timeout = gunicorn_conf.graceful_timeout
|
||||
timeout = gunicorn_conf.timeout
|
||||
keepalive = gunicorn_conf.keepalive
|
||||
|
||||
|
||||
# For debugging and testing
|
||||
log_data = {
|
||||
"loglevel": loglevel,
|
||||
"workers": workers,
|
||||
"bind": bind,
|
||||
"graceful_timeout": graceful_timeout,
|
||||
"timeout": timeout,
|
||||
"keepalive": keepalive,
|
||||
"errorlog": errorlog,
|
||||
"accesslog": accesslog,
|
||||
# Additional, non-gunicorn variables
|
||||
"workers_per_core": gunicorn_conf.workers_per_core,
|
||||
"use_max_workers": gunicorn_conf.max_workers_str,
|
||||
"host": gunicorn_conf.host,
|
||||
"port": gunicorn_conf.port,
|
||||
}
|
||||
|
||||
print("---- Gunicorn Configuration ----", json.dumps(log_data, indent=4)) # noqa: T001
|
||||
@@ -233,6 +233,24 @@ class AppSettings(BaseSettings):
|
||||
but will incur additional API costs
|
||||
"""
|
||||
|
||||
OPENAI_REQUEST_TIMEOUT: int = 10
|
||||
"""
|
||||
The number of seconds to wait for an OpenAI request to complete before cancelling the request
|
||||
"""
|
||||
|
||||
# ===============================================
|
||||
# Web Concurrency
|
||||
|
||||
WORKER_PER_CORE: int = 1
|
||||
"""Old gunicorn env for workers per core."""
|
||||
|
||||
UVICORN_WORKERS: int = 1
|
||||
"""Number of Uvicorn workers to run."""
|
||||
|
||||
@property
|
||||
def WORKERS(self) -> int:
|
||||
return max(1, self.WORKER_PER_CORE * self.UVICORN_WORKERS)
|
||||
|
||||
@property
|
||||
def OPENAI_ENABLED(self) -> bool:
|
||||
"""Validates OpenAI settings are all set"""
|
||||
|
||||
@@ -15,10 +15,9 @@ from .._model_utils import GUID, auto_init
|
||||
from ..recipe.ingredient import IngredientFoodModel, IngredientUnitModel
|
||||
|
||||
if TYPE_CHECKING:
|
||||
from group import Group
|
||||
from users import User
|
||||
|
||||
from ..recipe import RecipeModel
|
||||
from ..users import User
|
||||
from .group import Group
|
||||
|
||||
|
||||
class ShoppingListItemRecipeReference(BaseMixins, SqlAlchemyBase):
|
||||
@@ -73,7 +72,7 @@ class ShoppingListItem(SqlAlchemyBase, BaseMixins):
|
||||
recipe_references: Mapped[list[ShoppingListItemRecipeReference]] = orm.relationship(
|
||||
ShoppingListItemRecipeReference, cascade="all, delete, delete-orphan"
|
||||
)
|
||||
model_config = ConfigDict(exclude={"id", "label", "food", "unit"})
|
||||
model_config = ConfigDict(exclude={"label", "food", "unit"})
|
||||
|
||||
@api_extras
|
||||
@auto_init()
|
||||
|
||||
@@ -36,7 +36,9 @@ class IngredientUnitModel(SqlAlchemyBase, BaseMixins):
|
||||
"RecipeIngredientModel", back_populates="unit"
|
||||
)
|
||||
aliases: Mapped[list["IngredientUnitAliasModel"]] = orm.relationship(
|
||||
"IngredientUnitAliasModel", back_populates="unit", cascade="all, delete, delete-orphan"
|
||||
"IngredientUnitAliasModel",
|
||||
back_populates="unit",
|
||||
cascade="all, delete, delete-orphan",
|
||||
)
|
||||
|
||||
# Automatically updated by sqlalchemy event, do not write to this manually
|
||||
@@ -144,12 +146,15 @@ class IngredientFoodModel(SqlAlchemyBase, BaseMixins):
|
||||
name: Mapped[str | None] = mapped_column(String)
|
||||
plural_name: Mapped[str | None] = mapped_column(String)
|
||||
description: Mapped[str | None] = mapped_column(String)
|
||||
on_hand: Mapped[bool] = mapped_column(Boolean)
|
||||
|
||||
ingredients: Mapped[list["RecipeIngredientModel"]] = orm.relationship(
|
||||
"RecipeIngredientModel", back_populates="food"
|
||||
)
|
||||
aliases: Mapped[list["IngredientFoodAliasModel"]] = orm.relationship(
|
||||
"IngredientFoodAliasModel", back_populates="food", cascade="all, delete, delete-orphan"
|
||||
"IngredientFoodAliasModel",
|
||||
back_populates="food",
|
||||
cascade="all, delete, delete-orphan",
|
||||
)
|
||||
extras: Mapped[list[IngredientFoodExtras]] = orm.relationship("IngredientFoodExtras", cascade="all, delete-orphan")
|
||||
|
||||
@@ -162,7 +167,13 @@ class IngredientFoodModel(SqlAlchemyBase, BaseMixins):
|
||||
|
||||
@api_extras
|
||||
@auto_init()
|
||||
def __init__(self, session: Session, name: str | None = None, plural_name: str | None = None, **_) -> None:
|
||||
def __init__(
|
||||
self,
|
||||
session: Session,
|
||||
name: str | None = None,
|
||||
plural_name: str | None = None,
|
||||
**_,
|
||||
) -> None:
|
||||
if name is not None:
|
||||
self.name_normalized = self.normalize(name)
|
||||
if plural_name is not None:
|
||||
@@ -317,7 +328,13 @@ class RecipeIngredientModel(SqlAlchemyBase, BaseMixins):
|
||||
original_text_normalized: Mapped[str | None] = mapped_column(String, index=True)
|
||||
|
||||
@auto_init()
|
||||
def __init__(self, session: Session, note: str | None = None, orginal_text: str | None = None, **_) -> None:
|
||||
def __init__(
|
||||
self,
|
||||
session: Session,
|
||||
note: str | None = None,
|
||||
orginal_text: str | None = None,
|
||||
**_,
|
||||
) -> None:
|
||||
# SQLAlchemy events do not seem to register things that are set during auto_init
|
||||
if note is not None:
|
||||
self.note_normalized = self.normalize(note)
|
||||
|
||||
@@ -1,48 +1,48 @@
|
||||
{
|
||||
"generic": {
|
||||
"server-error": "An unexpected error occurred"
|
||||
"server-error": "Προέκυψε ένα απρόσμενο σφάλμα"
|
||||
},
|
||||
"recipe": {
|
||||
"unique-name-error": "Recipe names must be unique",
|
||||
"unique-name-error": "Τα ονόματα συνταγών πρέπει να είναι μοναδικά",
|
||||
"recipe-defaults": {
|
||||
"ingredient-note": "1 Κύπελλο Αλεύρι",
|
||||
"ingredient-note": "1 Κούπα Αλεύρι",
|
||||
"step-text": "Βήματα συνταγής, καθώς και άλλα πεδία στη σύνταξη σήμανσης της σελίδας συνταγής.\n\n**Προσθήκη συνδέσμου**\n\n[Ο σύνδεσμος μου](https://demo.mealie.io)\n"
|
||||
}
|
||||
},
|
||||
"mealplan": {
|
||||
"no-recipes-match-your-rules": "No recipes match your rules"
|
||||
"no-recipes-match-your-rules": "Καμία συνταγή δεν ταιριάζει στα κριτήρια αναζήτησης"
|
||||
},
|
||||
"user": {
|
||||
"user-updated": "User updated",
|
||||
"password-updated": "Password updated",
|
||||
"invalid-current-password": "Invalid current password",
|
||||
"ldap-update-password-unavailable": "Unable to update password, user is controlled by LDAP"
|
||||
"user-updated": "Χρήστης ενημερώθηκε",
|
||||
"password-updated": "Ο κωδικός ενημερώθηκε",
|
||||
"invalid-current-password": "Μη έγκυρος κωδικός",
|
||||
"ldap-update-password-unavailable": "Αδυναμία ενημέρωσης του κωδικού πρόσβασης, ο χρήστης ελέγχεται από LDAP"
|
||||
},
|
||||
"group": {
|
||||
"report-deleted": "Report deleted."
|
||||
"report-deleted": "Η αναφορά διαγράφηκε."
|
||||
},
|
||||
"exceptions": {
|
||||
"permission_denied": "You do not have permission to perform this action",
|
||||
"no-entry-found": "The requested resource was not found",
|
||||
"integrity-error": "Database integrity error",
|
||||
"username-conflict-error": "This username is already taken",
|
||||
"email-conflict-error": "This email is already in use"
|
||||
"permission_denied": "Δεν έχετε δικαιώματα για την εκτέλεση αυτής της ενέργειας",
|
||||
"no-entry-found": "Η σελίδα που ζητήσατε δε βρέθηκε",
|
||||
"integrity-error": "Σφάλμα ακεραιότητας βάσης δεδομένων",
|
||||
"username-conflict-error": "Το όνομα χρήστη χρησιμοποιείται ήδη",
|
||||
"email-conflict-error": "Αυτό το email χρησιμοποιείται ήδη"
|
||||
},
|
||||
"notifications": {
|
||||
"generic-created": "{name} was created",
|
||||
"generic-updated": "{name} was updated",
|
||||
"generic-created": "Δημιουργήθηκε το {name}",
|
||||
"generic-updated": "Ενημερώθηκε το {name}",
|
||||
"generic-created-with-url": "{name} has been created, {url}",
|
||||
"generic-updated-with-url": "{name} has been updated, {url}",
|
||||
"generic-duplicated": "{name} has been duplicated",
|
||||
"generic-deleted": "{name} has been deleted"
|
||||
"generic-deleted": "Το {name} διαγράφηκε"
|
||||
},
|
||||
"datetime": {
|
||||
"year": "year|years",
|
||||
"day": "day|days",
|
||||
"hour": "hour|hours",
|
||||
"minute": "minute|minutes",
|
||||
"second": "second|seconds",
|
||||
"millisecond": "millisecond|milliseconds",
|
||||
"microsecond": "microsecond|microseconds"
|
||||
"year": "χρόνος | χρόνια",
|
||||
"day": "ημέρα|ημέρες",
|
||||
"hour": "ώρα - ώρες",
|
||||
"minute": "λεπτό|λεπτά",
|
||||
"second": "δευτερόλεπτο|δευτερόλεπτα",
|
||||
"millisecond": "Χιλιοστό του δευτερολέπτου | Χιλιοστά του δευτερολέπτου",
|
||||
"microsecond": "μικροδευτερόλεπτο/μικροδευτερόλεπτα"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -5,7 +5,7 @@
|
||||
"recipe": {
|
||||
"unique-name-error": "Название рецепта должно быть уникальным",
|
||||
"recipe-defaults": {
|
||||
"ingredient-note": "1 Cup Flour",
|
||||
"ingredient-note": "1 Чашка муки",
|
||||
"step-text": "Recipe steps as well as other fields in the recipe page support markdown syntax.\n\n**Add a link**\n\n[My Link](https://demo.mealie.io)\n"
|
||||
}
|
||||
},
|
||||
@@ -37,7 +37,7 @@
|
||||
"generic-deleted": "{name} был удален"
|
||||
},
|
||||
"datetime": {
|
||||
"year": "year|years",
|
||||
"year": "год|лет",
|
||||
"day": "day|days",
|
||||
"hour": "hour|hours",
|
||||
"minute": "minute|minutes",
|
||||
|
||||
@@ -11,7 +11,7 @@ def main():
|
||||
port=settings.API_PORT,
|
||||
log_level=settings.LOG_LEVEL.lower(),
|
||||
log_config=log_config(),
|
||||
workers=1,
|
||||
workers=settings.WORKERS,
|
||||
forwarded_allow_ips=settings.HOST_IP,
|
||||
)
|
||||
|
||||
|
||||
@@ -4,23 +4,23 @@
|
||||
"anchovies": "anchovies",
|
||||
"apples": "apples",
|
||||
"artichoke": "artichoke",
|
||||
"arugula": "arugula",
|
||||
"arugula": "rocket",
|
||||
"asparagus": "asparagus",
|
||||
"aubergine": "aubergine",
|
||||
"avocado": "avocado",
|
||||
"bacon": "bacon",
|
||||
"baking-powder": "baking powder",
|
||||
"baking-soda": "baking soda",
|
||||
"baking-soda": "bicarbonate of soda",
|
||||
"baking-sugar": "baking sugar",
|
||||
"bar-sugar": "bar sugar",
|
||||
"basil": "basil",
|
||||
"bell-peppers": "bell peppers",
|
||||
"blackberries": "blackberries",
|
||||
"brassicas": "brassicas",
|
||||
"bok-choy": "bok choy",
|
||||
"bok-choy": "pak choi",
|
||||
"broccoflower": "broccoflower",
|
||||
"broccoli": "broccoli",
|
||||
"broccolini": "broccolini",
|
||||
"broccolini": "tenderstem broccoli",
|
||||
"broccoli-rabe": "broccoli rabe",
|
||||
"brussels-sprouts": "brussels sprouts",
|
||||
"cabbage": "cabbage",
|
||||
@@ -41,7 +41,7 @@
|
||||
"capsicum": "capsicum",
|
||||
"caraway": "caraway",
|
||||
"carrot": "carrot",
|
||||
"castor-sugar": "castor sugar",
|
||||
"castor-sugar": "caster sugar",
|
||||
"cayenne-pepper": "cayenne pepper",
|
||||
"celeriac": "celeriac",
|
||||
"celery": "celery",
|
||||
@@ -77,7 +77,7 @@
|
||||
"demerara-sugar": "demerara sugar",
|
||||
"dough": "dough",
|
||||
"edible-cactus": "edible cactus",
|
||||
"eggplant": "eggplant",
|
||||
"eggplant": "aubergine",
|
||||
"endive": "endive",
|
||||
"fats": "fats",
|
||||
"speck": "speck",
|
||||
@@ -100,7 +100,7 @@
|
||||
"apple": "apple",
|
||||
"oranges": "oranges",
|
||||
"pear": "pear",
|
||||
"tomato": "tomato ",
|
||||
"tomato": "tomato",
|
||||
"fruit-sugar": "fruit sugar",
|
||||
"garam-masala": "garam masala",
|
||||
"garlic": "garlic",
|
||||
@@ -156,7 +156,7 @@
|
||||
"olive": "olive",
|
||||
"onion-family": "onion family",
|
||||
"onion": "onion",
|
||||
"scallion": "scallion",
|
||||
"scallion": "spring onion",
|
||||
"shallot": "shallot",
|
||||
"spring-onion": "spring onion",
|
||||
"orange-blossom-water": "orange blossom water",
|
||||
@@ -186,8 +186,8 @@
|
||||
"sesame-seeds": "sesame seeds",
|
||||
"sunflower-seeds": "sunflower seeds",
|
||||
"soda": "soda",
|
||||
"soda-baking": "soda, baking",
|
||||
"soybean": "soybean",
|
||||
"soda-baking": "bicarbonate of soda",
|
||||
"soybean": "soya beans",
|
||||
"spaghetti-squash": "spaghetti squash",
|
||||
"spices": "spices",
|
||||
"spinach": "spinach",
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
[
|
||||
{
|
||||
"name": "Produce"
|
||||
"name": "Fresh Produce"
|
||||
},
|
||||
{
|
||||
"name": "Grains"
|
||||
@@ -30,7 +30,7 @@
|
||||
"name": "Condiments"
|
||||
},
|
||||
{
|
||||
"name": "Confectionary"
|
||||
"name": "Confectionery"
|
||||
},
|
||||
{
|
||||
"name": "Dairy Products"
|
||||
|
||||
@@ -1,8 +1,8 @@
|
||||
{
|
||||
"teaspoon": {
|
||||
"name": "κουταλάκι του γλυκού",
|
||||
"name": "Κουταλάκι Γλυκού",
|
||||
"description": "",
|
||||
"abbreviation": "κ.γ."
|
||||
"abbreviation": "κ. γ"
|
||||
},
|
||||
"tablespoon": {
|
||||
"name": "κουταλιά της σούπας",
|
||||
@@ -15,7 +15,7 @@
|
||||
"abbreviation": "φλ."
|
||||
},
|
||||
"fluid-ounce": {
|
||||
"name": "fluid ounce",
|
||||
"name": "ρευστή ουγγιά",
|
||||
"description": "",
|
||||
"abbreviation": "fl oz"
|
||||
},
|
||||
@@ -25,9 +25,9 @@
|
||||
"abbreviation": "pt"
|
||||
},
|
||||
"quart": {
|
||||
"name": "quart",
|
||||
"name": "1/4",
|
||||
"description": "",
|
||||
"abbreviation": "qt"
|
||||
"abbreviation": "1/4"
|
||||
},
|
||||
"gallon": {
|
||||
"name": "γαλόνι",
|
||||
@@ -45,7 +45,7 @@
|
||||
"abbreviation": "l"
|
||||
},
|
||||
"pound": {
|
||||
"name": "pound",
|
||||
"name": "λίβρα",
|
||||
"description": "",
|
||||
"abbreviation": "λβρ"
|
||||
},
|
||||
@@ -90,7 +90,7 @@
|
||||
"abbreviation": ""
|
||||
},
|
||||
"clove": {
|
||||
"name": "clove",
|
||||
"name": "σκελίδα",
|
||||
"description": "",
|
||||
"abbreviation": ""
|
||||
},
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user