diff --git a/src/Umbraco.Web.UI.Client/.editorconfig b/src/Umbraco.Web.UI.Client/.editorconfig
new file mode 100644
index 0000000000..8a96204c8f
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.editorconfig
@@ -0,0 +1,29 @@
+# EditorConfig helps developers define and maintain consistent
+# coding styles between different editors and IDEs
+# editorconfig.org
+
+root = true
+
+
+[*]
+
+# Change these settings to your own preference
+indent_style = tab
+indent_size = 2
+
+# We recommend you to keep these unchanged
+end_of_line = lf
+charset = utf-8
+trim_trailing_whitespace = true
+insert_final_newline = true
+
+[*.md]
+trim_trailing_whitespace = false
+
+[*.json]
+indent_size = 2
+
+[*.{html,js,md}]
+block_comment_start = /**
+block_comment = *
+block_comment_end = */
diff --git a/src/Umbraco.Web.UI.Client/.env b/src/Umbraco.Web.UI.Client/.env
new file mode 100644
index 0000000000..2863beab6e
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.env
@@ -0,0 +1,6 @@
+# Copy this to .env.local and change what you want to test.
+VITE_UMBRACO_USE_MSW=on # on = turns on MSW, off = disables all mock handlers
+VITE_UMBRACO_API_URL=https://localhost:44339
+VITE_UMBRACO_INSTALL_STATUS=running # running or must-install or must-upgrade
+VITE_MSW_QUIET=off # on = turns off MSW console logs, off = turns on MSW console logs
+VITE_UMBRACO_EXTENSION_MOCKS=off # on = turns on extension mocks, off = turns off extension mocks
diff --git a/src/Umbraco.Web.UI.Client/.env.e2e b/src/Umbraco.Web.UI.Client/.env.e2e
new file mode 100644
index 0000000000..229671f683
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.env.e2e
@@ -0,0 +1,3 @@
+# Copy this to .env.local and change what you want to test.
+VITE_UMBRACO_USE_MSW=off # Playwright handles the mocking itself (using msw but it starts it up manually)
+VITE_UMBRACO_API_URL=
diff --git a/src/Umbraco.Web.UI.Client/.env.production b/src/Umbraco.Web.UI.Client/.env.production
new file mode 100644
index 0000000000..bd90bc215e
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.env.production
@@ -0,0 +1,2 @@
+VITE_UMBRACO_USE_MSW=off
+VITE_UMBRACO_API_URL=
diff --git a/src/Umbraco.Web.UI.Client/.env.staging b/src/Umbraco.Web.UI.Client/.env.staging
new file mode 100644
index 0000000000..caf5203dd8
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.env.staging
@@ -0,0 +1,2 @@
+VITE_UMBRACO_INSTALL_STATUS=running # running or must-install or must-upgrade
+VITE_UMBRACO_USE_MSW=on
diff --git a/src/Umbraco.Web.UI.Client/.github/CONTRIBUTING.md b/src/Umbraco.Web.UI.Client/.github/CONTRIBUTING.md
new file mode 100644
index 0000000000..3d02d924c6
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/CONTRIBUTING.md
@@ -0,0 +1,239 @@
+# Contribution Guidelines
+
+## Thoughts, links, and questions
+
+In the high probability that you are porting something from angular JS then here are a few helpful tips for using Lit:
+
+Here is the LIT documentation and playground: [https://lit.dev](https://lit.dev)
+
+### How best to find what needs converting from the old backoffice?
+
+1. Navigate to [https://github.com/umbraco/Umbraco-CMS](https://github.com/umbraco/Umbraco-CMS)
+2. Make sure you are on the `v14/dev` branch
+
+### What is the process of contribution?
+
+- Read the [README](README.md) to learn how to get the project up and running
+- Find an issue marked as [community/up-for-grabs](https://github.com/umbraco/Umbraco.CMS.Backoffice/issues?q=is%3Aissue+is%3Aopen+label%3Acommunity%2Fup-for-grabs) - note that some are also marked [good first issue](https://github.com/umbraco/Umbraco.CMS.Backoffice/issues?q=is%3Aissue+is%3Aopen+label%3A%22good+first+issue%22) which indicates they are simple to get started on
+- Umbraco HQ owns the Management API on the backend, so features can be worked on in the frontend only when there is an API, or otherwise if no API is required
+- A contribution should be made in a fork of the repository
+- Once a contribution is ready, a pull request should be made to this repository and HQ will assign a reviewer
+- A pull request should always indicate what part of a feature it tries to solve, i.e. does it close the targeted issue (if any) or does the developer expect Umbraco HQ to take over
+
+## Contributing in general terms
+
+A lot of the UI has already been migrated to the new backoffice. Generally speaking, one would find a feature on the projects board, locate the UI in the old backoffice (v11 is fine), convert it to Lit components using the UI library, put the business logic into a store/service, write tests, and make a pull request.
+
+We are also very keen to receive contributions towards **documentation, unit testing, package development, accessibility, and just general testing of the UI.**
+
+## The Management API
+
+The management API is the colloquial term used to describe the new backoffice API. It is built as a .NET Web API, has a Swagger endpoint (/umbraco/swagger), and outputs an OpenAPI v3 schema, that the frontend consumes.
+
+The frontend has an API formatter that takes the OpenAPI schema file and converts it into a set of TypeScript classes and interfaces.
+
+### Caveats
+
+1. The backoffice can be run and tested against a real Umbraco instance by cloning down the `v14/dev` branch, but there are no guarantees about how well it works yet.
+
+**Current schema for API:**
+
+[https://raw.githubusercontent.com/umbraco/Umbraco-CMS/v13/dev/src/Umbraco.Cms.Api.Management/OpenApi.json](https://raw.githubusercontent.com/umbraco/Umbraco-CMS/v14/dev/src/Umbraco.Cms.Api.Management/OpenApi.json)
+
+**How to convert it:**
+
+- Run `npm run generate:api`
+
+## A contribution example
+
+### Example: Published Cache Status Dashboard
+
+
+
+### Boilerplate (example using Lit)
+
+Links for Lit examples and documentation:
+
+- [https://lit.dev](https://lit.dev)
+- [https://lit.dev/docs/](https://lit.dev/docs/)
+- [https://lit.dev/playground/](https://lit.dev/playground/)
+
+### Functionality
+
+**HTML**
+
+The simplest approach is to copy over the HTML from the old backoffice into a new Lit element (check existing elements in the repository, e.g. if you are working with a dashboard, then check other dashboards, etc.). Once the HTML is inside the `render` method, it is often enough to simply replace `` elements with `` and replace a few of the attributes. In general, we try to build as much UI with Umbraco UI Library as possible.
+
+**Controller**
+
+The old AngularJS controllers will have to be converted into modern TypeScript and will have to use our new services and stores. We try to abstract as much away as possible, and mostly you will have to make API calls and let the rest of the system handle things like error handling and so on. In the case of this dashboard, we only have a few GET and POST requests. Looking at the new Management API, we find the PublishedCacheService, which is the new API controller to serve data to the dashboard.
+
+To make the first button work, which simply just requests a new status from the server, we must make a call to `PublishedCacheService.getPublishedCacheStatus()`. An additional thing here is to wrap that in a friendly function called `tryExecuteAndNotify`, which is something we make available to developers to automatically handle the responses coming from the server and additionally use the Notifications to notify of any errors:
+
+```typescript
+import { tryExecuteAndNotify } from '@umbraco-cms/backoffice/resources';
+import { PublishedCacheService } from '@umbraco-cms/backoffice/external/backend-api';
+
+private _getStatus() {
+ const { data: status } = await tryExecuteAndNotify(this, PublishedCacheService.getPublishedCacheStatus());
+
+ if (status) {
+ // we now have the status
+ console.log(status);
+ }
+}
+```
+
+### State (buttons, etc)
+
+It is a good idea to make buttons indicate a loading state when awaiting an API call. All `` support the `.state` property, which you can set around API calls:
+
+```typescript
+@state()
+private _buttonState: UUIButtonState = undefined;
+
+private _getStatus() {
+ this._buttonState = 'waiting';
+
+ [...await...]
+
+ this._buttonState = 'success';
+}
+```
+
+## Making the dashboard visible
+
+### Add to internal manifests
+
+All items are declared in a `manifests.ts` file, which is located in each section directory.
+
+To declare the Published Cache Status Dashboard as a new manifest, we need to add the section as a new json object that would look like this:
+
+```typescript
+{
+ type: 'dashboard',
+ alias: 'Umb.Dashboard.PublishedStatus',
+ name: 'Published Status Dashboard',
+ elementName: 'umb-dashboard-published-status',
+ element: () => import('./published-status/dashboard-published-status.element.js'),
+ weight: 200,
+ meta: {
+ label: 'Published Status',
+ pathname: 'published-status',
+ },
+ conditions: [
+ {
+ alias: 'Umb.Condition.SectionAlias',
+ match: 'Umb.Section.Settings',
+ },
+ ],
+},
+```
+
+Let’s go through each of these properties…
+
+- Type: can be one of the following:
+
+ - section - examples include: `Content`, `Media`
+ - dashboard - a view within a section. Examples include: the welcome dashboard
+ - propertyEditorUi
+ - editorView
+ - propertyAction
+ - tree
+ - editor
+ - treeItemAction
+
+- Alias: is the unique key used to identify this item.
+- Name: is the human-readable name for this item.
+
+- ElementName: this is the customElementName declared on the element at the top of the file i.e
+
+```typescript
+@customElement('umb-dashboard-published-status')
+```
+
+- Js: references a function call to import the file that the element is declared within
+
+- Weight: allows us to specify the order in which the dashboard will be displayed within the tabs bar
+
+- Meta: allows us to reference additional data - in our case, we can specify the label that is shown in the tabs bar and the pathname that will be displayed in the URL
+
+- Conditions: allows us to specify the conditions that must be met for the dashboard to be displayed. In our case, we are specifying that the dashboard will only be displayed within the Settings section
+
+## API mock handlers
+
+Running the app with `npm run dev`, you will quickly notice the API requests turn into 404 errors. To hit the API, we need to add a mock handler to define the endpoints that our dashboard will call. In the case of the Published Cache Status section, we have several calls to work through. Let’s start by looking at the call to retrieve the current status of the cache:
+
+
+
+From the existing functionality, we can see that this is a string message that is received as part of a `GET` request from the server.
+
+So to define this, we must first add a handler for the Published Status called `published-status.handlers.ts` within the mocks/domains folder. In this file we will have code that looks like the following:
+
+```typescript
+const { rest } = window.MockServiceWorker;
+import { umbracoPath } from '@umbraco-cms/backoffice/utils';
+
+export const handlers = [
+ rest.get(umbracoPath('/published-cache/status'), (_req, res, ctx) => {
+ return res(
+ // Respond with a 200 status code
+ ctx.status(200),
+ ctx.json(
+ 'Database cache is ok. ContentStore contains 1 item and has 1 generation and 0 snapshot. MediaStore contains 5 items and has 1 generation and 0 snapshot.',
+ ),
+ );
+ }),
+];
+```
+
+This is defining the `GET` path that we will call through the resource: `/published-cache/status`
+
+It returns a `200 OK` response and a string value with the current “status” of the published cache for us to use within the element
+
+An example `POST` is similar. Let’s take the “Refresh status” button as an example:
+
+
+
+From our existing functionality, we can see that this makes a `POST` call to the server to prompt a reload of the published cache. So we would add a new endpoint to the mock handler that would look like:
+
+```typescript
+rest.post(umbracoPath('/published-cache/reload'), async (_req, res, ctx) => {
+ return res(
+ // Simulate a 1 second delay for the benefit of the UI
+ ctx.delay(1000)
+ // Respond with a 201 status code
+ ctx.status(201)
+ );
+})
+```
+
+Which is defining a new `POST` endpoint that we can add to the core API fetcher using the path `/published-cache/reload`.
+
+This call returns a simple `OK` status code and no other object.
+
+## Storybook stories
+
+We try to make good Storybook stories for new components, which is a nice way to work with a component in an isolated state. Imagine you are working with a dialog on page 3 and have to navigate back to that every time you make a change - this is now eliminated with Storybook as you can just make a story that displays that step. Storybook can only show one component at a time, so it also helps us to isolate view logic into more and smaller components, which in turn are more testable.
+
+In-depth: [https://storybook.js.org/docs/web-components/get-started/introduction](https://storybook.js.org/docs/web-components/get-started/introduction)
+
+Reference: [https://ambitious-stone-0033b3603.1.azurestaticapps.net/](https://ambitious-stone-0033b3603.1.azurestaticapps.net/)
+
+- Locally: `npm run storybook`
+
+For Umbraco UI stories, please navigate to [https://uui.umbraco.com/](https://uui.umbraco.com/)
+
+## Testing
+
+There are two testing tools on the backoffice: unit testing and end-to-end testing.
+
+### Unit testing
+
+We are using a tool called Web Test Runner which spins up a bunch of browsers using Playwright with the well-known jasmine/chai syntax. It is expected that any new component/element has a test file named “<component>.test.ts”. It will automatically be picked up and there are a set of standard tests we apply to all components, which checks that they are registered correctly and they pass accessibility testing through Axe.
+
+Working with playwright: [https://playwright.dev/docs/intro](https://playwright.dev/docs/intro)
+
+## Putting it all together
+
+When we are finished with the dashboard we will hopefully have something akin to this [real-world example of the actual dashboard that was migrated](https://github.com/umbraco/Umbraco.CMS.Backoffice/tree/main/src/backoffice/settings/dashboards/published-status).
diff --git a/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/01_bug_report.md b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/01_bug_report.md
new file mode 100644
index 0000000000..e48baa3152
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/01_bug_report.md
@@ -0,0 +1,32 @@
+---
+name: "\U0001F41B Bug report"
+about: Create a report to help us improve
+title: "[BUG]: "
+labels: type/bug
+assignees: ''
+
+---
+
+**Describe the bug**
+A clear and concise description of what the bug is.
+
+**To Reproduce**
+Steps to reproduce the behavior:
+1. Go to '...'
+2. Click on '....'
+3. Scroll down to '....'
+4. See error
+
+**Expected behavior**
+A clear and concise description of what you expected to happen.
+
+**Screenshots**
+If applicable, add screenshots to help explain your problem.
+
+**Desktop (please complete the following information):**
+ - OS: [e.g. iOS]
+ - Browser [e.g. chrome, safari]
+ - Version [e.g. 22]
+
+**Additional context**
+Add any other context about the problem here.
diff --git a/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/02_feature_request.md b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/02_feature_request.md
new file mode 100644
index 0000000000..d82f25d7c1
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/02_feature_request.md
@@ -0,0 +1,20 @@
+---
+name: "✨ Feature request"
+about: Suggest an idea for this project
+title: ''
+labels: type/feature
+assignees: ''
+
+---
+
+**Is your feature request related to a problem? Please describe.**
+A clear and concise description of what the problem is. Ex. I'm always frustrated when [...]
+
+**Describe the solution you'd like**
+A clear and concise description of what you want to happen.
+
+**Describe alternatives you've considered**
+A clear and concise description of any alternative solutions or features you've considered.
+
+**Additional context**
+Add any other context or screenshots about the feature request here.
diff --git a/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/config.yml b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/config.yml
new file mode 100644
index 0000000000..999d82b31b
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/ISSUE_TEMPLATE/config.yml
@@ -0,0 +1,8 @@
+blank_issues_enabled: false
+contact_links:
+ - name: 💡 Features and ideas
+ url: https://github.com/umbraco/Umbraco.CMS.Backoffice/discussions/new?category=ideas
+ about: Start a new discussion when you have ideas or feature requests, eventually discussions can turn into plans.
+ - name: ❓ Support Question
+ url: https://our.umbraco.com
+ about: This issue tracker is NOT meant for support questions. If you have a question, please join us on the discussions board or Discord.
diff --git a/src/Umbraco.Web.UI.Client/.github/LICENSE b/src/Umbraco.Web.UI.Client/.github/LICENSE
new file mode 100644
index 0000000000..013e888f2e
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/LICENSE
@@ -0,0 +1,21 @@
+MIT License
+
+Copyright (c) 2022 Umbraco HQ
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
diff --git a/src/Umbraco.Web.UI.Client/.github/README.md b/src/Umbraco.Web.UI.Client/.github/README.md
new file mode 100644
index 0000000000..d9f0f72c16
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/README.md
@@ -0,0 +1,76 @@
+# Umbraco.CMS.Backoffice (Bellissima)
+
+This is the working repository of the upcoming new Backoffice to Umbraco CMS.
+
+[](https://github.com/umbraco/Umbraco.CMS.Backoffice/actions/workflows/build_test.yml)
+[](https://github.com/umbraco/Umbraco.CMS.Backoffice/actions/workflows/azure-static-web-apps-ambitious-stone-0033b3603.yml)
+[](https://sonarcloud.io/summary/new_code?id=umbraco_Umbraco.CMS.Backoffice)
+
+## Installation instructions
+
+1. Run `npm install`
+2. Run `npm run dev` to launch Vite in dev mode
+
+### Environment variables
+
+The development environment supports `.env` files, so in order to set your own make a copy
+of `.env` and name it `.env.local` and set the variables you need.
+
+As an example to show the installer instead of the login screen, set the following
+in the `.env.local` file to indicate that Umbraco has not been installed:
+
+```bash
+VITE_UMBRACO_INSTALL_STATUS=must-install
+```
+
+## Environments
+
+### Development
+
+The development environment is the default environment and is used when running `npm run dev`. All API calls are mocked and the Umbraco backoffice is served from the `src` folder.
+
+### Run against a local Umbraco instance
+
+If you have a local Umbraco instance running, you can use the development environment to run against it by overriding the API URL and bypassing the mock-service-worker in the frontend client.
+
+Create a `.env.local` file and set the following variables:
+
+```bash
+VITE_UMBRACO_API_URL=https://localhost:44339 # This will be the URL to your Umbraco instance
+VITE_UMBRACO_USE_MSW=off # Indicate that you want all API calls to bypass MSW (mock-service-worker)
+```
+
+Open this file in an editor: `src/Umbraco.Web.UI/appsettings.Development.json` and add this to the `Umbraco:CMS:Security` section to override the backoffice host:
+
+```json
+"Umbraco": {
+ "CMS": {
+ "Security":{
+ "BackOfficeHost": "http://localhost:5173",
+ "AuthorizeCallbackPathName": "/oauth_complete",
+ "AuthorizeCallbackLogoutPathName": "/logout",
+ "AuthorizeCallbackErrorPathName": "/error",
+ },
+ },
+}
+```
+
+Now start the vite server: `npm run dev:server` in your backoffice folder and open the http://localhost:5173 URL in your browser.
+
+### Storybook
+
+Storybook is also being built and deployed automatically on the Main branch, including a preview URL on each pull request. See it in action on this [Azure Static Web App](https://ambitious-stone-0033b3603.1.azurestaticapps.net/).
+
+You can test the Storybook locally by running `npm run storybook`. This will start the Storybook server and open a browser window with the Storybook UI.
+
+Storybook is an excellent tool to test out UI components in isolation and to document them. It is also a great way to test the responsiveness and accessibility of the components.
+
+## Contributing
+
+We accept contributions to this project. However be aware that we are mainly working on a private backlog, so not everything will be immediately obvious. If you want to get started on contributing, please read the [contributing guidelines](./CONTRIBUTING.md).
+
+A list of issues can be found on the [Umbraco-CMS Issue Tracker](https://github.com/umbraco/Umbraco-CMS/issues). Many of them are marked as `community/up-for-grabs` which means they are up for grabs for anyone to work on.
+
+## Documentation
+
+The documentation can be found on [Umbraco Docs](https://docs.umbraco.com/umbraco-cms).
diff --git a/src/Umbraco.Web.UI.Client/.github/RELEASE_INSTRUCTION.md b/src/Umbraco.Web.UI.Client/.github/RELEASE_INSTRUCTION.md
new file mode 100644
index 0000000000..cfd5e491e7
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/RELEASE_INSTRUCTION.md
@@ -0,0 +1,31 @@
+# Bellissima release instructions
+
+
+## Build
+
+> _See internal documentation on the build/release workflow._
+
+
+## GitHub Release Notes
+
+To generate release notes on GitHub.
+
+- Go to the [**Releases** area](https://github.com/umbraco/Umbraco.CMS.Backoffice/releases)
+- Press the [**"Draft a new release"** button](https://github.com/umbraco/Umbraco.CMS.Backoffice/releases/new)
+- In the combobox for "Choose a tag", expand then select or enter the next version number, e.g. `v14.2.0`
+ - If the tag does not already exist, an option labelled "Create new tag: v14.2.0 on publish" will appear, select that option
+- In the combobox for "Target: main", expand then select the release branch for the next version, e.g. `release/14.2`
+- In the combobox for "Previous tag: auto":
+ - If the next release is an RC, then you can leave as `auto`
+ - Otherwise, select the previous stable version, e.g. `v14.1.1`
+- Press the **"Generate release notes"** button, this will populate the main textarea
+- Check the details, view in the "Preview" tab
+- What type of release is this?
+ - If it's an RC, then check "Set as a pre-release"
+ - If it's stable, then check "Set as the latest release"
+- Once you're happy with the contents and ready to save...
+ - If you need more time to review, press the **"Save draft"** button and you can come back to it later
+ - If you are ready to make the release notes public, then press **"Publish release"** button! :tada:
+
+> If you're curious about how the content is generated, take a look at the `release.yml` configuration:
+> https://github.com/umbraco/Umbraco.CMS.Backoffice/blob/main/.github/release.yml
diff --git a/src/Umbraco.Web.UI.Client/.github/dependabot.yml b/src/Umbraco.Web.UI.Client/.github/dependabot.yml
new file mode 100644
index 0000000000..845aa7b637
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/dependabot.yml
@@ -0,0 +1,14 @@
+version: 2
+updates:
+
+ # Maintain dependencies for GitHub Actions
+ - package-ecosystem: "github-actions"
+ directory: "/"
+ schedule:
+ interval: "weekly"
+
+ # Maintain dependencies for npm
+ - package-ecosystem: "npm"
+ directory: "/"
+ schedule:
+ interval: "monthly"
diff --git a/src/Umbraco.Web.UI.Client/.github/images/contributing/published-cache-status-dashboard.png b/src/Umbraco.Web.UI.Client/.github/images/contributing/published-cache-status-dashboard.png
new file mode 100644
index 0000000000..dfe9d12413
Binary files /dev/null and b/src/Umbraco.Web.UI.Client/.github/images/contributing/published-cache-status-dashboard.png differ
diff --git a/src/Umbraco.Web.UI.Client/.github/images/contributing/refresh-status.png b/src/Umbraco.Web.UI.Client/.github/images/contributing/refresh-status.png
new file mode 100644
index 0000000000..4b1664c591
Binary files /dev/null and b/src/Umbraco.Web.UI.Client/.github/images/contributing/refresh-status.png differ
diff --git a/src/Umbraco.Web.UI.Client/.github/images/contributing/status-of-cache.png b/src/Umbraco.Web.UI.Client/.github/images/contributing/status-of-cache.png
new file mode 100644
index 0000000000..5815dfe933
Binary files /dev/null and b/src/Umbraco.Web.UI.Client/.github/images/contributing/status-of-cache.png differ
diff --git a/src/Umbraco.Web.UI.Client/.github/localization_overview.md b/src/Umbraco.Web.UI.Client/.github/localization_overview.md
new file mode 100644
index 0000000000..f69d559fcd
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/localization_overview.md
@@ -0,0 +1,240 @@
+
+# Help us with Localization!
+
+Localization of the New Backoffice is in full swing!
+This is a work in process and here you can find the overview of all the sections that needs to be localized. We are also looking forward to see any contributions towards localization of the new Backoffice.
+
+
+You may tick a section/subsection in the same PR as your changes, if it completes said section.
+
+
+Before you start:
+- Make sure you have read the [README](https://github.com/umbraco/Umbraco.CMS.Backoffice/blob/main/.github/README.md) and [Contributing Guidelines](https://github.com/umbraco/Umbraco.CMS.Backoffice/blob/main/.github/CONTRIBUTING.md).
+- Please note some sections may already be partly or fully localized without it being reflected in the overview just yet.
+- Get an understanding of how we do localization in the new Backoffice. The explanations can be found in the stories under **Localization** by running `npm run storybook`. Alternatively see the raw story file [localization.mdx](https://github.com/umbraco/Umbraco.CMS.Backoffice/blob/main/src/packages/core/localization/stories/localization.mdx)
+
+
+
+# Overview
+ - [Sections that needs to be localized](#sections)
+ - [Keys that needs to be localized](#keys)
+
+## Sections
+
+- [ ] [Header App](#header-app)
+- [ ] [Content](#content)
+- [ ] [Media](#media)
+- [ ] [Settings](#settings)
+- [ ] [Members](#members)
+- [ ] [Packages](#packages)
+- [ ] [Dictionary](#dictionary)
+- [ ] [Users](#users)
+- [ ] [Property Editors](#property-editor-ui-and-their-input)
+- [ ] [Modals](#modals)
+- [ ] [Misc](#misc)
+
+
+### Subsections
+
+#### Header App
+- [ ] Ensure all sections are localized
+- [ ] Search
+- [ ] Current user (Modal)
+ - [ ] Change password
+
+#### Content
+- [ ] Dashboards
+ - [ ] Welcome
+ - [ ] Redirect Management
+- [ ] Content / Document
+ - [ ] Section: Content
+ - [ ] Section: Info
+ - [ ] Section: Actions
+
+#### Media
+- [ ] (To be continued)
+
+#### Settings
+- [ ] Dashboards
+ - [x] Welcome / Settings
+ - [ ] Examine Management
+ - [ ] Models Builder
+ - [ ] Published Status
+ - [ ] Health Check
+ - [x] Profiling
+ - [x] Telemetry Data
+- [ ] Document Type
+ - [ ] Section: Design
+ - [ ] Section: Structure
+ - [ ] Section: Settings
+ - [ ] Section: Templates
+- [ ] Media Type
+- [ ] Member Type
+- [ ] Data Type
+ - [ ] Section: Details
+ - [ ] Section: Info
+- [ ] Relation Types
+- [ ] Log Viewer
+- [x] Document Blueprints
+- [ ] Languages
+- [ ] Extensions
+- [ ] Templates
+- [ ] Partial Views
+- [ ] Stylesheets
+ - [ ] Section: Rich Text Editor
+ - [ ] Section: Code
+- [ ] Scripts
+
+#### Members
+- [ ] Member Groups
+- [ ] Members
+
+#### Packages
+- [ ] Section: Installed
+- [ ] Section: Created
+ - [ ] Package builder: "Create Package"
+
+#### Dictionary
+- [ ] Everything within Dictionary
+
+#### Users
+- [ ] Users
+- [ ] User Groups
+- [ ] Create user
+- [ ] User Profiles
+
+#### Property Editor UI (and their inputs)
+Ensure all property editors are properly localized.
+(Some may be missing in this list / more to be added)
+- [ ] Block Grid
+- [ ] Block List
+- [x] Checkbox List
+- [ ] Collection View
+- [ ] Color Picker
+- [ ] Date Picker
+- [x] Dropdown
+- [ ] Eye Dropper
+- [x] Icon Picker
+- [ ] Image Cropper
+- [ ] Image Crops Configuration
+- [x] Label
+- [ ] Markdown Editor
+- [ ] Media Picker
+- [ ] Member Group Picker
+- [ ] Member Picker
+- [ ] Multi URL Picker
+- [ ] Multiple Text String
+- [ ] Number (missing label)
+- [ ] Number Range
+- [ ] Order Direction
+- [x] Radio Button List
+- [ ] Slider (label)
+- [ ] TextBox (label)
+- [ ] TextArea
+- [ ] TinyMCE
+- [ ] Toggle
+- [ ] Tree Picker
+ - [ ] StartNode
+ - [x] DynamicRoot
+- [ ] Upload Field
+- [ ] User Picker
+- [ ] Value Type
+
+#### Modals
+Ensure all modals are properly localized.
+(Some may be missing in this list / more to be added)
+- [ ] Code Editor
+- [ ] Confirm
+- [ ] Embedded Media
+- [ ] Folder
+- [ ] Icon Picker
+- [ ] Link Picker
+- [ ] Property Settings
+- [ ] Section Picker
+- [ ] Template
+- [ ] Tree Picker
+- [ ] Debug
+
+Rest of modals can be found:
+- [ ] Umb***ModalName***ModalElement
+
+
+#### Misc
+
+- [ ] Tree
+ - [ ] Tree Actions
+ - [ ] Recycle Bin
+- [ ] Validator messages
+
+
+## Keys
+
+Do you speak any of the following languages?
+Then we need your help! With Bellissima we added new localization keys, and we still need them available in all our supported languages.
+
+- `bs-BS` - Bosnian (Bosnia and Herzegovina)
+- `cs-CZ` - Czech (Czech Republic)
+- `cy-GB` - Welsh (United Kingdom)
+- `da-DK` - Danish (Denmark)
+- `de-DE` - German (Germany)
+- `en-GB` - English (United Kingdom)
+- `es-ES` - Spanish (Spain)
+- `fr-FR` - French (France)
+- `he-IL` - Hebrew (Israel)
+- `hr-HR` - Croatian (Croatia)
+- `it-IT` - Italian (Italy)
+- `ja-JP` - Japanese (Japan)
+- `ko-KR` - Korean (Korea)
+- `nb-NO` - Norwegian Bokmål (Norway)
+- `nl-NL` - Dutch (Netherlands)
+- `pl-PL` - Polish (Poland)
+- `pt-BR` - Portuguese (Brazil)
+- `ro-RO` - Romanian (Romania)
+- `ru-RU` - Russian (Russia)
+- `sv-SE` - Swedish (Sweden)
+- `tr-TR` - Turkish (Turkey)
+- `ua-UA` - Ukrainian (Ukraine)
+- `zh-CN` - Chinese (China)
+- `zh-TW` - Chinese (Taiwan)
+
+#### settingsDashboard
+- documentationHeader
+- documentationDescription
+- communityHeader
+- communityDescription
+- trainingHeader
+- trainingDescription
+- supportHeader
+- supportDescription
+- videosHeader
+- videosDescription
+- getHelp
+- getCertified
+- goForum
+- chatWithCommunity
+- watchVideos
+
+- [ ] `bs-BS` - Bosnian (Bosnia and Herzegovina)
+- [ ] `cs-CZ` - Czech (Czech Republic)
+- [ ] `cy-GB` - Welsh (United Kingdom)
+- [x] `da-DK` - Danish (Denmark)
+- [ ] `de-DE` - German (Germany)
+- [ ] `en-GB` - English (United Kingdom)
+- [ ] `es-ES` - Spanish (Spain)
+- [ ] `fr-FR` - French (France)
+- [ ] `he-IL` - Hebrew (Israel)
+- [ ] `hr-HR` - Croatian (Croatia)
+- [ ] `it-IT` - Italian (Italy)
+- [ ] `ja-JP` - Japanese (Japan)
+- [ ] `ko-KR` - Korean (Korea)
+- [ ] `nb-NO` - Norwegian Bokmål (Norway)
+- [ ] `nl-NL` - Dutch (Netherlands)
+- [ ] `pl-PL` - Polish (Poland)
+- [ ] `pt-BR` - Portuguese (Brazil)
+- [ ] `ro-RO` - Romanian (Romania)
+- [ ] `ru-RU` - Russian (Russia)
+- [ ] `sv-SE` - Swedish (Sweden)
+- [ ] `tr-TR` - Turkish (Turkey)
+- [ ] `ua-UA` - Ukrainian (Ukraine)
+- [ ] `zh-CN` - Chinese (China)
+- [ ] `zh-TW` - Chinese (Taiwan)
diff --git a/src/Umbraco.Web.UI.Client/.github/pull_request_template b/src/Umbraco.Web.UI.Client/.github/pull_request_template
new file mode 100644
index 0000000000..01c2c0fe8a
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/pull_request_template
@@ -0,0 +1,30 @@
+
+
+## Description
+
+
+
+## Types of changes
+
+
+
+- [ ] Bug fix (non-breaking change which fixes an issue)
+- [ ] New feature (non-breaking change which adds functionality)
+- [ ] Breaking change (fix or feature that would cause existing functionality to change)
+- [ ] Chore (minor updates related to the tooling or maintenance of the repository, does not impact compiled assets)
+
+## Motivation and context
+
+
+
+## How to test?
+
+## Screenshots (if appropriate)
+
+## Checklist
+
+
+
+- [ ] If my change requires a change to the documentation, I have updated the documentation in this pull request.
+- [ ] I have read the **[CONTRIBUTING](<(https://github.com/umbraco/Umbraco.CMS.Backoffice/blob/main/.github/CONTRIBUTING.md)>)** document.
+- [ ] I have added tests to cover my changes.
diff --git a/src/Umbraco.Web.UI.Client/.github/release.yml b/src/Umbraco.Web.UI.Client/.github/release.yml
new file mode 100644
index 0000000000..8cbd50695c
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/release.yml
@@ -0,0 +1,40 @@
+# .github/release.yml
+
+changelog:
+ exclude:
+ labels:
+ - ignore-for-release
+ - duplicate
+ - wontfix
+ categories:
+ - title: 🙌 Notable Changes
+ labels:
+ - category/notable
+ - title: 💥 Breaking Changes
+ labels:
+ - category/breaking
+ - title: 🚀 New Features
+ labels:
+ - type/feature
+ - category/feature
+ - type/enhancement
+ - category/enhancement
+ - title: 🐛 Bug Fixes
+ labels:
+ - type/bug
+ - category/bug
+ - title: 📄 Documentation
+ labels:
+ - documentation
+ - title: 🏠 Internal
+ labels:
+ - internal
+ - title: 📦 Dependencies
+ labels:
+ - dependencies
+ - title: 🌈 A11Y
+ labels:
+ - accessibility
+ - title: Other Changes
+ labels:
+ - '*'
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/azure-static-web-apps-ambitious-stone-0033b3603.yml b/src/Umbraco.Web.UI.Client/.github/workflows/azure-static-web-apps-ambitious-stone-0033b3603.yml
new file mode 100644
index 0000000000..e618f4da80
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/azure-static-web-apps-ambitious-stone-0033b3603.yml
@@ -0,0 +1,82 @@
+name: Storybook CI/CD
+
+on:
+ push:
+ branches:
+ - main
+ - release/*
+ - v*/dev
+ pull_request:
+ types: [opened, synchronize, reopened, closed]
+ branches:
+ - main
+ - release/*
+ - v*/dev
+ workflow_dispatch:
+ inputs:
+ issue_number:
+ type: number
+ description: 'Issue/PR Number to comment on'
+ required: false
+
+env:
+ NODE_OPTIONS: --max_old_space_size=16384
+
+jobs:
+ build_and_deploy_job:
+ if: github.event_name != 'pull_request' || (github.event_name == 'pull_request' && github.event.action != 'closed' && contains(github.event.pull_request.labels.*.name, 'storybook'))
+ runs-on: ubuntu-latest
+ name: Build and Deploy Job
+ steps:
+ - uses: actions/checkout@v4
+ with:
+ submodules: true
+ - name: Build And Deploy
+ id: builddeploy
+ uses: Azure/static-web-apps-deploy@v1
+ with:
+ azure_static_web_apps_api_token: ${{ secrets.AZURE_STATIC_WEB_APPS_API_TOKEN_AMBITIOUS_STONE_0033B3603 }}
+ repo_token: ${{ secrets.GITHUB_TOKEN }} # Used for Github integrations (i.e. PR comments)
+ action: 'upload'
+ ###### Repository/Build Configurations - These values can be configured to match your app requirements. ######
+ # For more information regarding Static Web App workflow configurations, please visit: https://aka.ms/swaworkflowconfig
+ app_location: '/' # App source code path
+ app_build_command: 'npm run build-storybook'
+ api_location: '' # Api source code path - optional
+ output_location: '/storybook-static' # Built app content directory - optional
+ ###### End of Repository/Build Configurations ######
+ - name: Comment on PR
+ # azure/static-web-apps-deploy doesn't support workflow_dispatch, so we need to manually comment on the PR
+ if: github.event_name == 'workflow_dispatch' && inputs.issue_number != null
+ uses: actions/github-script@v7
+ env:
+ ISSUE_NUMBER: ${{ inputs.issue_number }}
+ SITE_URL: ${{ steps.builddeploy.outputs.static_web_app_url }}
+ with:
+ github-token: ${{ secrets.GITHUB_TOKEN }}
+ script: |
+ github.rest.issues.addLabels({
+ issue_number: process.env.ISSUE_NUMBER,
+ owner: context.repo.owner,
+ repo: context.repo.repo,
+ labels: ['storybook']
+ })
+ github.rest.issues.createComment({
+ issue_number: process.env.ISSUE_NUMBER,
+ owner: context.repo.owner,
+ repo: context.repo.repo,
+ body: `Storybook is available at: ${process.env.SITE_URL}`
+ })
+
+ close_pull_request_job:
+ if: github.event_name == 'pull_request' && github.event.action == 'closed' && contains(github.event.pull_request.labels.*.name, 'storybook')
+ runs-on: ubuntu-latest
+ name: Close Pull Request Job
+ steps:
+ - name: Close Pull Request
+ id: closepullrequest
+ uses: Azure/static-web-apps-deploy@v1
+ with:
+ app_location: '/'
+ azure_static_web_apps_api_token: ${{ secrets.AZURE_STATIC_WEB_APPS_API_TOKEN_AMBITIOUS_STONE_0033B3603 }}
+ action: 'close'
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/build_test.yml b/src/Umbraco.Web.UI.Client/.github/workflows/build_test.yml
new file mode 100644
index 0000000000..8e70477ef8
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/build_test.yml
@@ -0,0 +1,63 @@
+# This workflow will do a clean installation of node dependencies, cache/restore them, build the source code and run tests across different versions of node
+# For more information see: https://help.github.com/actions/language-and-framework-guides/using-nodejs-with-github-actions
+
+name: Build and test
+
+on:
+ push:
+ branches:
+ - main
+ - release/*
+ - v*/dev
+ pull_request:
+ branches:
+ - main
+ - release/*
+ - v*/dev
+
+ # Allows GitHub to use this workflow to validate the merge queue
+ merge_group:
+
+ # Allows you to run this workflow manually from the Actions tab
+ workflow_dispatch:
+
+env:
+ NODE_OPTIONS: --max_old_space_size=16384
+
+jobs:
+ build:
+ runs-on: ubuntu-latest
+ steps:
+ - uses: actions/checkout@v4
+ - name: Use Node.js
+ uses: actions/setup-node@v4
+ with:
+ node-version-file: .nvmrc
+ cache: npm
+ cache-dependency-path: ./package-lock.json
+ - run: npm ci --no-audit --no-fund --prefer-offline
+ - run: npm run lint:errors
+ - run: npm run build:for:cms
+ - run: npm run check:paths
+ - run: npm run generate:jsonschema:dist
+
+ test:
+ runs-on: ubuntu-latest
+ steps:
+ - uses: actions/checkout@v4
+ - name: Use Node.js
+ uses: actions/setup-node@v4
+ with:
+ node-version-file: .nvmrc
+ cache: npm
+ cache-dependency-path: ./package-lock.json
+ - run: npm ci --no-audit --no-fund --prefer-offline
+ - run: npx playwright install --with-deps
+ - run: npm test
+ - name: Upload Code Coverage reports
+ uses: actions/upload-artifact@v4
+ if: always()
+ with:
+ name: code-coverage
+ path: coverage/
+ retention-days: 30
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/codeql.yml b/src/Umbraco.Web.UI.Client/.github/workflows/codeql.yml
new file mode 100644
index 0000000000..f3f3a37812
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/codeql.yml
@@ -0,0 +1,61 @@
+# For most projects, this workflow file will not need changing; you simply need
+# to commit it to your repository.
+#
+# You may wish to alter this file to override the set of languages analyzed,
+# or to provide custom queries or build logic.
+#
+# ******** NOTE ********
+# We have attempted to detect the languages in your repository. Please check
+# the `language` matrix defined below to confirm you have the correct set of
+# supported CodeQL languages.
+#
+name: 'CodeQL'
+
+on:
+ push:
+ branches:
+ - main
+ - release/*
+ - v*/dev
+ pull_request:
+ branches:
+ - main
+ - release/*
+ - v*/dev
+ schedule:
+ - cron: '33 2 * * 1'
+
+jobs:
+ analyze:
+ name: Analyze
+ runs-on: ubuntu-latest
+ permissions:
+ actions: read
+ contents: read
+ security-events: write
+
+ strategy:
+ fail-fast: false
+ matrix:
+ language: ['javascript']
+ # CodeQL supports [ 'cpp', 'csharp', 'go', 'java', 'javascript', 'python', 'ruby' ]
+ # Learn more about CodeQL language support at https://aka.ms/codeql-docs/language-support
+
+ steps:
+ - name: Checkout repository
+ uses: actions/checkout@v4
+
+ # Initializes the CodeQL tools for scanning.
+ - name: Initialize CodeQL
+ 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.
+ # By default, queries listed here will override any specified in a config file.
+ # Prefix the list here with "+" to use these queries and those in the config file.
+
+ # Details on CodeQL's query packs refer to : https://docs.github.com/en/code-security/code-scanning/automatically-scanning-your-code-for-vulnerabilities-and-errors/configuring-code-scanning#using-queries-in-ql-packs
+ # queries: security-extended,security-and-quality
+
+ - name: Perform CodeQL Analysis
+ uses: github/codeql-action/analyze@v3
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/dependency-review.yml b/src/Umbraco.Web.UI.Client/.github/workflows/dependency-review.yml
new file mode 100644
index 0000000000..0d4a01360d
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/dependency-review.yml
@@ -0,0 +1,20 @@
+# Dependency Review Action
+#
+# This Action will scan dependency manifest files that change as part of a Pull Request, surfacing known-vulnerable versions of the packages declared or updated in the PR. Once installed, if the workflow run is marked as required, PRs introducing known-vulnerable packages will be blocked from merging.
+#
+# Source repository: https://github.com/actions/dependency-review-action
+# Public documentation: https://docs.github.com/en/code-security/supply-chain-security/understanding-your-software-supply-chain/about-dependency-review#dependency-review-enforcement
+name: 'Dependency Review'
+on: [pull_request]
+
+permissions:
+ contents: read
+
+jobs:
+ dependency-review:
+ runs-on: ubuntu-latest
+ steps:
+ - name: 'Checkout Repository'
+ uses: actions/checkout@v4
+ - name: 'Dependency Review'
+ uses: actions/dependency-review-action@v4
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/disabled/npm-publish-github-packages.yml b/src/Umbraco.Web.UI.Client/.github/workflows/disabled/npm-publish-github-packages.yml
new file mode 100644
index 0000000000..f3aa140feb
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/disabled/npm-publish-github-packages.yml
@@ -0,0 +1,82 @@
+# This workflow will publish the @umbraco-cms/backoffice package to npmjs.com
+# For more information see: https://docs.github.com/en/actions/publishing-packages/publishing-nodejs-packages
+# The @umbraco-cms scope is owned by Umbraco HQ
+
+name: Node.js Package
+
+on:
+ push:
+ branches: [main]
+ paths:
+ - 'src/**'
+ - 'devops/publish/**'
+ - 'package.json'
+ - 'package-lock.json'
+ - 'tsconfig.json'
+ - 'staticwebapp.config.json'
+ - 'README.md'
+ workflow_dispatch:
+ inputs:
+ ref:
+ description: Branch or tag or SHA to publish
+ required: false
+ version:
+ description: 'Version to publish'
+ required: false
+ tag:
+ description: 'Tag to publish'
+ required: false
+ type: choice
+ options:
+ - 'next'
+ - 'latest'
+
+env:
+ NODE_OPTIONS: --max-old-space-size=16384
+
+jobs:
+ build_publish:
+ name: Build and publish
+ runs-on: ubuntu-latest
+ concurrency:
+ group: npm-publish
+ cancel-in-progress: true
+ steps:
+ - uses: actions/checkout@v4
+ with:
+ ref: ${{ inputs.ref }}
+ - uses: actions/setup-node@v4
+ with:
+ node-version: 20
+ cache: 'npm'
+ registry-url: https://registry.npmjs.org/
+ scope: '@umbraco-cms'
+ - run: npm ci
+ - run: npm run build
+ - name: Calculate version
+ run: |
+ if [ -z "${{inputs.version}}" ]; then
+ echo "No version input, calculating version from package.json"
+ SHA_SHORT=$(echo $GITHUB_SHA | cut -c1-8)
+ VERSION=$(node -p "require('./package.json').version")-$SHA_SHORT
+ echo "Version: $VERSION"
+ echo "BACKOFFICE_VERSION=$VERSION" >> "$GITHUB_ENV"
+ else
+ echo "Version input found, using ${{inputs.version}}"
+ echo "BACKOFFICE_VERSION=${{inputs.version}}" >> "$GITHUB_ENV"
+ fi
+ - name: Publish
+ run: |
+ npm whoami
+ npm version $BACKOFFICE_VERSION --allow-same-version --no-git-tag-version
+ npm publish --tag $BACKOFFICE_NPM_TAG --access public
+ echo "### Published new version of @umbraco-cms/backoffice to npm! :rocket:" >> $GITHUB_STEP_SUMMARY
+ echo "" >> $GITHUB_STEP_SUMMARY
+ echo "- Version: $BACKOFFICE_VERSION" >> $GITHUB_STEP_SUMMARY
+ echo "- Tag: $BACKOFFICE_NPM_TAG" >> $GITHUB_STEP_SUMMARY
+ echo "- Commit: $GITHUB_SHA" >> $GITHUB_STEP_SUMMARY
+ echo "- Commit message: $GITHUB_SHA_MESSAGE" >> $GITHUB_STEP_SUMMARY
+ echo "- Commit date: $GITHUB_SHA_DATE" >> $GITHUB_STEP_SUMMARY
+ env:
+ NODE_AUTH_TOKEN: ${{secrets.NPM_TOKEN}}
+ BACKOFFICE_NPM_TAG: ${{ inputs.tag || 'next' }}
diff --git a/src/Umbraco.Web.UI.Client/.github/workflows/pr-first-response.yml b/src/Umbraco.Web.UI.Client/.github/workflows/pr-first-response.yml
new file mode 100644
index 0000000000..2b11c2d2d7
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.github/workflows/pr-first-response.yml
@@ -0,0 +1,48 @@
+name: pr-first-response
+
+on:
+ pull_request_target:
+ types: [opened]
+
+jobs:
+ send-response:
+ runs-on: ubuntu-latest
+ permissions:
+ issues: write
+ pull-requests: write
+ steps:
+ - name: Fetch random comment 🗣️ and add it to the PR
+ uses: actions/github-script@v7
+ with:
+ script: |
+ const response = await fetch('https://collaboratorsv2.euwest01.umbraco.io/umbraco/api/comments/PostComment', {
+ method: 'post',
+ body: JSON.stringify({
+ repo: '${{ github.repository }}',
+ number: '${{ github.event.number }}',
+ actor: '${{ github.actor }}',
+ commentType: 'opened-pr-first-comment'
+ }),
+ headers: {
+ 'Authorization': 'Bearer ${{ secrets.OUR_BOT_API_TOKEN }}',
+ 'Content-Type': 'application/json'
+ }
+ });
+
+ try {
+ const data = await response.text();
+
+ if(response.status === 200 && data !== '') {
+ github.rest.issues.createComment({
+ issue_number: context.issue.number,
+ owner: context.repo.owner,
+ repo: context.repo.repo,
+ body: data
+ });
+ } else {
+ console.log("Status code did not indicate success:", response.status);
+ console.log("Returned data:", data);
+ }
+ } catch(error) {
+ console.log(error);
+ }
diff --git a/src/Umbraco.Web.UI.Client/.gitignore b/src/Umbraco.Web.UI.Client/.gitignore
new file mode 100644
index 0000000000..e9a0cf944d
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.gitignore
@@ -0,0 +1,56 @@
+# Logs
+logs
+*.log
+npm-debug.log*
+yarn-debug.log*
+yarn-error.log*
+pnpm-debug.log*
+lerna-debug.log*
+
+node_modules
+dist
+dist-cms
+dist-ssr
+/types
+*.tsbuildinfo
+*.local
+*.tgz
+
+## testing
+coverage/
+
+# Editor directories and files
+.vscode/*
+!.vscode/extensions.json
+!.vscode/*.code-snippets
+!.vscode/settings.json
+.idea
+.DS_Store
+*.suo
+*.ntvs*
+*.njsproj
+*.sln
+*.sw?
+
+# eslint
+.eslintcache
+test-results/
+playwright-report/
+playwright/.cache/
+
+# storybook
+storybook-static/
+
+# API Docs
+ui-api/
+
+custom-elements.json
+
+# JSON for HTML Custom Data
+# https://github.com/runem/web-component-analyzer#vscode
+# https://github.com/microsoft/vscode-custom-data
+vscode-html-custom-data.json
+public/tinymce/*
+
+# Vite runtime files
+vite.config.ts.timestamp-*.mjs
diff --git a/src/Umbraco.Web.UI.Client/.madgerc b/src/Umbraco.Web.UI.Client/.madgerc
new file mode 100644
index 0000000000..6cc1b8dacd
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.madgerc
@@ -0,0 +1,9 @@
+{
+ "tsConfig": "tsconfig.json",
+ "detectiveOptions": {
+ "ts": {
+ "skipTypeImports": true,
+ "skipAsyncImports": true
+ }
+ }
+}
diff --git a/src/Umbraco.Web.UI.Client/.npmrc b/src/Umbraco.Web.UI.Client/.npmrc
new file mode 100644
index 0000000000..521a9f7c07
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.npmrc
@@ -0,0 +1 @@
+legacy-peer-deps=true
diff --git a/src/Umbraco.Web.UI.Client/.nvmrc b/src/Umbraco.Web.UI.Client/.nvmrc
new file mode 100644
index 0000000000..209e3ef4b6
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.nvmrc
@@ -0,0 +1 @@
+20
diff --git a/src/Umbraco.Web.UI.Client/.prettierignore b/src/Umbraco.Web.UI.Client/.prettierignore
new file mode 100644
index 0000000000..cf2b798447
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.prettierignore
@@ -0,0 +1,4 @@
+# Ignore auto-generated backend-api files
+src/external/backend-api/src
+src/packages/core/icon-registry/icons.ts
+src/packages/core/icon-registry/icons
diff --git a/src/Umbraco.Web.UI.Client/.prettierrc.json b/src/Umbraco.Web.UI.Client/.prettierrc.json
new file mode 100644
index 0000000000..6080de481e
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.prettierrc.json
@@ -0,0 +1,8 @@
+{
+ "printWidth": 120,
+ "singleQuote": true,
+ "semi": true,
+ "bracketSpacing": true,
+ "bracketSameLine": true,
+ "useTabs": true
+}
diff --git a/src/Umbraco.Web.UI.Client/.sonarlint/connectedMode.json b/src/Umbraco.Web.UI.Client/.sonarlint/connectedMode.json
new file mode 100644
index 0000000000..e9cefa00a5
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.sonarlint/connectedMode.json
@@ -0,0 +1,4 @@
+{
+ "sonarCloudOrganization": "umbraco",
+ "projectKey": "umbraco_Umbraco.CMS.Backoffice"
+}
\ No newline at end of file
diff --git a/src/Umbraco.Web.UI.Client/.storybook/main.ts b/src/Umbraco.Web.UI.Client/.storybook/main.ts
new file mode 100644
index 0000000000..ca280343ba
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/main.ts
@@ -0,0 +1,57 @@
+import { dirname, join } from 'path';
+import { StorybookConfig } from '@storybook/web-components-vite';
+import remarkGfm from 'remark-gfm';
+
+const config: StorybookConfig = {
+ stories: ['../@(src|libs|apps|storybook)/**/*.mdx', '../@(src|libs|apps|storybook)/**/*.stories.@(js|jsx|ts|tsx)'],
+ addons: [
+ getAbsolutePath('@storybook/addon-links'),
+ getAbsolutePath('@storybook/addon-essentials'),
+ getAbsolutePath('@storybook/addon-a11y'),
+ {
+ name: '@storybook/addon-docs',
+ options: {
+ mdxPluginOptions: {
+ mdxCompileOptions: {
+ remarkPlugins: [remarkGfm],
+ },
+ },
+ },
+ },
+ ],
+ framework: {
+ name: getAbsolutePath('@storybook/web-components-vite'),
+ options: {},
+ },
+ staticDirs: [
+ '../public-assets',
+ '../public',
+ '../src/assets',
+ {
+ from: '../src/packages/core/icon-registry/icons',
+ to: 'assets/icons',
+ },
+ ],
+ typescript: {
+ check: true,
+ },
+ docs: {},
+ managerHead(head, { configType }) {
+ const base = process.env.VITE_BASE_PATH || '/';
+ const injections = [
+ ``, // This decide how storybook's main frame visit stories
+ ];
+ return configType === 'PRODUCTION' ? `${injections.join('')}${head}` : head;
+ },
+ refs: {
+ uui: {
+ title: 'Umbraco UI Library',
+ url: 'https://62189360eeb21b003ab2f4ad-vfnpsanjps.chromatic.com/',
+ },
+ },
+};
+export default config;
+
+function getAbsolutePath(value: string): any {
+ return dirname(require.resolve(join(value, 'package.json')));
+}
diff --git a/src/Umbraco.Web.UI.Client/.storybook/manager.ts b/src/Umbraco.Web.UI.Client/.storybook/manager.ts
new file mode 100644
index 0000000000..74d2e3170f
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/manager.ts
@@ -0,0 +1,5 @@
+import { addons } from '@storybook/manager-api';
+
+addons.setConfig({
+ enableShortcuts: false,
+});
diff --git a/src/Umbraco.Web.UI.Client/.storybook/package.json b/src/Umbraco.Web.UI.Client/.storybook/package.json
new file mode 100644
index 0000000000..a0df0c8677
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/package.json
@@ -0,0 +1,3 @@
+{
+ "type": "commonjs"
+}
diff --git a/src/Umbraco.Web.UI.Client/.storybook/preview-body.html b/src/Umbraco.Web.UI.Client/.storybook/preview-body.html
new file mode 100644
index 0000000000..9c5b8fea63
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/preview-body.html
@@ -0,0 +1,4 @@
+
diff --git a/src/Umbraco.Web.UI.Client/.storybook/preview-head.html b/src/Umbraco.Web.UI.Client/.storybook/preview-head.html
new file mode 100644
index 0000000000..8a6c9e645c
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/preview-head.html
@@ -0,0 +1,43 @@
+
+
+
+
diff --git a/src/Umbraco.Web.UI.Client/.storybook/preview.js b/src/Umbraco.Web.UI.Client/.storybook/preview.js
new file mode 100644
index 0000000000..262cfe4e44
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.storybook/preview.js
@@ -0,0 +1,148 @@
+import '@umbraco-ui/uui-css/dist/uui-css.css';
+import '../src/css/umb-css.css';
+
+import 'element-internals-polyfill';
+import '@umbraco-ui/uui';
+
+import { html } from 'lit';
+import { setCustomElements } from '@storybook/web-components';
+
+import { startMockServiceWorker } from '../src/mocks';
+
+import '../src/libs/controller-api/controller-host-provider.element';
+import { UmbModalManagerContext } from '../src/packages/core/modal';
+import { UmbDataTypeTreeStore } from '../src/packages/data-type/tree/data-type-tree.store';
+import { UmbDocumentDetailStore } from '../src/packages/documents/documents/repository/detail/document-detail.store';
+import { UmbDocumentTreeStore } from '../src/packages/documents/documents/tree/document-tree.store';
+import { UmbCurrentUserStore } from '../src/packages/user/current-user/repository/current-user.store';
+import { umbExtensionsRegistry } from '../src/packages/core/extension-registry';
+import { UmbIconRegistry } from '../src/packages/core/icon-registry/icon.registry';
+import { UmbLitElement } from '../src/packages/core/lit-element';
+import { umbLocalizationRegistry } from '../src/packages/core/localization';
+import customElementManifests from '../dist-cms/custom-elements.json';
+import icons from '../src/packages/core/icon-registry/icons';
+
+import '../src/libs/context-api/provide/context-provider.element';
+import '../src/packages/core/components';
+
+import { manifests as documentManifests } from '../src/packages/documents/manifests';
+import { manifests as localizationManifests } from '../src/packages/core/localization/manifests';
+import { UmbNotificationContext } from '../src/packages/core/notification';
+
+// MSW
+startMockServiceWorker({ serviceWorker: { url: (import.meta.env.VITE_BASE_PATH ?? '/') + 'mockServiceWorker.js' } });
+
+class UmbStoryBookElement extends UmbLitElement {
+ _umbIconRegistry = new UmbIconRegistry();
+
+ constructor() {
+ super();
+ this._umbIconRegistry.setIcons(icons);
+ this._umbIconRegistry.attach(this);
+ this._registerExtensions(documentManifests);
+ new UmbModalManagerContext(this);
+ new UmbCurrentUserStore(this);
+ new UmbNotificationContext(this);
+
+ this._registerExtensions(localizationManifests);
+ umbLocalizationRegistry.loadLanguage('en-us'); // register default language
+ }
+
+ _registerExtensions(manifests) {
+ manifests.forEach((manifest) => {
+ if (umbExtensionsRegistry.isRegistered(manifest.alias)) return;
+ umbExtensionsRegistry.register(manifest);
+ });
+ }
+
+ render() {
+ return html`
+
+ `;
+ }
+}
+
+customElements.define('umb-storybook', UmbStoryBookElement);
+
+const storybookProvider = (story) => html` ${story()} `;
+
+const dataTypeStoreProvider = (story) => html`
+ new UmbDataTypeTreeStore(host)}
+ >${story()}
+`;
+
+const documentStoreProvider = (story) => html`
+ new UmbDocumentDetailStore(host)}
+ >${story()}
+`;
+
+const documentTreeStoreProvider = (story) => html`
+ new UmbDocumentTreeStore(host)}
+ >${story()}
+`;
+
+// Provide the MSW addon decorator globally
+export const decorators = [documentStoreProvider, documentTreeStoreProvider, dataTypeStoreProvider, storybookProvider];
+
+export const parameters = {
+ docs: {
+ source: {
+ excludeDecorators: true,
+ format: 'html', // see storybook docs for more info on this format https://storybook.js.org/docs/api/doc-blocks/doc-block-source#format
+ },
+ },
+ options: {
+ storySort: {
+ method: 'alphabetical',
+ includeNames: true,
+ order: [
+ 'Guides',
+ [
+ 'Getting started',
+ 'Extending the Backoffice',
+ [
+ 'Intro',
+ 'Registration',
+ 'Header Apps',
+ 'Sections',
+ ['Intro', 'Sidebar', 'Views', '*'],
+ 'Entity Actions',
+ 'Workspaces',
+ ['Intro', 'Views', 'Actions', '*'],
+ 'Property Editors',
+ 'Repositories',
+ '*',
+ ],
+ '*',
+ ],
+ '*',
+ ],
+ },
+ },
+ controls: {
+ expanded: true,
+ matchers: {
+ color: /(background|color)$/i,
+ date: /Date$/,
+ },
+ },
+ backgrounds: {
+ default: 'Greyish',
+ values: [
+ {
+ name: 'Greyish',
+ value: '#F3F3F5',
+ },
+ {
+ name: 'White',
+ value: '#ffffff',
+ },
+ ],
+ },
+};
+
+setCustomElements(customElementManifests);
+export const tags = ['autodocs'];
diff --git a/src/Umbraco.Web.UI.Client/.vscode/extensions.json b/src/Umbraco.Web.UI.Client/.vscode/extensions.json
new file mode 100644
index 0000000000..86a36f9dde
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.vscode/extensions.json
@@ -0,0 +1,14 @@
+{
+ "recommendations": [
+ "gruntfuggly.todo-tree",
+ "formulahendry.auto-rename-tag",
+ "mikestead.dotenv",
+ "dbaeumer.vscode-eslint",
+ "runem.lit-plugin",
+ "esbenp.prettier-vscode",
+ "hbenl.vscode-test-explorer",
+ "vunguyentuan.vscode-css-variables",
+ "unifiedjs.vscode-mdx",
+ "editorconfig.editorconfig"
+ ]
+}
diff --git a/src/Umbraco.Web.UI.Client/.vscode/lit.code-snippets b/src/Umbraco.Web.UI.Client/.vscode/lit.code-snippets
new file mode 100644
index 0000000000..4920d8011b
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.vscode/lit.code-snippets
@@ -0,0 +1,30 @@
+{
+ "UmbNewLitElement": {
+ "prefix": "new umb element",
+ "scope": "typescript",
+ "body": [
+ "import { css, customElement, html } from '@umbraco-cms/backoffice/external/lit';",
+ "import { UmbLitElement } from '@umbraco-cms/backoffice/lit-element';",
+ "import { UmbTextStyles } from '@umbraco-cms/backoffice/style';",
+ "",
+ "@customElement('umb-${TM_FILENAME_BASE/(.*)\\..+$/$1/}')",
+ "export class Umb${TM_FILENAME_BASE/(.*)$/${1:/pascalcase}/}Element extends UmbLitElement {",
+ "\toverride render() {",
+ "\t\treturn html`$0`;",
+ "\t}",
+ "",
+ "\tstatic override readonly styles = [UmbTextStyles, css``];",
+ "}",
+ "",
+ "export { Umb${TM_FILENAME_BASE/(.*)$/${1:/pascalcase}/}Element as element };",
+ "",
+ "declare global {",
+ "\tinterface HTMLElementTagNameMap {",
+ "\t\t'umb-${TM_FILENAME_BASE/(.*)\\..+$/$1/}': Umb${TM_FILENAME_BASE/(.*)$/${1:/pascalcase}/}Element;",
+ "\t}",
+ "}",
+ "",
+ ],
+ "description": "Create a new Umbraco Lit element",
+ },
+}
diff --git a/src/Umbraco.Web.UI.Client/.vscode/settings.json b/src/Umbraco.Web.UI.Client/.vscode/settings.json
new file mode 100644
index 0000000000..2b3d645ee9
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/.vscode/settings.json
@@ -0,0 +1,40 @@
+{
+ "cssVariables.lookupFiles": ["node_modules/@umbraco-ui/uui-css/dist/custom-properties.css"],
+ "cSpell.words": [
+ "backoffice",
+ "Backoffice",
+ "combobox",
+ "ctrls",
+ "devs",
+ "Dropcursor",
+ "Elementable",
+ "Gapcursor",
+ "iframes",
+ "invariantable",
+ "lucide",
+ "Niels",
+ "pickable",
+ "popovertarget",
+ "Registrator",
+ "Routable",
+ "stylesheet",
+ "svgs",
+ "templating",
+ "tinymce",
+ "tiptap",
+ "umbraco",
+ "Uncategorized",
+ "uninitialize",
+ "unprovide",
+ "unpublishing",
+ "variantable"
+ ],
+ "exportall.config.folderListener": [],
+ "exportall.config.relExclusion": [],
+ "conventionalCommits.scopes": ["partial views"],
+ "typescript.tsdk": "node_modules/typescript/lib",
+ "sonarlint.connectedMode.project": {
+ "connectionId": "umbraco",
+ "projectKey": "umbraco_Umbraco.CMS.Backoffice"
+ }
+}
diff --git a/src/Umbraco.Web.UI.Client/LICENSE b/src/Umbraco.Web.UI.Client/LICENSE
new file mode 100644
index 0000000000..2819c99ca7
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/LICENSE
@@ -0,0 +1,44 @@
+MIT License
+
+Copyright (c) 2024 Umbraco HQ
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
+
+---
+
+Third-party licenses
+
+---
+
+Lucide License
+ISC License
+
+Copyright (c) for portions of Lucide are held by Cole Bemis 2013-2022 as part of Feather (MIT). All other copyright (c) for Lucide are held by Lucide Contributors 2022.
+
+Permission to use, copy, modify, and/or distribute this software for any purpose with or without fee is hereby granted, provided that the above copyright notice and this permission notice appear in all copies.
+
+THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
+
+---
+
+Simple Icons
+CC0 1.0 Universal license
+
+The person who associated a work with this deed has dedicated the work to the public domain by waiving all of his or her rights to the work worldwide under copyright law, including all related and neighboring rights, to the extent allowed by law.
+You can copy, modify, distribute and perform the work, even for commercial purposes, all without asking permission.
diff --git a/src/Umbraco.Web.UI.Client/README.md b/src/Umbraco.Web.UI.Client/README.md
new file mode 100644
index 0000000000..1404fba49c
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/README.md
@@ -0,0 +1,172 @@
+# @umbraco-cms/backoffice
+
+This package contains the types for the Umbraco Backoffice.
+
+## Installation
+
+```bash
+npm install -D @umbraco-cms/backoffice
+```
+
+## Usage
+
+### Vanilla JavaScript
+
+Create an umbraco-package.json file in the root of your package.
+
+```json
+{
+ "name": "My.Package",
+ "version": "0.1.0",
+ "extensions": [
+ {
+ "type": "dashboard",
+ "alias": "my.custom.dashboard",
+ "name": "My Dashboard",
+ "js": "/App_Plugins/MyPackage/dashboard.js",
+ "weight": -1,
+ "meta": {
+ "label": "My Dashboard",
+ "pathname": "my-dashboard"
+ },
+ "conditions": [
+ {
+ "alias": "Umb.Condition.SectionAlias",
+ "match": "Umb.Section.Content"
+ }
+ ]
+ }
+ ]
+}
+```
+
+Then create a dashboard.js file the same folder.
+
+```javascript
+import { UmbElementMixin } from '@umbraco-cms/backoffice/element-api';
+import { UMB_NOTIFICATION_CONTEXT } from '@umbraco-cms/backoffice/notification';
+
+const template = document.createElement('template');
+template.innerHTML = `
+
+
+
+
Welcome to my dashboard
+
Example of vanilla JS code
+
+
+
+`;
+
+export default class MyDashboardElement extends UmbElementMixin(HTMLElement) {
+ /** @type {import('@umbraco-cms/backoffice/notification').UmbNotificationContext} */
+ #notificationContext;
+
+ constructor() {
+ super();
+ this.attachShadow({ mode: 'open' });
+ this.shadowRoot.appendChild(template.content.cloneNode(true));
+
+ this.shadowRoot.getElementById('clickMe').addEventListener('click', this.onClick.bind(this));
+
+ this.consumeContext(UMB_NOTIFICATION_CONTEXT, (_instance) => {
+ this.#notificationContext = _instance;
+ });
+ }
+
+ onClick = () => {
+ this.#notificationContext?.peek('positive', { data: { headline: 'Hello' } });
+ };
+}
+
+customElements.define('my-custom-dashboard', MyDashboardElement);
+```
+
+### TypeScript with Lit
+
+First install Lit and Vite. This command will create a new folder called `my-package` which will have the Vite tooling and Lit for WebComponent development setup.
+
+```bash
+npm create vite@latest -- --template lit-ts my-package
+```
+
+Go to the new folder and install the backoffice package.
+
+```bash
+cd my-package
+npm install -D @umbraco-cms/backoffice
+```
+
+Then go to the element located in `src/my-element.ts` and replace it with the following code.
+
+```typescript
+// src/my-element.ts
+import { LitElement, html, customElement } from '@umbraco-cms/backoffice/external/lit';
+import { UmbElementMixin } from '@umbraco-cms/backoffice/element-api';
+import { UmbNotificationContext, UMB_NOTIFICATION_CONTEXT } from '@umbraco-cms/backoffice/notification';
+
+@customElement('my-element')
+export default class MyElement extends UmbElementMixin(LitElement) {
+ private _notificationContext?: UmbNotificationContext;
+
+ constructor() {
+ super();
+ this.consumeContext(UMB_NOTIFICATION_CONTEXT, (_instance) => {
+ this._notificationContext = _instance;
+ });
+ }
+
+ onClick() {
+ this._notificationContext?.peek('positive', { data: { message: '#h5yr' } });
+ }
+
+ override render() {
+ return html`
+
+
لا حاجة إلى اتخاذ أي إجراءات أخرى. اضغط على التالي للمتابعة.',
+ defaultUserPassChanged:
+ 'تم تغيير كلمة مرور المستخدم الافتراضي بنجاح منذ التثبيت!
لا حاجة إلى اتخاذ أي إجراءات أخرى. اضغط على التالي للمتابعة.',
+ defaultUserPasswordChanged: 'تم تغيير كلمة المرور!',
+ greatStart: 'ابدأ بداية رائعة، شاهد مقاطع الفيديو التمهيدية الخاصة بنا',
+ licenseText:
+ 'بالنقر على الزر التالي (أو تعديل umbracoConfigurationStatus في web.config)، فإنك توافق على رخصة هذا البرنامج كما هو موضح في الصندوق أدناه. لاحظ أن توزيع Umbraco يتكون من رخصتين مختلفتين، رخصة MIT مفتوحة المصدر للإطار ورخصة البرمجيات المجانية الخاصة بـ Umbraco التي تغطي واجهة المستخدم.',
+ None: 'لم يتم تثبيته بعد.',
+ permissionsAffectedFolders: 'الملفات والمجلدات المتأثرة',
+ permissionsAffectedFoldersMoreInfo: 'مزيد من المعلومات حول إعداد الأذونات لـ Umbraco هنا',
+ permissionsAffectedFoldersText: 'يجب منح أذونات تعديل لـ ASP.NET على الملفات/المجلدات التالية',
+ permissionsAlmostPerfect:
+ 'إعدادات الأذونات الخاصة بك تقريبًا مثالية!
\n يمكنك تشغيل Umbraco بدون مشاكل، لكن لن تتمكن من تثبيت الحزم الموصى بها للاستفادة الكاملة من Umbraco.',
+ permissionsHowtoResolve: 'كيفية الحل',
+ permissionsHowtoResolveLink: 'اضغط هنا لقراءة النسخة النصية',
+ permissionsHowtoResolveText:
+ 'شاهد الفيديو التعليمي الخاص بإعداد أذونات المجلدات لـ Umbraco أو اقرأ النسخة النصية.',
+ permissionsMaybeAnIssue:
+ 'قد تكون إعدادات الأذونات الخاصة بك مشكلة!\n
\n يمكنك تشغيل Umbraco بدون مشاكل، لكن لن تتمكن من إنشاء مجلدات أو تثبيت الحزم الموصى بها للاستفادة الكاملة من Umbraco.',
+ permissionsNotReady:
+ 'إعدادات الأذونات الخاصة بك غير جاهزة لـ Umbraco!\n
\n لتشغيل Umbraco، ستحتاج إلى تحديث إعدادات الأذونات الخاصة بك.',
+ permissionsPerfect:
+ 'إعدادات الأذونات الخاصة بك مثالية!
\n أنت جاهز لتشغيل Umbraco وتثبيت الحزم!',
+ permissionsResolveFolderIssues: 'حل مشكلة المجلد',
+ permissionsResolveFolderIssuesLink:
+ 'اتبع هذا الرابط للحصول على مزيد من المعلومات حول مشاكل ASP.NET وإنشاء المجلدات',
+ permissionsSettingUpPermissions: 'إعداد أذونات المجلدات',
+ permissionsText:
+ 'يحتاج Umbraco إلى أذونات الكتابة/التعديل لبعض الأدلة لتخزين الملفات مثل الصور وملفات PDF. كما أنه يخزن بيانات مؤقتة (المعروفة باسم: ذاكرة التخزين المؤقت) لتحسين أداء موقع الويب الخاص بك.',
+ runwayFromScratch: 'أريد البدء من الصفر',
+ runwayFromScratchText:
+ 'موقع الويب الخاص بك فارغ تمامًا في الوقت الحالي، وهذا مثالي إذا كنت ترغب في البدء من الصفر وإنشاء الأنواع الوثائق والقوالب الخاصة بك. (تعرف على الكيفية) لا يزال بإمكانك اختيار تثبيت Runway لاحقًا. يرجى الانتقال إلى قسم المطور واختيار الحزم.',
+ runwayHeader: 'لقد قمت بإعداد منصة Umbraco نظيفة. ماذا تريد أن تفعل بعد ذلك؟',
+ runwayInstalled: 'تم تثبيت Runway',
+ runwayInstalledText:
+ 'لديك الأساس في مكانه. اختر الوحدات التي ترغب في تثبيتها فوقه. \n هذه هي قائمتنا الموصى بها من الوحدات، قم بتحديد الوحدات التي ترغب في تثبيتها، أو عرض القائمة الكاملة للوحدات',
+ runwayOnlyProUsers: 'يوصى بها فقط للمستخدمين ذوي الخبرة',
+ runwaySimpleSite: 'أريد البدء بموقع ويب بسيط',
+ runwaySimpleSiteText:
+ '
"Runway" هو موقع ويب بسيط يوفر بعض الأنواع الوثائق والقوالب الأساسية. يمكن للمثبت إعداد Runway لك تلقائيًا، لكن يمكنك بسهولة تحريره أو توسيعه أو إزالته. ليس ضروريًا ويمكنك استخدام Umbraco بشكل مثالي بدونها. ومع ذلك، يوفر Runway أساسًا سهلًا يعتمد على أفضل الممارسات لبدء التشغيل بسرعة أكبر من أي وقت مضى. إذا اخترت تثبيت Runway، يمكنك اختيار الوحدات الأساسية الاختيارية المعروفة باسم وحدات Runway لتعزيز صفحات Runway الخاصة بك.
\n متضمن مع Runway: الصفحة الرئيسية، صفحة البدء، صفحة تثبيت الوحدات. \n الوحدات الاختيارية: التنقل العلوي، خريطة الموقع، الاتصال، المعرض.',
+ runwayWhatIsRunway: 'ما هو Runway',
+ step1: 'الخطوة 1/5 قبول الترخيص',
+ step2: 'الخطوة 2/5: تكوين قاعدة البيانات',
+ step3: 'الخطوة 3/5: التحقق من أذونات الملفات',
+ step4: 'الخطوة 4/5: التحقق من أمان Umbraco',
+ step5: 'الخطوة 5/5: Umbraco جاهز للبدء',
+ thankYou: 'شكرًا لاختيارك Umbraco',
+ theEndBrowseSite:
+ '
تصفح موقعك الجديد
\nلقد قمت بتثبيت Runway، فلماذا لا ترى كيف يبدو موقع الويب الجديد الخاص بك.',
+ theEndFurtherHelp:
+ '
مزيد من المساعدة والمعلومات
\nاحصل على المساعدة من مجتمعنا الحائز على جوائز، تصفح الوثائق أو شاهد بعض مقاطع الفيديو المجانية حول كيفية بناء موقع بسيط، كيفية استخدام الحزم ودليل سريع لمصطلحات Umbraco',
+ theEndHeader: 'تم تثبيت Umbraco %0% وهو جاهز للاستخدام',
+ theEndInstallFailed:
+ "لإكمال التثبيت، ستحتاج إلى تحرير /web.config file يدويًا وتحديث المفتاح AppSetting UmbracoConfigurationStatus في الأسفل إلى القيمة '%0%'.",
+ theEndInstallSuccess:
+ 'يمكنك البدء فورًا بالنقر على زر "إطلاق Umbraco" أدناه. إذا كنت جديدًا على Umbraco، يمكنك العثور على الكثير من الموارد على صفحات البدء الخاصة بنا.',
+ theEndOpenUmbraco:
+ '
إطلاق Umbraco
\nلإدارة موقع الويب الخاص بك، افتح ببساطة الخلفية لـ Umbraco وابدأ بإضافة المحتوى أو تحديث القوالب والأنماط أو إضافة ميزات جديدة',
+ Unavailable: 'فشل الاتصال بقاعدة البيانات.',
+ Version3: 'إصدار Umbraco 3',
+ Version4: 'إصدار Umbraco 4',
+ watch: 'شاهد',
+ welcomeIntro:
+ 'سيقوم هذا المعالج بتوجيهك خلال عملية تكوين Umbraco %0% لتثبيت جديد أو الترقية من الإصدار 3.0.\n
\n اضغط على التالي لبدء المعالج.',
+ },
+ language: {
+ cultureCode: 'رمز الثقافة',
+ displayName: 'اسم الثقافة',
+ noFallbackLanguages: 'لا توجد لغات أخرى للاختيار من بينها',
+ },
+ lockout: {
+ lockoutWillOccur: 'لقد كنت غير نشط وسيتم تسجيل خروجك تلقائيًا في',
+ renewSession: 'جدد الآن لحفظ عملك',
+ },
+ login: {
+ greeting0: 'مرحبًا! بداية أسبوع مثمرة مع Umbraco!',
+ greeting1: 'مرحبًا! يوم ثلاثاء إبداعي في Umbraco!',
+ greeting2: 'مرحبًا! يوم أربعاء موفق في إدارة محتواك!',
+ greeting3: 'مرحبًا! يوم خميس مليء بالإنجازات مع Umbraco!',
+ greeting4: 'مرحبًا! إنه يوم جمعة رائع لإدارة محتوى موقعك!',
+ greeting5: 'مرحبًا! عطلة نهاية أسبوع سعيدة مع Umbraco!',
+ greeting6: 'مرحبًا! يوم أحد جديد، فرص جديدة في Umbraco!',
+ instruction: 'سجل الدخول إلى Umbraco',
+ signInWith: 'سجل الدخول باستخدام {0}',
+ timeout: 'انتهت جلستك. يرجى تسجيل الدخول مرة أخرى أدناه.',
+ },
+ main: {
+ dashboard: 'لوحة التحكم',
+ sections: 'الأقسام',
+ tree: 'المحتوى',
+ },
+ moveOrCopy: {
+ choose: 'اختر الصفحة أعلاه...',
+ copyDone: '%0% تم نسخه إلى %1%',
+ copyTo: 'حدد المكان الذي يجب نسخ الوثيقة %0% إليه أدناه',
+ moveDone: '%0% تم نقله إلى %1%',
+ moveTo: 'حدد المكان الذي يجب نقل الوثيقة %0% إليه أدناه',
+ nodeSelected: "تم تحديده كجذر لمحتواك الجديد، انقر على 'موافق' أدناه.",
+ noNodeSelected: "لم يتم تحديد أي عقدة بعد، يرجى تحديد عقدة في القائمة أعلاه قبل النقر على 'موافق'",
+ notAllowedByContentType: 'العقدة الحالية غير مسموح بها تحت العقدة المحددة بسبب نوعها',
+ notAllowedByPath: 'لا يمكن نقل العقدة الحالية إلى إحدى صفحاتها الفرعية، ولا يمكن أن تكون الوالد والوجهة هي نفسها',
+ notAllowedAtRoot: 'لا يمكن أن توجد العقدة الحالية في الجذر',
+ notValid: 'لا يُسمح بالإجراء نظرًا لأن لديك أذونات غير كافية على 1 أو أكثر من الوثيقة الفرعية.\n',
+ relateToOriginal: 'ربط العناصر المنسوخة بالأصل',
+ },
+ notifications: {
+ editNotifications: 'حدد إشعارك لـ %0%',
+ notificationsSavedFor: 'تم حفظ إعدادات الإشعارات لـ',
+ notifications: 'الإشعارات',
+ },
+ packager: {
+ actions: 'إجراءات',
+ created: 'أنشئ',
+ createPackage: 'إنشاء حزمة',
+ chooseLocalPackageText:
+ '\n اختر حزمة من جهازك، بالنقر على زر تصفح \n وتحديد الحزمة. عادةً ما تحتوي حزم Umbraco على امتداد ".umb" أو ".zip".\n ',
+ deletewarning: 'سيؤدي ذلك إلى حذف الحزمة',
+ includeAllChildNodes: 'تضمين جميع العقد الفرعية',
+ installed: 'مثبتة',
+ installedPackages: 'الحزم المثبتة',
+ installInstructions: 'تعليمات التثبيت',
+ noConfigurationView: 'لا تحتوي هذه الحزمة على عرض تكوين',
+ noPackagesCreated: 'لم يتم إنشاء أي حزم بعد',
+ noPackages: 'لم يتم تثبيت أي حزم',
+ noPackagesDescription: "تصفح الحزم المتاحة باستخدام أيقونة 'الحزم' في أعلى يمين الشاشة",
+ packageContent: 'محتوى الحزمة',
+ packageLicense: 'الرخصة',
+ packageSearch: 'البحث عن الحزم',
+ packageSearchResults: 'نتائج البحث عن',
+ packageNoResults: 'لم نجد شيئًا لـ',
+ packageNoResultsDescription: 'يرجى محاولة البحث عن حزمة أخرى أو تصفح الفئات\n',
+ packagesPopular: 'الأكثر شيوعًا',
+ packagesPromoted: 'مروج لها',
+ packagesNew: 'الإصدارات الجديدة',
+ packageHas: 'لديه',
+ packageKarmaPoints: 'نقاط الكارما',
+ packageInfo: 'معلومات',
+ packageOwner: 'المالك',
+ packageContrib: 'المساهمون',
+ packageCreated: 'أنشئ',
+ packageCurrentVersion: 'الإصدار الحالي',
+ packageNetVersion: 'إصدار .NET',
+ packageDownloads: 'التنزيلات',
+ packageLikes: 'الإعجابات',
+ packageCompatibility: 'التوافق',
+ packageCompatibilityDescription:
+ 'تكون هذه الحزمة متوافقة مع الإصدارات التالية من Umbraco، حسب\n ما أبلغ عنه أعضاء المجتمع. لا يمكن ضمان التوافق الكامل للإصدارات المبلغ عنها أقل من 100%\n ',
+ packageExternalSources: 'المصادر الخارجية',
+ packageAuthor: 'المؤلف',
+ packageDocumentation: 'الوثائق',
+ packageMetaData: 'بيانات الحزمة',
+ packageName: 'اسم الحزمة',
+ packageNoItemsHeader: 'لا تحتوي الحزمة على أي عناصر',
+ packageNoItemsText:
+ 'لا تحتوي هذه الحزمة على أي عناصر لإلغاء التثبيت.
\n يمكنك إزالة هذا بأمان من النظام بالنقر على "إلغاء تثبيت الحزمة" أدناه.',
+ packageOptions: 'خيارات الحزمة',
+ packageMigrationsRun: 'تشغيل ترحيلات الحزمة المعلقة',
+ packageMigrationsComplete: 'تم إكمال ترحيلات الحزمة بنجاح.',
+ packageMigrationsNonePending: 'تم إكمال جميع ترحيلات الحزمة بنجاح.',
+ packageReadme: 'ملف README الخاص بالحزمة',
+ packageRepository: 'مستودع الحزمة',
+ packageUninstallConfirm: 'تأكيد إلغاء تثبيت الحزمة',
+ packageUninstalledHeader: 'تم إلغاء تثبيت الحزمة',
+ packageUninstalledText: 'تم إلغاء تثبيت الحزمة بنجاح',
+ packageUninstallHeader: 'إلغاء تثبيت الحزمة',
+ packageUninstallText:
+ 'يمكنك إلغاء تحديد العناصر التي لا ترغب في إزالتها في الوقت الحالي أدناه. عند النقر على "تأكيد الإلغاء"، ستتم إزالة جميع العناصر المحددة. \n ملاحظة: أي مستندات أو وسائط تعتمد على العناصر التي تقوم بإزالتها، ستتوقف عن العمل، وقد يؤدي ذلك إلى عدم استقرار النظام، لذا قم بإلغاء التثبيت بحذر. إذا كان لديك أي شكوك، اتصل بمؤلف الحزمة.',
+ packageVersion: 'إصدار الحزمة',
+ verifiedToWorkOnUmbracoCloud: 'تم التحقق من عمله على Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'الصق مع التنسيق الكامل (غير موصى به)',
+ errorMessage:
+ 'النص الذي تحاول لصقه يحتوي على أحرف خاصة أو تنسيق. قد يكون ذلك بسبب نسخ النص من Microsoft Word. يمكن لـ Umbraco إزالة الأحرف الخاصة أو التنسيق تلقائيًا، بحيث يكون المحتوى الملصق أكثر ملاءمة للويب.\n',
+ removeAll: 'الصق كـ نص خام بدون أي تنسيق على الإطلاق',
+ removeSpecialFormattering: 'الصق، ولكن قم بإزالة التنسيق (موصى به)',
+ },
+ publicAccess: {
+ paGroups: 'حماية قائمة على المجموعة',
+ paGroupsHelp: 'إذا كنت ترغب في منح الوصول إلى جميع أعضاء مجموعات الأعضاء المحددة',
+ paGroupsNoGroups: 'تحتاج إلى إنشاء مجموعة أعضاء قبل أن تتمكن من استخدام المصادقة القائمة على المجموعة',
+ paErrorPage: 'صفحة الخطأ',
+ paErrorPageHelp: 'تستخدم عندما يكون الأشخاص مسجلين الدخول، ولكن ليس لديهم وصول',
+ paHowWould: 'اختر كيفية تقييد الوصول إلى الصفحة %0%',
+ paIsProtected: '%0% محمية الآن',
+ paIsRemoved: 'تمت إزالة الحماية من %0%',
+ paLoginPage: 'صفحة تسجيل الدخول',
+ paLoginPageHelp: 'اختر الصفحة التي تحتوي على نموذج تسجيل الدخول',
+ paRemoveProtection: 'إزالة الحماية...',
+ paRemoveProtectionConfirm: 'هل أنت متأكد أنك تريد إزالة الحماية من الصفحة %0%؟',
+ paSelectPages: 'اختر الصفحات التي تحتوي على نموذج تسجيل الدخول ورسائل الخطأ',
+ paSelectGroups: 'اختر المجموعات التي لديها وصول إلى الصفحة %0%',
+ paSelectMembers: 'اختر الأعضاء الذين لديهم وصول إلى الصفحة %0%',
+ paMembers: 'حماية الأعضاء المحددين',
+ paMembersHelp: 'إذا كنت ترغب في منح الوصول إلى أعضاء محددين',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'أذونات المستخدم غير كافية لنشر جميع الوثائق التابعة',
+ contentPublishedFailedIsTrashed: '\n %0% لم يتم نشره لأن العنصر في سلة المهملات.\n ',
+ contentPublishedFailedAwaitingRelease: '\n %0% لم يتم نشره لأن العنصر مجدول للإصدار.\n ',
+ contentPublishedFailedExpired: '\n %0% لم يتم نشره لأن العنصر منتهي الصلاحية.\n ',
+ contentPublishedFailedInvalid: '\n %0% لم يتم نشره لأن بعض الخصائص لم تتجاوز قواعد التحقق.\n ',
+ contentPublishedFailedByEvent: '\n %0% لم يتم نشره، ألغى ملحق طرف ثالث الإجراء.\n ',
+ contentPublishedFailedByParent: '\n %0% لا يمكن نشره، لأن صفحة الوالد غير منشورة.\n ',
+ contentPublishedFailedByMissingName: '%0% لا يمكن نشره، لأنه يفتقر إلى اسم.',
+ contentPublishedFailedReqCultureValidationError:
+ "فشل التحقق من اللغة المطلوبة '%0%'. تم حفظ هذه اللغة ولكن لم يتم نشرها.\n",
+ inProgress: 'النشر جارٍ - يرجى الانتظار...',
+ inProgressCounter: '%0% من أصل %1% صفحات تم نشرها...',
+ nodePublish: '%0% تم نشره',
+ nodePublishAll: '%0% والصفحات الفرعية تم نشرها',
+ publishAll: 'نشر %0% وجميع الصفحات الفرعية الخاصة به',
+ publishHelp:
+ 'انقر على نشر لنشر %0% وجعل محتواه متاحًا علنًا.
\n يمكنك نشر هذه الصفحة وجميع صفحاتها الفرعية عن طريق تحديد تضمين الصفحات الفرعية غير المنشورة أدناه.\n ',
+ },
+ colorpicker: {
+ noColors: 'لم تقم بتكوين أي ألوان معتمدة',
+ },
+ contentPicker: {
+ allowedItemTypes: 'يمكنك فقط اختيار العناصر من النوع(s): %0%',
+ defineDynamicRoot: 'حدد الجذر',
+ defineRootNode: 'اختر جذر العقدة',
+ pickedTrashedItem: 'لقد اخترت عنصر محتوى محذوف حاليًا أو في سلة المهملات',
+ pickedTrashedItems: 'لقد اخترت عناصر محتوى محذوفة حاليًا أو في سلة المهملات',
+ },
+ dynamicRoot: {
+ configurationTitle: 'استعلام الجذر الديناميكي',
+ pickDynamicRootOriginTitle: 'اختر الأصل',
+ pickDynamicRootOriginDesc: 'حدد الأصل لاستعلام الجذر الديناميكي الخاص بك',
+ originRootTitle: 'الجذر',
+ originRootDesc: 'العقدة الجذرية لجلسة التحرير هذه',
+ originParentTitle: 'الوالد',
+ originParentDesc: 'العقدة الأم للمصدر في جلسة التحرير هذه',
+ originCurrentTitle: 'الحالي',
+ originCurrentDesc: 'عقدة المحتوى التي هي المصدر لجلسة التحرير هذه',
+ originSiteTitle: 'الموقع',
+ originSiteDesc: 'ابحث عن أقرب عقدة بها اسم مضيف',
+ originByKeyTitle: 'عقدة محددة',
+ originByKeyDesc: 'اختر عقدة محددة كأصل لهذا الاستعلام',
+ pickDynamicRootQueryStepTitle: 'أضف خطوة إلى الاستعلام',
+ pickDynamicRootQueryStepDesc: 'حدد الخطوة التالية لاستعلام الجذر الديناميكي الخاص بك',
+ queryStepNearestAncestorOrSelfTitle: 'أقرب سلف أو نفس',
+ queryStepNearestAncestorOrSelfDesc: 'استعلام أقرب سلف أو نفس يتطابق مع أحد الأنواع المكونة',
+ queryStepFurthestAncestorOrSelfTitle: 'أبعد سلف أو نفس',
+ queryStepFurthestAncestorOrSelfDesc: 'استعلام أبعد سلف أو نفس يتطابق مع أحد الأنواع المكونة',
+ queryStepNearestDescendantOrSelfTitle: 'أقرب نسل أو نفس',
+ queryStepNearestDescendantOrSelfDesc: 'استعلام أقرب نسل أو نفس يتطابق مع أحد الأنواع المكونة',
+ queryStepFurthestDescendantOrSelfTitle: 'أبعد نسل أو نفس',
+ queryStepFurthestDescendantOrSelfDesc: 'استعلام أبعد نسل أو نفس يتطابق مع أحد الأنواع المكونة',
+ queryStepCustomTitle: 'مخصص',
+ queryStepCustomDesc: 'استعلام باستخدام خطوة استعلام مخصصة',
+ addQueryStep: 'إضافة خطوة استعلام',
+ queryStepTypes: 'التي تتطابق مع الأنواع: ',
+ noValidStartNodeTitle: 'لا توجد محتويات متطابقة',
+ noValidStartNodeDesc:
+ 'تكوين هذه الخاصية لا يتطابق مع أي محتوى. أنشئ المحتوى المفقود أو اتصل بمسؤولك لضبط إعدادات الجذر الديناميكي لهذه الخاصية.',
+ },
+ mediaPicker: {
+ deletedItem: 'عنصر محذوف',
+ pickedTrashedItem: 'لقد اخترت عنصر وسائط محذوف حاليًا أو في سلة المهملات',
+ pickedTrashedItems: 'لقد اخترت عناصر وسائط محذوفة حاليًا أو في سلة المهملات',
+ trashed: 'محذوف',
+ openMedia: 'افتح في مكتبة الوسائط',
+ changeMedia: 'تغيير عنصر الوسائط',
+ editMediaEntryLabel: 'تحرير %0% على %1%',
+ confirmCancelMediaEntryCreationHeadline: 'تجاهل الإنشاء؟',
+ confirmCancelMediaEntryCreationMessage: 'هل أنت متأكد أنك تريد إلغاء الإنشاء.',
+ confirmCancelMediaEntryHasChanges: 'لقد أجريت تغييرات على هذا المحتوى. هل أنت متأكد أنك تريد\n تجاهلها؟\n ',
+ confirmRemoveAllMediaEntryMessage: 'إزالة جميع الوسائط؟',
+ tabClipboard: 'الحافظة',
+ notAllowed: 'غير مسموح',
+ openMediaPicker: 'افتح محدد الوسائط',
+ },
+ propertyEditorPicker: {
+ title: 'اختر محرر الخصائص',
+ openPropertyEditorPicker: 'اختر واجهة مستخدم محرر الخصائص',
+ },
+ relatedlinks: {
+ enterExternal: 'أدخل رابط خارجي',
+ chooseInternal: 'اختر صفحة داخلية',
+ caption: 'التسمية التوضيحية',
+ link: 'رابط',
+ newWindow: 'فتح في نافذة جديدة',
+ captionPlaceholder: 'أدخل التسمية التوضيحية للعرض',
+ externalLinkPlaceholder: 'أدخل الرابط',
+ },
+ imagecropper: {
+ reset: 'إعادة تعيين',
+ updateEditCrop: 'تم',
+ undoEditCrop: 'تراجع عن التعديلات',
+ customCrop: 'مخصص',
+ },
+ rollback: {
+ changes: 'التغييرات',
+ created: 'أنشئ',
+ headline: 'اختر إصدارًا للمقارنة مع الإصدار الحالي',
+ currentVersion: 'الإصدار الحالي',
+ diffHelp:
+ 'يظهر هذا الاختلافات بين الإصدار الحالي (المسودة) والإصدار المحدد النص الأحمر سيتم حذفه في الإصدار المحدد، النص الأخضر سيتم إضافته',
+ noDiff: 'لا توجد اختلافات بين الإصدار الحالي (المسودة) والإصدار المحدد',
+ documentRolledBack: 'تمت استعادة الوثيقة',
+ htmlHelp:
+ 'يعرض هذا الإصدار المحدد كـ HTML، إذا كنت ترغب في رؤية الفرق بين إصدارين في نفس الوقت، استخدم عرض الفرق\n ',
+ rollbackTo: 'استعادة إلى',
+ selectVersion: 'اختر الإصدار',
+ view: 'عرض',
+ pagination: 'عرض الإصدار %0% إلى %1% من %2% إصدارات',
+ versions: 'الإصدارات',
+ currentDraftVersion: 'الإصدار الحالي المسودة',
+ currentPublishedVersion: 'الإصدار الحالي المنشور',
+ },
+ scripts: {
+ editscript: 'تحرير ملف السكربت',
+ },
+ sections: {
+ content: 'المحتوى',
+ media: 'الوسائط',
+ member: 'الأعضاء',
+ packages: 'الحزم',
+ marketplace: 'السوق',
+ settings: 'الإعدادات',
+ translation: 'القاموس',
+ users: 'المستخدمون',
+ },
+ help: {
+ tours: 'الجولات',
+ theBestUmbracoVideoTutorials: 'أفضل دروس الفيديو في Umbraco',
+ umbracoForum: 'زيارة our.umbraco.com',
+ umbracoTv: 'زيارة umbraco.tv',
+ umbracoLearningBase: 'شاهد دروس الفيديو المجانية لدينا',
+ umbracoLearningBaseDescription: 'على قاعدة تعلم Umbraco',
+ },
+ settings: {
+ defaulttemplate: 'القالب الافتراضي',
+ importDocumentTypeHelp:
+ 'للاستيراد نوع الوثيقة ابحث عن ملف ".udt" على جهاز الكمبيوتر الخاص بك بالنقر على زر "استيراد" (سيُطلب منك تأكيد ذلك في الشاشة التالية)',
+ newtabname: 'عنوان التبويب الجديد',
+ nodetype: 'نوع العقدة',
+ objecttype: 'النوع',
+ stylesheet: 'ورقة الأنماط',
+ script: 'السكريبت',
+ tab: 'التبويب',
+ tabname: 'عنوان التبويب',
+ tabs: 'التبويبات',
+ contentTypeEnabled: 'نوع المحتوى الرئيسي مفعل',
+ contentTypeUses: 'هذا النوع من المحتوى يستخدم',
+ noPropertiesDefinedOnTab:
+ 'لا توجد خصائص محددة على هذا التبويب. انقر على رابط "إضافة خاصية جديدة" في الأعلى لإنشاء خاصية جديدة.',
+ createMatchingTemplate: 'إنشاء قالب مطابق',
+ addIcon: 'إضافة أيقونة',
+ },
+ sort: {
+ sortOrder: 'ترتيب الفرز',
+ sortCreationDate: 'تاريخ الإنشاء',
+ sortDone: 'تمت عملية الفرز.',
+ sortHelp:
+ 'اسحب العناصر المختلفة لأعلى أو لأسفل أدناه لتحديد كيفية ترتيبها. أو انقر على رؤوس الأعمدة لفرز جميع العناصر.',
+ sortPleaseWait: 'يرجى الانتظار. يتم فرز العناصر، قد يستغرق ذلك بعض الوقت.',
+ sortEmptyState: 'لا تحتوي هذه العقدة على عقدة فرعية لفرزها',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'التحقق',
+ validationFailedMessage: 'يجب إصلاح أخطاء التحقق قبل أن يمكن حفظ العنصر',
+ operationFailedHeader: 'فشل',
+ operationSavedHeader: 'تم الحفظ',
+ operationSavedHeaderReloadUser: 'تم الحفظ. لعرض التغييرات، يرجى إعادة تحميل متصفحك',
+ invalidUserPermissionsText: 'أذونات المستخدم غير كافية، لم نتمكن من إتمام العملية',
+ operationCancelledHeader: 'ملغي',
+ operationCancelledText: 'تم إلغاء العملية بواسطة ملحق طرف ثالث',
+ folderUploadNotAllowed: 'يتم تحميل هذا الملف كجزء من مجلد، ولكن إنشاء مجلد جديد غير مسموح هنا',
+ folderCreationNotAllowed: 'إنشاء مجلد جديد غير مسموح هنا',
+ contentTypeDublicatePropertyType: 'نوع الخاصية موجود بالفعل',
+ contentTypePropertyTypeCreated: 'تم إنشاء نوع الخاصية',
+ contentTypePropertyTypeCreatedText: 'الاسم: %0% نوع البيانات: %1%',
+ contentTypePropertyTypeDeleted: 'تم حذف نوع الخاصية',
+ contentTypeSavedHeader: 'تم حفظ نوع الوثيقة',
+ contentTypeTabCreated: 'تم إنشاء التبويب',
+ contentTypeTabDeleted: 'تم حذف التبويب',
+ contentTypeTabDeletedText: 'تم حذف التبويب بالمعرف: %0%',
+ cssErrorHeader: 'لم يتم حفظ ورقة الأنماط',
+ cssSavedHeader: 'تم حفظ ورقة الأنماط',
+ cssSavedText: 'تم حفظ ورقة الأنماط بدون أي أخطاء',
+ dataTypeSaved: 'تم حفظ نوع البيانات',
+ dictionaryItemSaved: 'تم حفظ عنصر القاموس',
+ editContentPublishedHeader: 'تم نشر المحتوى',
+ editContentPublishedText: 'وهو مرئي على الموقع',
+ editMultiContentPublishedText: 'تم نشر %0% مستندات وهي مرئية على الموقع',
+ editVariantPublishedText: '%0% تم نشره وهو مرئي على الموقع',
+ editMultiVariantPublishedText: '%0% مستندات تم نشرها للغات %1% وهي مرئية على الموقع',
+ editBlueprintSavedHeader: 'تم حفظ مخطط الوثيقة',
+ editBlueprintSavedText: 'تم حفظ التغييرات بنجاح',
+ editContentSavedHeader: 'تم حفظ المحتوى',
+ editContentSavedText: 'تذكر النشر لجعل التغييرات مرئية',
+ editContentScheduledSavedText: 'تم تحديث جدول النشر',
+ editVariantSavedText: '%0% تم حفظه',
+ editContentSendToPublish: 'تم إرسالها للموافقة',
+ editContentSendToPublishText: 'تم إرسال التغييرات للموافقة',
+ editVariantSendToPublishText: '%0% تغييرات تم إرسالها للموافقة',
+ editMediaSaved: 'تم حفظ الوسائط',
+ editMediaSavedText: 'تم حفظ الوسائط بدون أي أخطاء',
+ editMemberSaved: 'تم حفظ العضو',
+ editStylesheetPropertySaved: 'تم حفظ خاصية ورقة الأنماط',
+ editStylesheetSaved: 'تم حفظ ورقة الأنماط',
+ editTemplateSaved: 'تم حفظ القالب',
+ editUserError: 'حدث خطأ عند حفظ المستخدم (تحقق من السجل)',
+ editUserSaved: 'تم حفظ المستخدم',
+ editUserTypeSaved: 'تم حفظ نوع المستخدم',
+ editUserGroupSaved: 'تم حفظ مجموعة المستخدمين',
+ editCulturesAndHostnamesSaved: 'تم حفظ الثقافات وأسماء المضيفين',
+ editCulturesAndHostnamesError: 'حدث خطأ عند حفظ الثقافات وأسماء المضيفين',
+ fileErrorHeader: 'لم يتم حفظ الملف',
+ fileErrorText: 'لم يتم حفظ الملف. يرجى التحقق من أذونات الملف',
+ fileSavedHeader: 'تم حفظ الملف',
+ fileSavedText: 'تم حفظ الملف بدون أي أخطاء',
+ languageSaved: 'تم حفظ اللغة',
+ mediaTypeSavedHeader: 'تم حفظ نوع الوسائط',
+ memberTypeSavedHeader: 'تم حفظ نوع العضو',
+ memberGroupSavedHeader: 'تم حفظ مجموعة الأعضاء',
+ memberGroupNameDuplicate: 'مجموعة أعضاء أخرى بنفس الاسم موجودة بالفعل',
+ templateErrorHeader: 'لم يتم حفظ القالب',
+ templateErrorText: 'يرجى التأكد من عدم وجود قالبين بنفس الاسم المستعار',
+ templateSavedHeader: 'تم حفظ القالب',
+ templateSavedText: 'تم حفظ القالب بدون أي أخطاء!',
+ contentUnpublished: 'تم إلغاء نشر المحتوى',
+ contentCultureUnpublished: 'تم إلغاء نشر التباين %0%',
+ contentMandatoryCultureUnpublished:
+ "اللغة الإلزامية '%0%' تم إلغاء نشرها. جميع اللغات لهذا العنصر المحتوى أصبحت الآن غير منشورة.",
+ partialViewSavedHeader: 'تم حفظ العرض الجزئي',
+ partialViewSavedText: 'تم حفظ العرض الجزئي بدون أي أخطاء!',
+ partialViewErrorHeader: 'لم يتم حفظ العرض الجزئي',
+ partialViewErrorText: 'حدث خطأ أثناء حفظ الملف.',
+ permissionsSavedFor: 'تم حفظ الأذونات لـ',
+ deleteUserGroupsSuccess: 'تم حذف %0% مجموعات مستخدمين',
+ deleteUserGroupSuccess: '%0% تم حذفه',
+ enableUsersSuccess: 'تم تفعيل %0% مستخدمين',
+ disableUsersSuccess: 'تم تعطيل %0% مستخدمين',
+ enableUserSuccess: '%0% تم تفعيله الآن',
+ disableUserSuccess: '%0% تم تعطيله الآن',
+ setUserGroupOnUsersSuccess: 'تم تعيين مجموعات المستخدمين',
+ unlockUsersSuccess: 'تم فك قفل %0% مستخدمين',
+ unlockUserSuccess: '%0% تم فك قفله الآن',
+ memberExportedSuccess: 'تم تصدير العضو إلى ملف',
+ memberExportedError: 'حدث خطأ أثناء تصدير العضو',
+ deleteUserSuccess: 'تم حذف المستخدم %0%',
+ resendInviteHeader: 'دعوة المستخدم',
+ resendInviteSuccess: 'تم إعادة إرسال الدعوة إلى %0%',
+ contentReqCulturePublishError: "لا يمكن نشر الوثيقة لأن '%0%' المطلوب غير منشور",
+ contentCultureValidationError: "فشل التحقق من اللغة '%0%'",
+ documentTypeExportedSuccess: 'تم تصدير نوع الوثيقة إلى ملف',
+ documentTypeExportedError: 'حدث خطأ أثناء تصدير نوع الوثيقة',
+ dictionaryItemExportedSuccess: 'تم تصدير عنصر (عناصر) القاموس إلى ملف',
+ dictionaryItemExportedError: 'حدث خطأ أثناء تصدير عنصر (عناصر) القاموس',
+ dictionaryItemImported: 'تم استيراد عنصر (عناصر) القاموس التالية!',
+ scheduleErrReleaseDate1: 'تاريخ الإصدار لا يمكن أن يكون في الماضي',
+ scheduleErrReleaseDate2: "لا يمكن جدولة الوثيقة للنشر لأن '%0%' المطلوب غير منشور",
+ scheduleErrReleaseDate3: "لا يمكن جدولة الوثيقة للنشر لأن '%0%' المطلوب له تاريخ نشر لاحق من لغة غير إلزامية",
+ scheduleErrExpireDate1: 'تاريخ انتهاء الصلاحية لا يمكن أن يكون في الماضي',
+ scheduleErrExpireDate2: 'تاريخ انتهاء الصلاحية لا يمكن أن يكون قبل تاريخ الإصدار',
+ publishWithNoDomains:
+ 'لم يتم تكوين النطاقات لموقع متعدد اللغات، يرجى الاتصال بالمسؤول، راجع السجل لمزيد من المعلومات',
+ publishWithMissingDomain: 'لا يوجد مجال مكون لـ %0%، يرجى الاتصال بالمسؤول، راجع السجل لمزيد من المعلومات',
+ preventCleanupEnableError: 'حدث خطأ أثناء تمكين تنظيف الإصدارات لـ %0%',
+ preventCleanupDisableError: 'حدث خطأ أثناء تعطيل تنظيف الإصدارات لـ %0%',
+ copySuccessMessage: 'تم نسخ معلومات النظام الخاصة بك بنجاح إلى الحافظة',
+ cannotCopyInformation: 'لم نتمكن من نسخ معلومات النظام الخاصة بك إلى الحافظة',
+ },
+ stylesheet: {
+ addRule: 'إضافة نمط',
+ editRule: 'تعديل النمط',
+ editorRules: 'أنماط محرر النصوص الغني',
+ editorRulesHelp: 'حدد الأنماط التي يجب أن تكون متاحة في محرر النصوص الغني لهذه ورقة الأنماط',
+ editstylesheet: 'تعديل ورقة الأنماط',
+ editstylesheetproperty: 'تعديل خاصية ورقة الأنماط',
+ nameHelp: 'الاسم المعروض في قائمة اختيار الأنماط في المحرر',
+ preview: 'معاينة',
+ previewHelp: 'كيف سيبدو النص في محرر النصوص الغني.',
+ selector: 'المحدد',
+ selectorHelp: 'يستخدم بناء جملة CSS، على سبيل المثال "h1" أو ".redHeader"',
+ styles: 'الأنماط',
+ stylesHelp: 'CSS الذي يجب تطبيقه في محرر النصوص الغني، على سبيل المثال "color:red;"',
+ tabCode: 'الكود',
+ tabRules: 'محرر النصوص الغني',
+ },
+ template: {
+ runtimeModeProduction: 'المحتوى غير قابل للتحرير عند استخدام وضع التشغيل Production.',
+ deleteByIdFailed: 'فشل في حذف القالب بالمعرف %0%',
+ edittemplate: 'تعديل القالب',
+ insertSections: 'الأقسام',
+ insertContentArea: 'إدراج منطقة المحتوى',
+ insertContentAreaPlaceHolder: 'إدراج عنصر نائبة لمنطقة المحتوى',
+ insert: 'إدراج',
+ insertDesc: 'اختر ما تريد إدراجه في قالبك',
+ insertDictionaryItem: 'عنصر القاموس',
+ insertDictionaryItemDesc:
+ 'عنصر القاموس هو عنصر نائبة لنص قابل للترجمة، مما يسهل إنشاء تصميمات لمواقع متعددة اللغات.',
+ insertMacro: 'ماكرو',
+ insertMacroDesc:
+ 'ماكرو هو مكون قابل للتكوين رائع للأجزاء القابلة لإعادة الاستخدام من التصميم الخاص بك، حيث تحتاج إلى خيار لتوفير معلمات، مثل المعارض والنماذج والقوائم.',
+ insertPageField: 'القيمة',
+ insertPageFieldDesc: 'يعرض قيمة حقل مسمى من الصفحة الحالية، مع خيارات لتعديل القيمة أو الرجوع إلى القيم البديلة.',
+ insertPartialView: 'عرض جزئي',
+ insertPartialViewDesc:
+ 'العرض الجزئي هو ملف قالب منفصل يمكن عرضه داخل قالب آخر، وهو رائع لإعادة استخدام الترميز أو لفصل القوالب المعقدة إلى ملفات منفصلة.',
+ mastertemplate: 'القالب الرئيسي',
+ noMaster: 'لا يوجد رئيسي',
+ renderBody: 'عرض القالب الفرعي',
+ renderBodyDesc: 'يعرض محتويات القالب الفرعي، من خلال إدراج عنصر نائبة @RenderBody().',
+ defineSection: 'تحديد قسم مسمى',
+ defineSectionDesc:
+ 'يحدد جزء من القالب كقسم مسمى عن طريق لفه في @section { ... }. يمكن عرض هذا في منطقة محددة من القالب الرئيسي لهذا القالب، باستخدام @RenderSection.',
+ renderSection: 'عرض قسم مسمى',
+ renderSectionDesc:
+ 'يعرض منطقة مسمى من قالب فرعي، من خلال إدراج عنصر نائبة @RenderSection(name). هذا يعرض منطقة من قالب فرعي والتي يتم لفها في تعريف @section [name]{ ... } المقابل.',
+ sectionName: 'اسم القسم',
+ sectionMandatory: 'القسم إلزامي',
+ sectionMandatoryDesc:
+ 'إذا كان إلزاميًا، يجب أن يحتوي القالب الفرعي على تعريف @section، خلاف ذلك يتم عرض خطأ.',
+ queryBuilder: 'باني الاستعلام',
+ itemsReturned: 'العناصر التي تم إرجاعها، في',
+ iWant: 'أريد',
+ allContent: 'جميع المحتويات',
+ contentOfType: 'محتوى من نوع "%0%"',
+ from: 'من',
+ websiteRoot: 'موقعي',
+ where: 'حيث',
+ and: 'و',
+ is: 'هو',
+ isNot: 'ليس',
+ before: 'قبل',
+ beforeIncDate: 'قبل (بما في ذلك التاريخ المحدد)',
+ after: 'بعد',
+ afterIncDate: 'بعد (بما في ذلك التاريخ المحدد)',
+ equals: 'يساوي',
+ doesNotEqual: 'لا يساوي',
+ contains: 'يحتوي على',
+ doesNotContain: 'لا يحتوي على',
+ greaterThan: 'أكبر من',
+ greaterThanEqual: 'أكبر من أو يساوي',
+ lessThan: 'أقل من',
+ lessThanEqual: 'أقل من أو يساوي',
+ id: 'المعرف',
+ name: 'الاسم',
+ createdDate: 'تاريخ الإنشاء',
+ lastUpdatedDate: 'تاريخ آخر تحديث',
+ orderBy: 'ترتيب حسب',
+ ascending: 'تصاعدي',
+ descending: 'تنازلي',
+ template: 'القالب',
+ },
+ grid: {
+ media: 'صورة',
+ macro: 'ماكرو',
+ insertControl: 'اختر نوع المحتوى',
+ chooseLayout: 'اختر تخطيطاً',
+ addRows: 'أضف صفاً',
+ addElement: 'أضف محتوى',
+ dropElement: 'إسقاط المحتوى',
+ settingsApplied: 'تم تطبيق الإعدادات',
+ contentNotAllowed: 'هذا المحتوى غير مسموح به هنا',
+ contentAllowed: 'هذا المحتوى مسموح به هنا',
+ clickToEmbed: 'انقر للتضمين',
+ clickToInsertImage: 'انقر لإدراج صورة',
+ clickToInsertMacro: 'انقر لإدراج ماكرو',
+ placeholderWriteHere: 'اكتب هنا...',
+ gridLayouts: 'تخطيطات الشبكة',
+ gridLayoutsDetail:
+ 'التخطيطات هي منطقة العمل العامة لمحرر الشبكة، وعادةً ما تحتاج فقط إلى واحد أو اثنين من التخطيطات المختلفة',
+ addGridLayout: 'إضافة تخطيط شبكة',
+ editGridLayout: 'تعديل تخطيط الشبكة',
+ addGridLayoutDetail: 'ضبط التخطيط من خلال تعيين عرض الأعمدة وإضافة أقسام إضافية',
+ rowConfigurations: 'تكوينات الصفوف',
+ rowConfigurationsDetail: 'الصفوف هي خلايا محددة مسبقاً مرتبة أفقياً',
+ addRowConfiguration: 'إضافة تكوين صف',
+ editRowConfiguration: 'تعديل تكوين الصف',
+ addRowConfigurationDetail: 'ضبط الصف من خلال تعيين عرض الخلايا وإضافة خلايا إضافية',
+ noConfiguration: 'لا يوجد تكوين إضافي متاح',
+ columns: 'الأعمدة',
+ columnsDetails: 'إجمالي عدد الأعمدة في تخطيط الشبكة',
+ settings: 'الإعدادات',
+ settingsDetails: 'تكوين الإعدادات التي يمكن للمحررين تغييرها',
+ styles: 'الأنماط',
+ stylesDetails: 'تكوين التنسيق الذي يمكن للمحررين تغييره',
+ allowAllEditors: 'السماح لجميع المحررين',
+ allowAllRowConfigurations: 'السماح بجميع تكوينات الصفوف',
+ maxItems: 'الحد الأقصى للعناصر',
+ maxItemsDescription: 'اتركه فارغًا أو اضبطه على 0 لغير المحدود',
+ setAsDefault: 'تعيين كافتراضي',
+ chooseExtra: 'اختر إضافي',
+ chooseDefault: 'اختر افتراضي',
+ areAdded: 'تمت إضافتها',
+ warning: 'تحذير',
+ warningText:
+ '
تعديل اسم تكوين الصف سيؤدي إلى فقدان البيانات لأي محتوى موجود يعتمد على هذا التكوين.
تعديل التسمية فقط لن يؤدي إلى فقدان البيانات.
',
+ youAreDeleting: 'أنت تقوم بحذف تكوين الصف',
+ deletingARow:
+ '\n حذف اسم تكوين الصف سيؤدي إلى فقدان البيانات لأي محتوى موجود يعتمد على هذا\n التكوين.\n ',
+ deleteLayout: 'أنت تقوم بحذف التخطيط',
+ deletingALayout: 'تعديل التخطيط سيؤدي إلى فقدان البيانات لأي محتوى موجود يعتمد على هذا التكوين.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'التركيبات',
+ group: 'مجموعة',
+ groupReorderSameAliasError:
+ 'لا يمكنك نقل المجموعة %0% إلى هذا التبويب لأن المجموعة ستأخذ نفس الاسم المستعار كالتبويب: "%1%". قم بإعادة تسمية المجموعة للمتابعة.\n ',
+ noGroups: 'لم تقم بإضافة أي مجموعات',
+ addGroup: 'إضافة مجموعة',
+ inheritedFrom: 'موروث من',
+ addProperty: 'إضافة خاصية',
+ editProperty: 'تعديل الخاصية',
+ requiredLabel: 'التسمية المطلوبة',
+ enableListViewHeading: 'تمكين عرض القائمة',
+ enableListViewDescription: 'تكوين العنصر لعرض قائمة قابلة للفرز والبحث من أبنائه.',
+ allowedTemplatesHeading: 'القوالب المسموح بها',
+ allowedTemplatesDescription: 'اختر القوالب التي يُسمح للمحررين باستخدامها على محتوى من هذا النوع',
+ allowAtRootHeading: 'السماح في الجذر',
+ allowAtRootDescription: 'السماح للمحررين بإنشاء محتوى من هذا النوع في جذر شجرة المحتوى.\n ',
+ childNodesHeading: 'أنواع العقد الفرعية المسموح بها',
+ childNodesDescription: 'السماح بإنشاء محتوى من الأنواع المحددة أسفل محتوى من هذا النوع.',
+ chooseChildNode: 'اختر العقدة الفرعية',
+ compositionsDescription:
+ 'ارث التبويبات والخصائص من نوع مستند موجود. سيتم إضافة التبويبات الجديدة إلى نوع الوثيقة الحالي أو دمجها إذا كان هناك تبويب بنفس الاسم.',
+ compositionInUse: 'هذا النوع من المحتوى قيد الاستخدام في تركيب، وبالتالي لا يمكن تركيبه بنفسه.\n ',
+ noAvailableCompositions: 'لا توجد أنواع محتوى متاحة لاستخدامها كتركيب.',
+ compositionRemoveWarning:
+ 'إزالة التركيب ستؤدي إلى حذف جميع بيانات الخصائص المرتبطة. بمجرد حفظ نوع الوثيقة لا يوجد طريق للعودة.',
+ availableEditors: 'إنشاء جديد',
+ reuse: 'استخدام موجود',
+ editorSettings: 'إعدادات المحرر',
+ searchResultSettings: 'الإعدادات المتاحة',
+ searchResultEditors: 'إنشاء تكوين جديد',
+ configuration: 'التكوين',
+ yesDelete: 'نعم، احذف',
+ movedUnderneath: 'تم نقله تحت',
+ copiedUnderneath: 'تم نسخه تحت',
+ folderToMove: 'اختر المجلد للتحريك',
+ folderToCopy: 'اختر المجلد للنسخ',
+ structureBelow: 'إلى هيكل الشجرة أدناه',
+ allDocumentTypes: 'جميع أنواع الوثائق',
+ allDocuments: 'جميع الوثائق',
+ allMediaItems: 'جميع العناصر الإعلامية',
+ usingThisDocument: 'استخدام هذا النوع من الوثائق سيتم حذفه نهائيًا، يرجى تأكيد أنك تريد حذف هذه أيضًا.\n ',
+ usingThisMedia: 'استخدام هذا النوع من الوسائط سيتم حذفه نهائيًا، يرجى تأكيد أنك تريد حذف هذه أيضًا.\n ',
+ usingThisMember: 'استخدام هذا النوع من الأعضاء سيتم حذفه نهائيًا، يرجى تأكيد أنك تريد حذف هذه أيضًا\n ',
+ andAllDocuments: 'وجميع الوثائق التي تستخدم هذا النوع',
+ andAllMediaItems: 'وجميع العناصر الإعلامية التي تستخدم هذا النوع',
+ andAllMembers: 'وجميع الأعضاء الذين يستخدمون هذا النوع',
+ memberCanEdit: 'يمكن للعضو التعديل',
+ memberCanEditDescription: 'السماح بتعديل قيمة هذه الخاصية من قبل العضو في صفحة ملفه الشخصي\n ',
+ isSensitiveData: 'بيانات حساسة',
+ isSensitiveDataDescription:
+ 'إخفاء قيمة هذه الخاصية عن محرري المحتوى الذين لا يملكون حق الوصول لعرض المعلومات الحساسة\n ',
+ showOnMemberProfile: 'عرض على ملف العضو',
+ showOnMemberProfileDescription: 'السماح بعرض قيمة هذه الخاصية في صفحة ملف العضو\n ',
+ tabHasNoSortOrder: 'التبويب ليس له ترتيب فرز',
+ compositionUsageHeading: 'أين يتم استخدام هذا التركيب؟',
+ compositionUsageSpecification: 'يتم استخدام هذا التركيب حاليًا في تركيب أنواع المحتوى التالية:\n ',
+ variantsHeading: 'السماح بالاختلافات',
+ cultureVariantHeading: 'السماح بالاختلاف حسب الثقافة',
+ segmentVariantHeading: 'السماح بالتجزئة',
+ cultureVariantLabel: 'الاختلاف حسب الثقافة',
+ segmentVariantLabel: 'الاختلاف حسب القطاعات',
+ variantsDescription: 'السماح للمحررين بإنشاء محتوى من هذا النوع بلغات مختلفة.',
+ cultureVariantDescription: 'السماح للمحررين بإنشاء محتوى بلغات مختلفة.',
+ segmentVariantDescription: 'السماح للمحررين بإنشاء قطاعات من هذا المحتوى.',
+ allowVaryByCulture: 'السماح بالاختلاف حسب الثقافة',
+ allowVaryBySegment: 'السماح بالتجزئة',
+ elementType: 'نوع العنصر',
+ elementHeading: 'هو نوع عنصر',
+ elementDescription: 'نوع العنصر مخصص للاستخدام ضمن أنواع مستندات أخرى، وليس في شجرة المحتوى.\n ',
+ elementCannotToggle:
+ 'لا يمكن تغيير نوع مستند إلى نوع عنصر بمجرد أن يتم استخدامه لإنشاء عنصر أو أكثر من محتوى.\n ',
+ elementDoesNotSupport: 'هذا غير قابل للتطبيق لنوع العنصر',
+ propertyHasChanges: 'لقد أجريت تغييرات على هذه الخاصية. هل أنت متأكد أنك تريد التخلص منها؟',
+ displaySettingsHeadline: 'المظهر',
+ displaySettingsLabelOnTop: 'التسمية في الأعلى (عرض كامل)',
+ confirmDeleteTabMessage: 'هل أنت متأكد أنك تريد حذف التبويب %0%؟',
+ confirmDeleteGroupMessage: 'هل أنت متأكد أنك تريد حذف المجموعة %0%؟',
+ confirmDeletePropertyMessage: 'هل أنت متأكد أنك تريد حذف الخاصية %0%؟',
+ confirmDeleteTabNotice: 'سوف يؤدي ذلك أيضًا إلى حذف جميع العناصر أسفل هذا التبويب.',
+ confirmDeleteGroupNotice: 'سوف يؤدي ذلك أيضًا إلى حذف جميع العناصر أسفل هذه المجموعة.',
+ addTab: 'إضافة تبويب',
+ convertToTab: 'تحويل إلى تبويب',
+ tabDirectPropertiesDropZone: 'اسحب الخصائص هنا لوضعها مباشرة على التبويب',
+ removeChildNode: 'أنت تقوم بإزالة العقدة الفرعية',
+ removeChildNodeWarning: 'إزالة عقدة فرعية ستحد من خيارات المحررين لإنشاء أنواع محتوى مختلفة أسفل عقدة.',
+ usingEditor: 'استخدام هذا المحرر سيتم تحديثه بالإعدادات الجديدة.',
+ historyCleanupHeading: 'تنظيف السجل',
+ historyCleanupDescription: 'السماح بتجاوز الإعدادات العالمية لتنظيف السجل.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'احتفظ بجميع الإصدارات الأحدث من الأيام',
+ historyCleanupKeepLatestVersionPerDayForDays: 'احتفظ بأحدث إصدار لكل يوم لعدد من الأيام',
+ historyCleanupPreventCleanup: 'منع التنظيف',
+ historyCleanupEnableCleanup: 'تمكين التنظيف',
+ historyCleanupGloballyDisabled:
+ 'ملاحظة! تنظيف إصدارات المحتوى التاريخية معطل عالميًا. لن تكون هذه الإعدادات فعالة حتى يتم تمكينها.',
+ changeDataTypeHelpText:
+ 'تغيير نوع البيانات مع القيم المخزنة معطل. للسماح بذلك، يمكنك تغيير إعداد Umbraco:CMS:DataTypes:CanBeChanged في appsettings.json.',
+ collections: 'المجموعات',
+ collectionsDescription: 'تكوين العنصر لعرض قائمة بأبنائه.',
+ structure: 'الهيكل',
+ presentation: 'العرض',
+ },
+ languages: {
+ addLanguage: 'إضافة لغة',
+ culture: 'رمز ISO',
+ mandatoryLanguage: 'اللغة الإلزامية',
+ mandatoryLanguageHelp: 'يجب ملء الخصائص في هذه اللغة قبل أن يتم نشر العقدة.\n ',
+ defaultLanguage: 'اللغة الافتراضية',
+ defaultLanguageHelp: 'يمكن لموقع Umbraco أن يحتوي فقط على لغة افتراضية واحدة.',
+ changingDefaultLanguageWarning: 'تغيير اللغة الافتراضية قد يؤدي إلى فقدان المحتوى الافتراضي.',
+ fallsbackToLabel: 'يعود إلى',
+ noFallbackLanguageOption: 'لا توجد لغة بديلة',
+ fallbackLanguageDescription:
+ 'للسماح للمحتوى متعدد اللغات بالرجوع إلى لغة أخرى إذا لم يكن موجوداً باللغة المطلوبة، اخترها هنا.\n ',
+ fallbackLanguage: 'لغة بديلة',
+ none: 'لا شيء',
+ invariantPropertyUnlockHelp: '%0% مشتركة عبر اللغات والأقسام.',
+ invariantCulturePropertyUnlockHelp: '%0% مشتركة عبر جميع اللغات.',
+ invariantSegmentPropertyUnlockHelp: '%0% مشتركة عبر جميع الأقسام.',
+ invariantLanguageProperty: 'مشتركة: اللغات',
+ invariantSegmentProperty: 'مشتركة: الأقسام',
+ },
+ macro: {
+ addParameter: 'إضافة معلمة',
+ editParameter: 'تعديل المعلمة',
+ enterMacroName: 'أدخل اسم الماكرو',
+ parameters: 'المعلمات',
+ parametersDescription: 'حدد المعلمات التي يجب أن تكون متاحة عند استخدام هذا الماكرو.',
+ selectViewFile: 'اختر ملف عرض جزئي',
+ },
+ modelsBuilder: {
+ buildingModels: 'بناء النماذج',
+ waitingMessage: 'قد يستغرق هذا بعض الوقت، لا داعي للقلق',
+ modelsGenerated: 'تم إنشاء النماذج',
+ modelsGeneratedError: 'لم يتم إنشاء النماذج',
+ modelsExceptionInUlog: 'فشل إنشاء النماذج، راجع الاستثناء في سجل U',
+ },
+ templateEditor: {
+ addDefaultValue: 'إضافة قيمة افتراضية',
+ defaultValue: 'القيمة الافتراضية',
+ alternativeField: 'حقل بديل',
+ alternativeText: 'قيمة افتراضية',
+ casing: 'حالة الأحرف',
+ encoding: 'الترميز',
+ chooseField: 'اختر الحقل',
+ convertLineBreaks: 'تحويل فواصل الأسطر',
+ convertLineBreaksHelp: "يستبدل فواصل الأسطر بعلامة HTML 'br'",
+ customFields: 'الحقول المخصصة',
+ dateOnly: 'تاريخ فقط',
+ formatAsDate: 'تنسيق كـ تاريخ',
+ htmlEncode: 'ترميز HTML',
+ htmlEncodeHelp: 'سيستبدل الأحرف الخاصة بنظيرتها في HTML.',
+ insertedAfter: 'سيتم إدراجه بعد قيمة الحقل',
+ insertedBefore: 'سيتم إدراجه قبل قيمة الحقل',
+ lowercase: 'أحرف صغيرة',
+ none: 'لا شيء',
+ outputSample: 'مثال على الإخراج',
+ postContent: 'إدراج بعد الحقل',
+ preContent: 'إدراج قبل الحقل',
+ recursive: 'تكراري',
+ recursiveDescr: 'نعم، اجعله تكراري',
+ standardFields: 'الحقول القياسية',
+ uppercase: 'أحرف كبيرة',
+ urlEncode: 'ترميز URL',
+ urlEncodeHelp: 'سيقوم بتنسيق الأحرف الخاصة في URLs',
+ usedIfAllEmpty: 'سيتم استخدامه فقط عندما تكون قيم الحقول أعلاه فارغة',
+ usedIfEmpty: 'سيتم استخدام هذا الحقل فقط إذا كان الحقل الرئيسي فارغاً',
+ withTime: 'تاريخ ووقت',
+ },
+ translation: {
+ details: 'تفاصيل الترجمة',
+ DownloadXmlDTD: 'تنزيل XML DTD',
+ fields: 'الحقول',
+ includeSubpages: 'تضمين الصفحات الفرعية',
+ noTranslators: 'لم يتم العثور على مستخدمين مترجمين. يرجى إنشاء مستخدم مترجم قبل البدء في إرسال المحتوى للترجمة',
+ pageHasBeenSendToTranslation: "تم إرسال الصفحة '%0%' للترجمة",
+ sendToTranslate: "إرسال الصفحة '%0%' للترجمة",
+ totalWords: 'إجمالي الكلمات',
+ translateTo: 'ترجم إلى',
+ translationDone: 'الترجمة مكتملة.',
+ translationDoneHelp:
+ 'يمكنك معاينة الصفحات التي قمت بترجمتها للتو بالنقر أدناه. إذا تم العثور على الصفحة الأصلية، ستتلقى مقارنة بين الصفحتين.',
+ translationFailed: 'فشلت الترجمة، قد يكون ملف XML تالفاً',
+ translationOptions: 'خيارات الترجمة',
+ translator: 'المترجم',
+ uploadTranslationXml: 'تحميل XML الترجمة',
+ },
+ treeHeaders: {
+ content: 'المحتوى',
+ contentBlueprints: 'مخططات الوثائق',
+ media: 'الوسائط',
+ cacheBrowser: 'متصفح الذاكرة المؤقتة',
+ contentRecycleBin: 'سلة المحذوفات',
+ createdPackages: 'الحزم التي تم إنشاؤها',
+ dataTypes: 'أنواع البيانات',
+ dictionary: 'القاموس',
+ installedPackages: 'الحزم المثبتة',
+ installSkin: 'تثبيت سمة',
+ installStarterKit: 'تثبيت مجموعة البداية',
+ languages: 'اللغات',
+ localPackage: 'تثبيت حزمة محلية',
+ macros: 'الماكروات',
+ mediaTypes: 'أنواع الوسائط',
+ member: 'الأعضاء',
+ memberGroups: 'مجموعات الأعضاء',
+ memberRoles: 'أدوار الأعضاء',
+ memberTypes: 'أنواع الأعضاء',
+ documentTypes: 'أنواع الوثائق',
+ relationTypes: 'أنواع العلاقات',
+ packager: 'الحزم',
+ packages: 'الحزم',
+ partialViews: 'العروض الجزئية',
+ partialViewMacros: 'ملفات ماكرو العرض الجزئي',
+ repositories: 'التثبيت من المستودع',
+ relations: 'العلاقات',
+ runway: 'تثبيت Runway',
+ runwayModules: 'وحدات Runway',
+ scripting: 'ملفات البرمجة النصية',
+ scripts: 'البرامج النصية',
+ stylesheets: 'أنماط CSS',
+ templates: 'القوالب',
+ logViewer: 'عارض السجلات',
+ users: 'المستخدمون',
+ settingsGroup: 'الإعدادات',
+ templatingGroup: 'القوالب',
+ thirdPartyGroup: 'جهات خارجية',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'تحديث جديد جاهز',
+ updateDownloadText: '%0% جاهز، انقر هنا للتنزيل',
+ updateNoServer: 'لا يوجد اتصال بالخادم',
+ updateNoServerError: 'خطأ في التحقق من التحديث. يرجى مراجعة تتبع الأخطاء لمزيد من المعلومات',
+ },
+ user: {
+ access: 'الوصول',
+ accessHelp: 'استناداً إلى المجموعات المعينة وعقد البداية، يتمتع المستخدم بالوصول إلى العقد التالية',
+ assignAccess: 'تعيين الوصول',
+ administrators: 'مدير',
+ categoryField: 'حقل الفئة',
+ createDate: 'تاريخ إنشاء المستخدم',
+ changePassword: 'تغيير كلمة المرور',
+ changePhoto: 'تغيير الصورة',
+ configureMfa: 'تكوين MFA',
+ emailRequired: 'مطلوب - أدخل عنوان بريد إلكتروني لهذا المستخدم',
+ emailDescription: (usernameIsEmail) => {
+ return usernameIsEmail
+ ? 'يتم استخدام عنوان البريد الإلكتروني للإشعارات، واستعادة كلمة المرور، وكاسم المستخدم لتسجيل الدخول'
+ : 'يتم استخدام عنوان البريد الإلكتروني للإشعارات واستعادة كلمة المرور';
+ },
+ newPassword: 'كلمة مرور جديدة',
+ newPasswordFormatLengthTip: 'الحد الأدنى هو %0% حرفاً!',
+ newPasswordFormatNonAlphaTip: 'يجب أن تحتوي على %0% حرفاً خاصاً على الأقل.',
+ noLockouts: 'لم يتم قفله',
+ noPasswordChange: 'لم يتم تغيير كلمة المرور',
+ confirmNewPassword: 'تأكيد كلمة المرور الجديدة',
+ changePasswordDescription:
+ "يمكنك تغيير كلمة مرورك للوصول إلى واجهة Umbraco من خلال ملء النموذج أدناه والنقر على زر 'تغيير كلمة المرور'",
+ contentChannel: 'قناة المحتوى',
+ createAnotherUser: 'إنشاء مستخدم آخر',
+ createUserHelp:
+ 'قم بإنشاء مستخدمين جدد لمنحهم الوصول إلى Umbraco. عند إنشاء مستخدم جديد، سيتم توليد كلمة مرور يمكنك مشاركتها مع المستخدم.',
+ descriptionField: 'حقل الوصف',
+ disabled: 'تعطيل المستخدم',
+ documentType: 'نوع الوثيقة',
+ duplicateLogin: 'يوجد مستخدم بالفعل بهذا تسجيل الدخول',
+ editors: 'محرر',
+ excerptField: 'حقل المقتطف',
+ failedPasswordAttempts: 'محاولات تسجيل الدخول الفاشلة',
+ goToProfile: 'انتقل إلى ملف المستخدم الشخصي',
+ groupsHelp: 'أضف مجموعات لتعيين الوصول والأذونات',
+ invite: 'دعوة',
+ inviteAnotherUser: 'دعوة مستخدم آخر',
+ inviteUserHelp:
+ 'ادعُ مستخدمين جدد لمنحهم الوصول إلى Umbraco. سيتم إرسال بريد إلكتروني دعوة إلى المستخدم مع معلومات حول كيفية تسجيل الدخول إلى Umbraco. تدوم الدعوات لمدة 72 ساعة.',
+ language: 'اللغة',
+ languageHelp: 'حدد الثقافة التي سترها في القوائم والحوارات',
+ lastLockoutDate: 'تاريخ آخر قفل',
+ lastLogin: 'آخر تسجيل دخول',
+ lastPasswordChangeDate: 'آخر تغيير لكلمة المرور',
+ loginname: 'اسم المستخدم',
+ loginnameRequired: 'مطلوب - أدخل اسم مستخدم لهذا المستخدم',
+ loginnameDescription: 'يتم استخدام اسم المستخدم لتسجيل الدخول',
+ mediastartnode: 'عقد بداية الوسائط',
+ mediastartnodehelp: 'تقييد مكتبة الوسائط إلى عقد بداية محددة',
+ mediastartnodes: 'عقد بداية الوسائط',
+ mediastartnodeshelp: 'تقييد مكتبة الوسائط إلى عقد بداية محددة',
+ modules: 'الأقسام',
+ nameRequired: 'مطلوب - أدخل اسم لهذا المستخدم',
+ noConsole: 'تعطيل الوصول إلى Umbraco',
+ noLogin: 'لم يقم بتسجيل الدخول بعد',
+ oldPassword: 'كلمة المرور القديمة',
+ password: 'كلمة المرور',
+ resetPassword: 'إعادة تعيين كلمة المرور',
+ passwordChanged: 'تم تغيير كلمة المرور الخاصة بك!',
+ passwordChangedGeneric: 'تم تغيير كلمة المرور',
+ passwordConfirm: 'يرجى تأكيد كلمة المرور الجديدة',
+ passwordEnterNew: 'أدخل كلمة المرور الجديدة',
+ passwordIsBlank: 'لا يمكن أن تكون كلمة المرور الجديدة فارغة!',
+ passwordCurrent: 'كلمة المرور الحالية',
+ passwordInvalid: 'كلمة المرور الحالية غير صحيحة',
+ passwordIsDifferent: 'كان هناك اختلاف بين كلمة المرور الجديدة وكلمة المرور المؤكدة. يرجى المحاولة مرة أخرى!',
+ passwordMismatch: 'كلمة المرور المؤكدة لا تطابق كلمة المرور الجديدة!',
+ passwordRequiresDigit: "يجب أن تحتوي كلمة المرور على رقم واحد على الأقل ('0'-'9')",
+ passwordRequiresLower: "يجب أن تحتوي كلمة المرور على حرف صغير واحد على الأقل ('a'-'z')",
+ passwordRequiresNonAlphanumeric: 'يجب أن تحتوي كلمة المرور على حرف غير أبجدي رقمي واحد على الأقل',
+ passwordRequiresUniqueChars: 'يجب أن تستخدم كلمة المرور على الأقل %0% أحرفاً مختلفة',
+ passwordRequiresUpper: "يجب أن تحتوي كلمة المرور على حرف كبير واحد على الأقل ('A'-'Z')",
+ passwordTooShort: 'يجب أن تكون كلمة المرور على الأقل %0% حرفاً',
+ permissionReplaceChildren: 'استبدال أذونات العقد الفرعية',
+ permissionSelectedPages: 'أنت حالياً تعدل الأذونات للصفحات:',
+ permissionSelectPages: 'حدد الصفحات لتعديل أذوناتها',
+ removePhoto: 'إزالة الصورة',
+ permissionsDefault: 'الأذونات الافتراضية',
+ permissionsGranular: 'الأذونات التفصيلية',
+ permissionsGranularHelp: 'تعيين الأذونات للعقد المحددة',
+ permissionsEntityGroup_document: 'المحتوى',
+ permissionsEntityGroup_media: 'الوسائط',
+ permissionsEntityGroup_member: 'الأعضاء',
+ profile: 'الملف الشخصي',
+ searchAllChildren: 'البحث في جميع الأبناء',
+ languagesHelp: 'تقييد اللغات التي يمكن للمستخدمين تعديلها',
+ allowAccessToAllLanguages: 'السماح بالوصول إلى جميع اللغات',
+ allowAccessToAllDocuments: 'السماح بالوصول إلى جميع الوثائق',
+ allowAccessToAllMedia: 'السماح بالوصول إلى جميع الوسائط',
+ sectionsHelp: 'أضف أقسامًا لمنح المستخدمين الوصول',
+ selectUserGroup: (multiple) => {
+ return multiple ? 'حدد مجموعات المستخدمين' : 'حدد مجموعة المستخدمين';
+ },
+ noStartNode: 'لم يتم تحديد عقدة البداية',
+ noStartNodes: 'لم يتم تحديد عقد بدء',
+ startnode: 'عقدة بداية المحتوى',
+ startnodehelp: 'تقييد شجرة المحتوى إلى عقدة بداية محددة',
+ startnodes: 'عقد بداية المحتوى',
+ startnodeshelp: 'تقييد شجرة المحتوى إلى عقد بداية محددة',
+ updateDate: 'تاريخ آخر تحديث للمستخدم',
+ userCreated: 'تم إنشاؤه',
+ userCreatedSuccessHelp: 'تم إنشاء المستخدم الجديد بنجاح. لتسجيل الدخول إلى Umbraco استخدم كلمة المرور أدناه.',
+ userHasPassword: 'تم تعيين كلمة مرور للمستخدم بالفعل',
+ userHasGroup: "المستخدم موجود بالفعل في المجموعة '%0%'",
+ userLockoutNotEnabled: 'القفل غير مفعل لهذا المستخدم',
+ userManagement: 'إدارة المستخدمين',
+ username: 'الاسم',
+ userNotInGroup: "المستخدم ليس في المجموعة '%0%'",
+ userPermissions: 'أذونات المستخدم',
+ usergroup: 'مجموعة المستخدمين',
+ usergroups: 'مجموعات المستخدمين',
+ userInvited: 'تمت دعوته',
+ userInvitedSuccessHelp: 'تم إرسال دعوة إلى المستخدم الجديد مع تفاصيل حول كيفية تسجيل الدخول إلى Umbraco.',
+ userinviteWelcomeMessage:
+ 'مرحباً بك في Umbraco! في دقيقة واحدة فقط ستكون جاهزاً، نحن فقط بحاجة منك لتعيين كلمة مرور وإضافة صورة لملفك الشخصي.',
+ userinviteExpiredMessage:
+ 'مرحباً بك في Umbraco! للأسف انتهت صلاحية دعوتك. يرجى الاتصال بالمسؤول الخاص بك واطلب منهم إعادة إرسالها.',
+ userinviteAvatarMessage: 'رفع صورة لنفسك سيساعد الآخرين على التعرف عليك بسهولة. انقر على الدائرة أعلاه لرفع صورتك.',
+ writer: 'كاتب',
+ configureTwoFactor: 'تكوين التحقق بخطوتين',
+ change: 'تغيير',
+ yourProfile: 'ملفك الشخصي',
+ yourHistory: 'تاريخك الأخير',
+ sessionExpires: 'تنتهي الجلسة في',
+ inviteUser: 'دعوة مستخدم',
+ createUser: 'إنشاء مستخدم',
+ sendInvite: 'إرسال دعوة',
+ backToUsers: 'العودة إلى المستخدمين',
+ defaultInvitationMessage: 'إعادة إرسال الدعوة...',
+ deleteUser: 'حذف المستخدم',
+ deleteUserConfirmation: 'هل أنت متأكد أنك تريد حذف حساب المستخدم هذا؟',
+ stateAll: 'الكل',
+ stateActive: 'نشط',
+ stateDisabled: 'معطل',
+ stateLockedOut: 'مقفول',
+ stateApproved: 'موافق عليه',
+ stateInvited: 'مدعو',
+ stateInactive: 'غير نشط',
+ sortNameAscending: 'الاسم (A-Z)',
+ sortNameDescending: 'الاسم (Z-A)',
+ sortCreateDateDescending: 'الأحدث',
+ sortCreateDateAscending: 'الأقدم',
+ sortLastLoginDateDescending: 'آخر تسجيل دخول',
+ noUserGroupsAdded: 'لم يتم إضافة مجموعات مستخدمين',
+ '2faDisableText':
+ 'إذا كنت ترغب في تعطيل موفر التحقق بخطوتين هذا، يجب عليك إدخال الرمز المعروض على جهاز التوثيق الخاص بك:',
+ '2faProviderIsEnabled': 'تم تفعيل موفر التحقق بخطوتين هذا',
+ '2faProviderIsEnabledMsg': '{0} مفعل الآن',
+ '2faProviderIsNotEnabledMsg': 'حدث خطأ أثناء محاولة تفعيل {0}',
+ '2faProviderIsDisabledMsg': '{0} معطل الآن',
+ '2faProviderIsNotDisabledMsg': 'حدث خطأ أثناء محاولة تعطيل {0}',
+ '2faDisableForUser': 'هل تريد تعطيل "{0}" على هذا المستخدم؟',
+ '2faQrCodeAlt': 'رمز QR للتحقق بخطوتين مع {0}',
+ '2faQrCodeTitle': 'رمز QR للتحقق بخطوتين مع {0}',
+ '2faQrCodeDescription': 'امسح رمز QR هذا باستخدام تطبيق التوثيق الخاص بك لتفعيل التحقق بخطوتين',
+ '2faCodeInput': 'رمز التحقق',
+ '2faCodeInputHelp': 'يرجى إدخال رمز التحقق',
+ '2faInvalidCode': 'رمز غير صالح تم إدخاله',
+ },
+ validation: {
+ validation: 'التحقق',
+ validateAsEmail: 'التحقق كعنوان بريد إلكتروني',
+ validateAsNumber: 'التحقق كرقم',
+ validateAsUrl: 'التحقق كعنوان URL',
+ enterCustomValidation: '...أو أدخل تحققًا مخصصًا',
+ fieldIsMandatory: 'الحقل مطلوب',
+ mandatoryMessage: 'أدخل رسالة خطأ تحقق مخصصة (اختياري)',
+ validationRegExp: 'أدخل تعبيرًا منتظمًا',
+ validationRegExpMessage: 'أدخل رسالة خطأ تحقق مخصصة (اختياري)',
+ minCount: 'يجب عليك إضافة على الأقل',
+ maxCount: 'يمكنك فقط الحصول على',
+ addUpTo: 'إضافة حتى',
+ items: 'عنصر',
+ urls: 'عنوان URL',
+ urlsSelected: 'عنوان URL المحدد',
+ itemsSelected: 'العناصر المحددة',
+ invalidDate: 'تاريخ غير صالح',
+ invalidNumber: 'ليس رقمًا',
+ invalidNumberStepSize: 'حجم خطوة رقمي غير صالح',
+ invalidEmail: 'بريد إلكتروني غير صالح',
+ invalidNull: 'القيمة لا يمكن أن تكون فارغة',
+ invalidEmpty: 'القيمة لا يمكن أن تكون فارغة',
+ invalidPattern: 'القيمة غير صالحة، لا تتطابق مع النمط الصحيح',
+ invalidMemberGroupName: 'اسم مجموعة الأعضاء غير صالح',
+ invalidUserGroupName: 'اسم مجموعة المستخدمين غير صالح',
+ invalidToken: 'رمز غير صالح',
+ invalidUsername: 'اسم المستخدم غير صالح',
+ duplicateEmail: "البريد الإلكتروني '%0%' مستخدم بالفعل",
+ duplicateUserGroupName: "اسم مجموعة المستخدمين '%0%' مستخدم بالفعل",
+ duplicateMemberGroupName: "اسم مجموعة الأعضاء '%0%' مستخدم بالفعل",
+ duplicateUsername: "اسم المستخدم '%0%' مستخدم بالفعل",
+ customValidation: 'التحقق المخصص',
+ entriesShort: 'الحد الأدنى %0% إدخالات، يتطلب %1% أكثر.',
+ entriesExceed: 'الحد الأقصى %0% إدخالات، %1% كثيرة جدًا.',
+ entriesAreasMismatch: 'متطلبات كمية المحتوى غير متوفرة في منطقة أو أكثر.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "القيمة تم تعيينها إلى القيمة الموصى بها: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "القيمة المتوقعة '%1%' لـ '%2%' في ملف التكوين '%3%'، ولكن تم العثور على '%0%'.\n ",
+ checkErrorMessageUnexpectedValue: "تم العثور على قيمة غير متوقعة '%0%' لـ '%2%' في ملف التكوين '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "MacroErrors تم تعيينها إلى '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors تم تعيينها إلى '%0%' مما سيمنع بعض أو جميع الصفحات في\n موقعك من التحميل بالكامل إذا كانت هناك أي أخطاء في الماكرو. تصحيح ذلك سيجعل القيمة تُعيّن إلى '%1%'.\n ",
+ httpsCheckValidCertificate: 'شهادة موقعك صالحة.',
+ httpsCheckInvalidCertificate: "خطأ في التحقق من الشهادة: '%0%'",
+ httpsCheckExpiredCertificate: 'شهادة SSL لموقعك قد انتهت صلاحيتها.',
+ httpsCheckExpiringCertificate: 'شهادة SSL لموقعك تنتهي صلاحيتها في %0% يوماً.',
+ healthCheckInvalidUrl: "خطأ في اختبار URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'أنت حالياً %0% تعرض الموقع باستخدام مخطط HTTPS.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "إعداد التطبيق 'Umbraco:CMS:Global:UseHttps' تم تعيينه إلى 'false' في\n ملف appSettings.json الخاص بك. بمجرد وصولك إلى هذا الموقع باستخدام مخطط HTTPS، يجب تعيينه إلى 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "إعداد التطبيق 'Umbraco:CMS:Global:UseHttps' تم تعيينه إلى '%0%' في\n ملف appSettings.json الخاص بك، وملفات تعريف الارتباط الخاصة بك %1% مُعلمة كأمنة.\n ",
+ compilationDebugCheckSuccessMessage: 'وضع الترجمة التصحيحية معطل.',
+ compilationDebugCheckErrorMessage:
+ 'وضع الترجمة التصحيحية مفعل حاليًا. يُوصى بإيقاف هذا الإعداد قبل الانتقال للعرض المباشر.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "إعداد التطبيق 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' تم تعيينه إلى %0%.",
+ umbracoApplicationUrlCheckResultFalse: "إعداد التطبيق 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' غير مُعين.",
+ clickJackingCheckHeaderFound:
+ 'تم العثور على الرأس أو العلامة X-Frame-Options التي تُستخدم للتحكم فيما إذا كان يمكن عرض الموقع في IFRAME من قبل موقع آخر.',
+ clickJackingCheckHeaderNotFound:
+ 'لم يتم العثور على الرأس أو العلامة X-Frame-Options التي تُستخدم للتحكم فيما إذا كان يمكن عرض الموقع في IFRAME من قبل موقع آخر.',
+ noSniffCheckHeaderFound:
+ 'تم العثور على الرأس أو العلامة X-Content-Type-Options التي تُستخدم للحماية ضد ثغرات MIME sniffing.',
+ noSniffCheckHeaderNotFound:
+ 'لم يتم العثور على الرأس أو العلامة X-Content-Type-Options التي تُستخدم للحماية ضد ثغرات MIME sniffing.',
+ hSTSCheckHeaderFound:
+ 'تم العثور على الرأس Strict-Transport-Security، والمعروف أيضًا باسم رأس HSTS.',
+ hSTSCheckHeaderNotFound: 'لم يتم العثور على الرأس Strict-Transport-Security.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'تم العثور على الرأس Strict-Transport-Security، والمعروف أيضًا باسم رأس HSTS. يجب ألا يكون هذا الرأس موجودًا على localhost.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'لم يتم العثور على الرأس Strict-Transport-Security. يجب ألا يكون هذا الرأس موجودًا على localhost.',
+ xssProtectionCheckHeaderFound:
+ 'تم العثور على الرأس X-XSS-Protection. يوصى بعدم إضافة هذا الرأس إلى موقعك. \n يمكنك قراءة المزيد عن هذا على موقع Mozilla',
+ xssProtectionCheckHeaderNotFound: 'لم يتم العثور على الرأس X-XSS-Protection.',
+ excessiveHeadersFound:
+ 'تم العثور على الرؤوس التالية التي تكشف عن معلومات حول تكنولوجيا الموقع: %0%.',
+ excessiveHeadersNotFound: 'لم يتم العثور على رؤوس تكشف عن معلومات حول تكنولوجيا الموقع.\n ',
+ smtpMailSettingsNotFound: "إعدادات 'Umbraco:CMS:Global:Smtp' لم يتم العثور عليها.",
+ smtpMailSettingsHostNotConfigured: "إعداد 'Umbraco:CMS:Global:Smtp:Host' لم يتم العثور عليه.\n ",
+ smtpMailSettingsConnectionSuccess: 'تم تكوين إعدادات SMTP بشكل صحيح والخدمة تعمل كما هو متوقع.\n ',
+ smtpMailSettingsConnectionFail:
+ "لم يتم الوصول إلى خادم SMTP المُعين بالمضيف '%0%' والمنفذ '%1%'. يرجى التحقق للتأكد من صحة إعدادات SMTP في التكوين 'Umbraco:CMS:Global:Smtp'.\n ",
+ notificationEmailsCheckSuccessMessage: 'تم تعيين بريد الإشعارات إلى %0%.',
+ notificationEmailsCheckErrorMessage: 'بريد الإشعارات ما زال مضبوطًا على القيمة الافتراضية %0%.',
+ checkGroup: 'فحص المجموعة',
+ helpText:
+ '\n
مدقق الصحة يقيم مجالات مختلفة في موقعك لأفضل إعدادات الممارسات والتكوين والمشاكل المحتملة، وما إلى ذلك. يمكنك إصلاح المشكلات بسهولة عن طريق الضغط على زر.\n يمكنك إضافة فحوصات صحية خاصة بك، راجع التوثيق لمزيد من المعلومات حول فحوصات الصحة المخصصة.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'تعطيل تتبع URL',
+ enableUrlTracker: 'تمكين تتبع URL',
+ culture: 'الثقافة',
+ originalUrl: 'URL الأصلي',
+ redirectedTo: 'تم إعادة التوجيه إلى',
+ redirectUrlManagement: 'إدارة URL التحويل',
+ panelInformation: 'توجه URLs التالية إلى هذا العنصر المحتوى:',
+ noRedirects: 'لم يتم إجراء أي تحويلات',
+ noRedirectsDescription: 'عند إعادة تسمية صفحة منشورة أو نقلها، سيتم تلقائيًا إجراء تحويل إلى الصفحة الجديدة.\n ',
+ redirectRemoved: 'تمت إزالة URL التحويل.',
+ redirectRemoveError: 'خطأ في إزالة URL التحويل.',
+ redirectRemoveWarning: 'سيتم إزالة التحويل',
+ confirmDisable: 'هل أنت متأكد أنك تريد تعطيل تتبع URL؟',
+ disabledConfirm: 'تم الآن تعطيل تتبع URL.',
+ disableError: 'خطأ في تعطيل تتبع URL، يمكن العثور على مزيد من المعلومات في ملف السجل الخاص بك.',
+ enabledConfirm: 'تم الآن تمكين تتبع URL.',
+ enableError: 'خطأ في تمكين تتبع URL، يمكن العثور على مزيد من المعلومات في ملف السجل الخاص بك.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'لا توجد عناصر قاموس للاختيار منها',
+ },
+ textbox: {
+ characters_left: '%0% أحرف متبقية.',
+ characters_exceed: 'الحد الأقصى هو %0% أحرف، %1% أكثر من اللازم.',
+ },
+ recycleBin: {
+ contentTrashed: 'تم نقل المحتوى إلى سلة المهملات برقم: {0} المرتبط بالمحتوى الأصلي برقم: {1}',
+ mediaTrashed: 'تم نقل الوسائط إلى سلة المهملات برقم: {0} المرتبط بعنصر الوسائط الأصلي برقم: {1}',
+ itemCannotBeRestored: 'لا يمكن استعادة هذا العنصر تلقائيًا',
+ itemCannotBeRestoredHelpText:
+ 'لا يوجد موقع يمكن استعادة هذا العنصر إليه تلقائيًا. يمكنك نقل العنصر يدويًا باستخدام الشجرة أدناه.\n ',
+ wasRestored: 'تمت استعادته تحت',
+ },
+ relationType: {
+ direction: 'الاتجاه',
+ parentToChild: 'من الأصل إلى الفرع',
+ bidirectional: 'ثنائي الاتجاه',
+ parent: 'أصل',
+ child: 'فرع',
+ count: 'العدد',
+ relation: 'العلاقة',
+ relations: 'العلاقات',
+ created: 'تم الإنشاء',
+ comment: 'تعليق',
+ name: 'الاسم',
+ noRelations: 'لا توجد علاقات لنوع العلاقة هذا',
+ tabRelationType: 'نوع العلاقة',
+ tabRelations: 'العلاقات',
+ isDependency: 'هل هو تبعية',
+ dependency: 'نعم',
+ noDependency: 'لا',
+ },
+ dashboardTabs: {
+ contentIntro: 'بدء الاستخدام',
+ contentRedirectManager: 'إدارة تحويل URL',
+ mediaFolderBrowser: 'المحتوى',
+ settingsWelcome: 'مرحبا',
+ settingsExamine: 'إدارة الفحص',
+ settingsPublishedStatus: 'حالة النشر',
+ settingsModelsBuilder: 'بناء النماذج',
+ settingsHealthCheck: 'فحص الصحة',
+ settingsProfiler: 'التفحص',
+ memberIntro: 'بدء الاستخدام',
+ settingsAnalytics: 'بيانات التحليلات',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'العودة',
+ activeListLayout: 'التخطيط النشط:',
+ jumpTo: 'انتقل إلى',
+ group: 'مجموعة',
+ passed: 'مقبول',
+ warning: 'تحذير',
+ failed: 'فشل',
+ suggestion: 'اقتراح',
+ checkPassed: 'التحقق تم بنجاح',
+ checkFailed: 'التحقق فشل',
+ openBackofficeSearch: 'فتح بحث المكتب الخلفي',
+ openCloseBackofficeHelp: 'فتح/إغلاق مساعدة المكتب الخلفي',
+ openCloseBackofficeProfileOptions: 'فتح/إغلاق خيارات ملفك الشخصي',
+ assignDomainDescription: 'إعداد الثقافة وأسماء النطاقات لـ %0%',
+ createDescription: 'إنشاء عقدة جديدة تحت %0%',
+ protectDescription: 'إعداد قيود الوصول على %0%',
+ rightsDescription: 'إعداد الأذونات على %0%',
+ sortDescription: 'تغيير ترتيب الفرز لـ %0%',
+ createblueprintDescription: 'إنشاء مخطط مستند استنادًا إلى %0%',
+ openContextMenu: 'فتح قائمة السياق لـ',
+ currentLanguage: 'اللغة الحالية',
+ switchLanguage: 'تبديل اللغة إلى',
+ createNewFolder: 'إنشاء مجلد جديد',
+ newPartialView: 'عرض جزئي',
+ newPartialViewMacro: 'ماكرو عرض جزئي',
+ newMember: 'عضو',
+ newDataType: 'نوع بيانات',
+ redirectDashboardSearchLabel: 'بحث في لوحة تحكم التحويل',
+ userGroupSearchLabel: 'بحث في قسم مجموعة المستخدمين',
+ userSearchLabel: 'بحث في قسم المستخدمين',
+ createItem: 'إنشاء عنصر',
+ create: 'إنشاء',
+ edit: 'تعديل',
+ name: 'الاسم',
+ addNewRow: 'إضافة صف جديد',
+ tabExpand: 'عرض المزيد من الخيارات',
+ searchOverlayTitle: 'بحث في مكتب Umbraco الخلفي',
+ searchOverlayDescription: 'ابحث عن عقد المحتوى، عقد الوسائط، وما إلى ذلك عبر المكتب الخلفي.',
+ searchInputDescription:
+ 'عند توفر نتائج الإكمال التلقائي، اضغط على الأسهم لأعلى ولأسفل، أو استخدم مفتاح التبويب واضغط على مفتاح الإدخال للاختيار.\n ',
+ path: 'المسار:',
+ foundIn: 'وجد في',
+ hasTranslation: 'لديه ترجمة',
+ noTranslation: 'مفقودة الترجمة',
+ dictionaryListCaption: 'عناصر القاموس',
+ contextMenuDescription: 'اختر أحد الخيارات لتعديل العقدة.',
+ contextDialogDescription: 'تنفيذ الإجراء %0% على العقدة %1%',
+ addImageCaption: 'إضافة تعليق للصورة',
+ searchContentTree: 'بحث في شجرة المحتوى',
+ maxAmount: 'الحد الأقصى',
+ },
+ references: {
+ tabName: 'المراجع',
+ DataTypeNoReferences: 'لا توجد مراجع لهذا النوع من البيانات.',
+ itemHasNoReferences: 'لا يحتوي هذا العنصر على مراجع.',
+ labelUsedByDocumentTypes: 'مستشهد به من قبل أنواع الوثائق التالية',
+ labelUsedByMediaTypes: 'مستشهد به من قبل أنواع الوسائط التالية',
+ labelUsedByMemberTypes: 'مستشهد به من قبل أنواع الأعضاء التالية',
+ usedByProperties: 'مستشهد به من قبل',
+ labelUsedByItems: 'مستشهد به من قبل العناصر التالية',
+ labelDependsOnThis: 'العناصر التالية تعتمد على هذا',
+ labelUsedItems: 'العناصر التالية يتم الاستشهاد بها',
+ labelUsedDescendants: 'العناصر اللاحقة التالية لها تبعيات',
+ labelDependentDescendants: 'العناصر اللاحقة التالية لها تبعيات',
+ deleteWarning: 'يتم الاستشهاد بهذا العنصر أو أحفاده. يمكن أن تؤدي الحذف إلى روابط مكسورة على موقعك الإلكتروني.',
+ unpublishWarning:
+ 'يتم الاستشهاد بهذا العنصر أو أحفاده. يمكن أن يؤدي إلغاء النشر إلى روابط مكسورة على موقعك الإلكتروني. يرجى اتخاذ الإجراءات المناسبة.',
+ deleteDisabledWarning: 'يتم الاستشهاد بهذا العنصر أو أحفاده. لذلك، تم تعطيل الحذف.',
+ listViewDialogWarning: 'العناصر التالية التي تحاول %0% يتم الاستشهاد بها من قبل محتوى آخر.',
+ labelMoreReferences: (count) => {
+ if (count === 1) return '...ومزيد من عنصر واحد';
+ return `...ومزيد من ${count} عناصر`;
+ },
+ },
+ logViewer: {
+ deleteSavedSearch: 'حذف البحث المحفوظ',
+ logLevels: 'مستويات السجل',
+ selectAllLogLevelFilters: 'تحديد الكل',
+ deselectAllLogLevelFilters: 'إلغاء تحديد الكل',
+ savedSearches: 'البحث المحفوظ',
+ saveSearch: 'حفظ البحث',
+ saveSearchDescription: 'أدخل اسمًا وديًا لاستعلام البحث الخاص بك',
+ filterSearch: 'تصفية البحث',
+ totalItems: 'إجمالي العناصر',
+ timestamp: 'الطابع الزمني',
+ level: 'المستوى',
+ machine: 'الآلة',
+ message: 'الرسالة',
+ exception: 'الاستثناء',
+ properties: 'الخصائص',
+ searchWithGoogle: 'البحث باستخدام جوجل',
+ searchThisMessageWithGoogle: 'ابحث عن هذه الرسالة باستخدام جوجل',
+ searchWithBing: 'البحث باستخدام بينج',
+ searchThisMessageWithBing: 'ابحث عن هذه الرسالة باستخدام بينج',
+ searchOurUmbraco: 'البحث في Umbraco الخاص بنا',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'ابحث عن هذه الرسالة في منتديات ومراسلات Umbraco الخاصة بنا',
+ searchOurUmbracoWithGoogle: 'البحث في Umbraco الخاص بنا باستخدام جوجل',
+ searchOurUmbracoForumsUsingGoogle: 'البحث في منتديات Umbraco الخاصة بنا باستخدام جوجل',
+ searchUmbracoSource: 'البحث في مصدر Umbraco',
+ searchWithinUmbracoSourceCodeOnGithub: 'البحث ضمن كود مصدر Umbraco على Github',
+ searchUmbracoIssues: 'البحث في قضايا Umbraco',
+ searchUmbracoIssuesOnGithub: 'البحث في قضايا Umbraco على Github',
+ deleteThisSearch: 'حذف هذا البحث',
+ findLogsWithRequestId: 'البحث في السجلات باستخدام معرّف الطلب',
+ findLogsWithNamespace: 'البحث في السجلات باستخدام النطاق',
+ findLogsWithMachineName: 'البحث في السجلات باستخدام اسم الآلة',
+ open: 'فتح',
+ polling: 'استطلاع',
+ every2: 'كل 2 ثانية',
+ every5: 'كل 5 ثوانٍ',
+ every10: 'كل 10 ثوانٍ',
+ every20: 'كل 20 ثانية',
+ every30: 'كل 30 ثانية',
+ pollingEvery2: 'استطلاع كل 2 ثانية',
+ pollingEvery5: 'استطلاع كل 5 ثوانٍ',
+ pollingEvery10: 'استطلاع كل 10 ثوانٍ',
+ pollingEvery20: 'استطلاع كل 20 ثانية',
+ pollingEvery30: 'استطلاع كل 30 ثانية',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'نسخ %0%',
+ labelForArrayOfItemsFrom: '%0% من %1%',
+ labelForArrayOfItems: 'مجموعة من %0%',
+ labelForRemoveAllEntries: 'إزالة جميع العناصر',
+ labelForClearClipboard: 'مسح الحافظة',
+ labelForCopyToClipboard: 'نسخ إلى الحافظة',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'فتح إجراءات الخصائص',
+ tooltipForPropertyActionsMenuClose: 'إغلاق إجراءات الخصائص',
+ },
+ nuCache: {
+ refreshStatus: 'تحديث الحالة',
+ memoryCache: 'ذاكرة التخزين المؤقت',
+ memoryCacheDescription:
+ 'هذا الزر يتيح لك إعادة تحميل ذاكرة التخزين المؤقت في الذاكرة، من خلال إعادة تحميلها بالكامل من قاعدة البيانات (ولكنه لا يعيد بناء تلك الذاكرة المؤقتة في قاعدة البيانات). هذا سريع نسبيًا. استخدمه عندما تعتقد أن ذاكرة التخزين المؤقت في الذاكرة لم يتم تحديثها بشكل صحيح، بعد بعض الأحداث التي تم تشغيلها—مما قد يشير إلى مشكلة طفيفة في Umbraco. (ملاحظة: يشغل إعادة التحميل على جميع الخوادم في بيئة LB).',
+ reload: 'إعادة تحميل',
+ databaseCache: 'ذاكرة التخزين المؤقت لقاعدة البيانات',
+ databaseCacheDescription:
+ 'هذا الزر يتيح لك إعادة بناء ذاكرة التخزين المؤقت لقاعدة البيانات، أي محتوى جدول cmsContentNu. إعادة البناء يمكن أن تكون مكلفة. استخدمه عندما لا يكون إعادة التحميل كافيًا، وتعتقد أن ذاكرة التخزين المؤقت لقاعدة البيانات لم يتم إنشاؤها بشكل صحيح—مما قد يشير إلى مشكلة حاسمة في Umbraco.',
+ rebuild: 'إعادة بناء',
+ internals: 'الأنظمة الداخلية',
+ internalsDescription:
+ 'هذا الزر يتيح لك تشغيل مجموعة لقطات NuCache (بعد تشغيل GC الكامل). ما لم تكن تعرف ما يعني ذلك، فمن المحتمل أنك لا تحتاج إلى استخدامه.',
+ collect: 'جمع',
+ publishedCacheStatus: 'حالة ذاكرة التخزين المؤقت المنشورة',
+ caches: 'ذاكرات التخزين المؤقت',
+ },
+ profiling: {
+ performanceProfiling: 'تحليل الأداء',
+ performanceProfilingDescription:
+ '
تشغيل Umbraco حاليًا في وضع التصحيح. هذا يعني أنه يمكنك استخدام أداة تحليل الأداء المدمجة لتقييم الأداء عند عرض الصفحات.
إذا كنت تريد تفعيل أداة التحليل لعرض صفحة معينة، أضف ببساطة umbDebug=true إلى سلسلة الاستعلام عند طلب الصفحة.
إذا كنت تريد أن يتم تفعيل أداة التحليل بشكل افتراضي لجميع عمليات عرض الصفحات، يمكنك استخدام التبديل أدناه. سيقوم بتعيين ملف تعريف في متصفحك، والذي يقوم بعد ذلك بتفعيل أداة التحليل تلقائيًا. بعبارة أخرى، ستكون أداة التحليل نشطة افتراضيًا فقط في متصفحك - وليس في متصفحات الآخرين.
يجب ألا تدع موقع الإنتاج يعمل في وضع التصحيح. يتم إيقاف وضع التصحيح عن طريق تعيين Umbraco:CMS:Hosting:Debug إلى false في appsettings.json أو appsettings.{Environment}.json أو عبر متغير بيئة.
',
+ profilerEnabledDescription:
+ '
Umbraco حاليًا لا يعمل في وضع التصحيح، لذا لا يمكنك استخدام أداة التحليل المدمجة. هذا هو الوضع الصحيح لموقع الإنتاج.
يتم تشغيل وضع التصحيح عن طريق تعيين Umbraco:CMS:Hosting:Debug إلى true في appsettings.json أو appsettings.{Environment}.json أو عبر متغير بيئة.
',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'ساعات من مقاطع فيديو تدريب Umbraco على بعد نقرة واحدة',
+ trainingDescription:
+ '
هل تريد إتقان Umbraco؟ اقض بضع دقائق في تعلم بعض الممارسات الأفضل من خلال مشاهدة واحدة من هذه الفيديوهات حول استخدام Umbraco. وزيارة umbraco.tv لمزيد من مقاطع الفيديو حول Umbraco
',
+ },
+ settingsDashboard: {
+ documentationHeader: 'التوثيق',
+ documentationDescription: 'اقرأ المزيد عن العمل مع العناصر في الإعدادات في توثيقنا.',
+ communityHeader: 'المجتمع',
+ communityDescription: 'اطرح سؤالاً في منتدى المجتمع أو مجتمع Discord لدينا.',
+ trainingHeader: 'التدريب',
+ trainingDescription: 'اكتشف فرص التدريب والتأهيل الرسمية',
+ supportHeader: 'الدعم',
+ supportDescription: 'قم بتوسيع فريقك مع مجموعة ماهرة ومتحمسة من خبراء Umbraco.',
+ videosHeader: 'مقاطع الفيديو',
+ videosDescription:
+ 'شاهد مقاطع الفيديو التعليمية المجانية لدينا على قناة YouTube الخاصة بأساسيات Umbraco، لتصبح على اطلاع سريع بـ Umbraco.',
+ getHelp: 'احصل على المساعدة التي تحتاجها',
+ getCertified: 'احصل على الشهادة',
+ goForum: 'اذهب إلى المنتدى',
+ chatWithCommunity: 'الدردشة مع المجتمع',
+ watchVideos: 'شاهد مقاطع الفيديو',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'مرحبًا بك في نظام إدارة المحتوى الودود',
+ fallbackDescription:
+ 'شكرًا لاختيارك Umbraco - نعتقد أن هذه قد تكون بداية شيء جميل. بينما قد يبدو الأمر مربكًا في البداية، لقد بذلنا الكثير لجعل منحنى التعلم سلسًا وسريعًا قدر الإمكان.',
+ },
+ welcomeDashboard: {
+ ourUmbracoHeadline: 'Umbraco الخاص بنا - أكثر المجتمعات صداقة',
+ ourUmbracoDescription:
+ 'Umbraco الخاص بنا، الموقع الرسمي للمجتمع، هو وجهتك الشاملة لكل شيء متعلق بـ Umbraco. سواء كنت بحاجة إلى إجابة على سؤال، أو إضافات رائعة، أو دليل حول كيفية القيام بشيء ما في Umbraco، فإن أفضل وأصدق مجتمع في العالم هو مجرد نقرة بعيدًا.',
+ ourUmbracoButton: 'زيارة Umbraco الخاص بنا',
+ documentationHeadline: 'التوثيق',
+ documentationDescription: 'ابحث عن إجابات لجميع أسئلتك حول Umbraco',
+ communityHeadline: 'المجتمع',
+ communityDescription: 'احصل على الدعم والإلهام من خبراء Umbraco المتحمسين',
+ resourcesHeadline: 'الموارد',
+ resourcesDescription: 'دروس فيديو مجانية لبدء رحلتك مع نظام إدارة المحتوى',
+ trainingHeadline: 'التدريب',
+ trainingDescription: 'التدريب الواقعي وشهادات Umbraco الرسمية',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'اختيار نوع العنصر',
+ headlineAddSettingsElementType: 'إضافة نوع عنصر الإعدادات',
+ headlineAddCustomView: 'اختيار العرض',
+ headlineAddCustomStylesheet: 'اختيار ورقة الأنماط',
+ headlineAddThumbnail: 'اختيار الصورة المصغرة',
+ labelcreateNewElementType: 'إنشاء نوع عنصر جديد',
+ labelCustomStylesheet: 'ورقة أنماط مخصصة',
+ addCustomStylesheet: 'إضافة ورقة أنماط',
+ headlineEditorAppearance: 'مظهر الكتلة',
+ headlineDataModels: 'نماذج البيانات',
+ headlineCatalogueAppearance: 'مظهر الكتالوج',
+ labelBackgroundColor: 'لون الخلفية',
+ labelIconColor: 'لون الأيقونة',
+ labelContentElementType: 'نموذج المحتوى',
+ labelLabelTemplate: 'التسمية',
+ labelCustomView: 'عرض مخصص',
+ labelCustomViewInfoTitle: 'عرض وصف العرض المخصص',
+ labelCustomViewDescription:
+ 'تجاوز كيفية ظهور هذه الكتلة في واجهة المستخدم الخلفية. اختر ملف .html يحتوي على تقديمك.',
+ labelSettingsElementType: 'نموذج الإعدادات',
+ labelEditorSize: 'حجم محرر التراكب',
+ addCustomView: 'إضافة عرض مخصص',
+ addSettingsElementType: 'إضافة إعدادات',
+ confirmDeleteBlockMessage: 'هل أنت متأكد أنك تريد حذف المحتوى %0%؟',
+ confirmDeleteBlockTypeMessage: 'هل أنت متأكد أنك تريد حذف تكوين الكتلة %0%؟',
+ confirmDeleteBlockTypeNotice:
+ 'سيظل محتوى هذه الكتلة موجودًا، ولكن تحرير هذا المحتوى لن يكون متاحًا وسيظهر كمحتوى غير مدعوم.',
+ confirmDeleteBlockGroupMessage:
+ 'هل أنت متأكد أنك تريد حذف المجموعة %0% وجميع تكوينات الكتلة الخاصة بها؟',
+ confirmDeleteBlockGroupNotice:
+ 'سيظل محتوى هذه الكتل موجودًا، ولكن تحرير هذا المحتوى لن يكون متاحًا وسيظهر كمحتوى غير مدعوم.',
+ blockConfigurationOverlayTitle: "تكوين '%0%'",
+ elementTypeDoesNotExist: 'لا يمكن تحريره لأن نوع العنصر غير موجود.',
+ thumbnail: 'صورة مصغرة',
+ addThumbnail: 'إضافة صورة مصغرة',
+ tabCreateEmpty: 'إنشاء فارغ',
+ tabClipboard: 'الحافظة',
+ tabBlockSettings: 'الإعدادات',
+ headlineAdvanced: 'متقدم',
+ headlineCustomView: 'عرض مخصص',
+ forceHideContentEditor: 'إخفاء محرر المحتوى',
+ forceHideContentEditorHelp: 'إخفاء زر تحرير المحتوى ومحرر المحتوى من تراكب محرر الكتل',
+ gridInlineEditing: 'تحرير مباشر',
+ gridInlineEditingHelp: 'يتيح التحرير المباشر لأول خاصية. يمكن تحرير الخصائص الإضافية في التراكب.',
+ blockHasChanges: 'لقد أجريت تغييرات على هذا المحتوى. هل أنت متأكد أنك تريد تجاهلها؟',
+ confirmCancelBlockCreationHeadline: 'تجاهل الإنشاء؟',
+ confirmCancelBlockCreationMessage: 'هل أنت متأكد أنك تريد إلغاء الإنشاء.',
+ elementTypeDoesNotExistHeadline: 'خطأ!',
+ elementTypeDoesNotExistDescription: 'نوع العنصر لهذه الكتلة لم يعد موجودًا',
+ addBlock: 'إضافة محتوى',
+ addThis: 'إضافة %0%',
+ propertyEditorNotSupported: "الخاصية '%0%' تستخدم المحرر '%1%' والذي لا يدعمه الكتل.",
+ focusParentBlock: 'تعيين التركيز على الكتلة الحاوية',
+ areaIdentification: 'التحديد',
+ areaValidation: 'التحقق',
+ areaValidationEntriesShort: '%0% يجب أن تكون موجودة على الأقل %2% مرة(s).',
+ areaValidationEntriesExceed: '%0% يجب أن تكون موجودة بحد أقصى %3% مرة(s).',
+ areaNumberOfBlocks: 'عدد الكتل',
+ areaDisallowAllBlocks: 'السماح بأنواع كتل محددة فقط',
+ areaAllowedBlocks: 'أنواع الكتل المسموح بها',
+ areaAllowedBlocksHelp:
+ 'حدد أنواع الكتل المسموح بها في هذه المنطقة، واختياريًا عدد كل نوع من الأنواع التي يجب أن تكون موجودة.',
+ confirmDeleteBlockAreaMessage: 'هل أنت متأكد أنك تريد حذف هذه المنطقة؟',
+ confirmDeleteBlockAreaNotice: 'أي كتل تم إنشاؤها حاليًا داخل هذه المنطقة سيتم حذفها.',
+ layoutOptions: 'خيارات التخطيط',
+ structuralOptions: 'هيكلية',
+ sizeOptions: 'خيارات الحجم',
+ sizeOptionsHelp: 'حدد خيارًا أو أكثر من خيارات الحجم، هذا يمكن أن يتيح تغيير حجم الكتلة',
+ allowedBlockColumns: 'امتدادات الأعمدة المتاحة',
+ allowedBlockColumnsHelp:
+ 'حدد عدد الأعمدة المختلفة التي يُسمح لهذه الكتلة بالامتداد عبرها. هذا لا يمنع الكتل من وضعها في مناطق ذات امتداد أعمدة أصغر.',
+ allowedBlockRows: 'امتدادات الصفوف المتاحة',
+ allowedBlockRowsHelp: 'حدد نطاق الصفوف التخطيطية التي يُسمح لهذه الكتلة بالامتداد عبرها.',
+ allowBlockInRoot: 'السماح في الجذر',
+ allowBlockInRootHelp: 'اجعل هذه الكتلة متاحة في جذر التخطيط.',
+ allowBlockInAreas: 'السماح في المناطق',
+ allowBlockInAreasHelp:
+ 'اجعل هذه الكتلة متاحة افتراضيًا ضمن مناطق كتل أخرى (ما لم يتم تعيين أذونات صريحة لهذه المناطق).',
+ areaAllowedBlocksEmpty:
+ 'افتراضيًا، جميع أنواع الكتل مسموح بها في منطقة، استخدم هذا الخيار للسماح بأنواع محددة فقط.',
+ areas: 'المناطق',
+ areasLayoutColumns: 'أعمدة الشبكة للمناطق',
+ areasLayoutColumnsHelp:
+ 'حدد عدد الأعمدة المتاحة للمناطق. إذا لم يتم تحديدها، سيتم استخدام عدد الأعمدة المحدد للتخطيط الكامل.',
+ areasConfigurations: 'المناطق',
+ areasConfigurationsHelp:
+ 'لتمكين تداخل الكتل داخل هذه الكتلة، حدد منطقة واحدة أو أكثر. تتبع المناطق التخطيط المحدد من خلال تكوين عمود الشبكة الخاص بها. يمكن تعديل "امتداد العمود" و "امتداد الصف" لكل منطقة باستخدام مربع مقبض التدرج في الزاوية السفلى اليمنى من المنطقة المحددة.',
+ invalidDropPosition: '%0% غير مسموح به في هذا الموضع.',
+ defaultLayoutStylesheet: 'ورقة أنماط التخطيط الافتراضية',
+ confirmPasteDisallowedNestedBlockHeadline: 'تم رفض المحتوى غير المسموح به',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'احتوى المحتوى الذي تم إدراجه على محتوى غير مسموح به، والذي لم يتم إنشاؤه. هل ترغب في الاحتفاظ ببقية هذا المحتوى على أي حال؟',
+ areaAliasHelp:
+ 'عند استخدام GetBlockGridHTML() لعرض شبكة الكتل، سيتم عرض الاسم المستعار في الشيفرة المصدرية كخاصية \'data-area-alias\'. استخدم خاصية الاسم المستعار لاستهداف العنصر للمنطقة. مثال. .umb-block-grid__area[data-area-alias="MyAreaAlias"] { ... }',
+ scaleHandlerButtonTitle: 'اسحب للتغيير الحجم',
+ areaCreateLabelTitle: 'تسمية زر الإنشاء',
+ areaCreateLabelHelp: 'تجاوز نص التسمية لإضافة كتلة جديدة إلى هذه المنطقة، مثال: "إضافة عنصر واجهة المستخدم"',
+ showSizeOptions: 'عرض خيارات تغيير الحجم',
+ addBlockType: 'إضافة كتلة',
+ addBlockGroup: 'إضافة مجموعة',
+ pickSpecificAllowance: 'اختر مجموعة أو كتلة',
+ allowanceMinimum: 'تحديد الحد الأدنى المطلوب',
+ allowanceMaximum: 'تحديد الحد الأقصى المطلوب',
+ block: 'كتلة',
+ tabBlock: 'كتلة',
+ tabBlockTypeSettings: 'الإعدادات',
+ tabAreas: 'المناطق',
+ tabAdvanced: 'متقدم',
+ headlineAllowance: 'الأذونات',
+ getSampleHeadline: 'تثبيت التكوين التجريبي',
+ getSampleDescription:
+ 'سيضيف هذا كتل أساسية ويساعدك على البدء باستخدام محرر شبكة الكتل. ستحصل على كتل للعناوين والنصوص الغنية والصور، بالإضافة إلى تخطيط بعمودين.',
+ getSampleButton: 'تثبيت',
+ actionEnterSortMode: 'وضع الترتيب',
+ actionExitSortMode: 'إنهاء وضع الترتيب',
+ areaAliasIsNotUnique: 'يجب أن يكون اسم المنطقة هذا فريد مقارنةً بالمناطق الأخرى لهذه الكتلة.',
+ configureArea: 'تكوين المنطقة',
+ deleteArea: 'حذف المنطقة',
+ addColumnSpanOption: 'إضافة خيار امتداد %0% عمود',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'ما هي المخططات الوثائقية؟',
+ whatDescription: 'المخططات الوثائقية هي محتوى مُعرّف مسبقًا يمكن تحديده عند إنشاء عقدة محتوى جديدة.',
+ createHeadline: 'كيف يمكنني إنشاء مخطط وثائقي؟',
+ createDescription:
+ '
انقر بزر الماوس الأيمن على شجرة المخططات الوثائقية في قسم الإعدادات واختر نوع الوثيقة الذي تريد إنشاء مخطط وثائقي له.
بمجرد إعطائها اسمًا، يمكن للمحررين البدء في استخدام المخطط الوثائقي كأساس لصفحتهم الجديدة.
',
+ manageHeadline: 'كيف يمكنني إدارة المخططات الوثائقية؟',
+ manageDescription:
+ 'يمكنك تعديل وحذف المخططات الوثائقية من "شجرة المخططات الوثائقية" في قسم الإعدادات. قم بتوسيع نوع الوثيقة الذي يعتمد عليه المخطط الوثائقي وانقر عليه لتعديله أو حذفه.',
+ },
+ preview: {
+ endLabel: 'نهاية',
+ endTitle: 'إنهاء وضع المعاينة',
+ openWebsiteLabel: 'معاينة الموقع',
+ openWebsiteTitle: 'فتح الموقع في وضع المعاينة',
+ returnToPreviewHeadline: 'معاينة الموقع؟',
+ returnToPreviewDescription:
+ 'لقد انتهيت من وضع المعاينة، هل ترغب في تمكينه مرة أخرى لعرض أحدث إصدار محفوظ من موقعك؟',
+ returnToPreviewAcceptButton: 'معاينة أحدث إصدار',
+ returnToPreviewDeclineButton: 'عرض الإصدار المنشور',
+ viewPublishedContentHeadline: 'عرض الإصدار المنشور؟',
+ viewPublishedContentDescription: 'أنت في وضع المعاينة، هل تريد الخروج لعرض الإصدار المنشور لموقعك؟',
+ viewPublishedContentAcceptButton: 'عرض الإصدار المنشور',
+ viewPublishedContentDeclineButton: 'البقاء في وضع المعاينة',
+ },
+ permissions: {
+ FolderCreation: 'إنشاء مجلد',
+ FileWritingForPackages: 'كتابة الملفات للحزم',
+ FileWriting: 'كتابة الملفات',
+ MediaFolderCreation: 'إنشاء مجلد الوسائط',
+ },
+ treeSearch: {
+ searchResult: 'عنصر تم إرجاعه',
+ searchResults: 'عناصر تم إرجاعها',
+ },
+ analytics: {
+ consentForAnalytics: 'الموافقة على بيانات التتبع',
+ analyticsLevelSavedSuccess: 'تم حفظ مستوى التتبع!',
+ analyticsDescription:
+ '\n لتحسين Umbraco وإضافة ميزات جديدة بناءً على معلومات ذات صلة قدر الإمكان،\n نود جمع معلومات النظام والاستخدام من تثبيتك.\n سيتم مشاركة البيانات المجمعة بانتظام بالإضافة إلى الدروس المستفادة من هذه المقاييس.\n نأمل أن تساعدنا في جمع بعض البيانات القيمة.\n \n نحن لن نقوم بجمع أي بيانات شخصية مثل المحتوى أو الكود أو معلومات المستخدم، وستكون جميع البيانات مجهولة الهوية تمامًا.\n ',
+ minimalLevelDescription: 'سوف نرسل فقط معرف موقع مجهول الهوية لإعلامنا بوجود الموقع.',
+ basicLevelDescription: 'سوف نرسل معرف موقع مجهول الهوية، إصدار Umbraco، والحزم المثبتة',
+ detailedLevelDescription:
+ '\n سوف نرسل:\n
\n
معرف موقع مجهول الهوية، إصدار Umbraco، والحزم المثبتة.
\n
عدد: العقد الجذرية، العقد المحتوى، الوسائط، أنواع الوثائق، القوالب، اللغات، النطاقات، مجموعات المستخدمين، المستخدمين، الأعضاء، مقدمي تسجيل الدخول الخارجيين إلى المكتب الخلفي، ومحرري الخصائص قيد الاستخدام.
\n
معلومات النظام: خادم الويب، نظام تشغيل الخادم، إطار عمل الخادم، لغة نظام تشغيل الخادم، ومزود قاعدة البيانات.
\n
إعدادات التكوين: وضع Modelsbuilder، إذا كان هناك مسار Umbraco مخصص، بيئة ASP، ما إذا كان API التوصيل مفعلًا، ويتيح الوصول العام، وإذا كنت في وضع التصحيح.
\n
\n قد نغير ما نرسله على المستوى التفصيلي في المستقبل. إذا كان الأمر كذلك، فسيتم سردها أعلاه.\n من خلال اختيار "تفصيلي" توافق على جمع المعلومات المجهولة الهوية الحالية والمستقبلية.\n ',
+ },
+ routing: {
+ routeNotFoundTitle: 'لم يتم العثور على الصفحة',
+ routeNotFoundDescription: 'لم يتم العثور على المسار المطلوب. يرجى التحقق من عنوان URL والمحاولة مرة أخرى.',
+ },
+ codeEditor: {
+ label: 'محرر الأكواد',
+ languageConfigLabel: 'اللغة',
+ languageConfigDescription: 'اختر اللغة لتظليل بناء الجملة وIntelliSense.',
+ heightConfigLabel: 'الارتفاع',
+ heightConfigDescription: 'حدد ارتفاع محرر الأكواد بالبكسل.',
+ lineNumbersConfigLabel: 'أرقام الأسطر',
+ lineNumbersConfigDescription: 'عرض أرقام الأسطر في محرر الأكواد.',
+ minimapConfigLabel: 'خريطة مصغرة',
+ minimapConfigDescription: 'عرض خريطة مصغرة في محرر الأكواد.',
+ wordWrapConfigLabel: 'تغليف الكلمات',
+ wordWrapConfigDescription: 'تفعيل تغليف الكلمات في محرر الأكواد.',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/bs.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/bs.ts
new file mode 100644
index 0000000000..eebc3ee1e5
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/bs.ts
@@ -0,0 +1,2332 @@
+/**
+ * Creator Name: Smayke95
+ * Creator Link: https://github.com/Smayke95
+ *
+ * Language Alias: bs
+ * Language Int Name: Bosnian
+ * Language Local Name: Bosanski
+ * Language LCID: 25
+ * Language Culture: bs
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Kultura i imena hostova',
+ auditTrail: 'Revizije',
+ browse: 'Pregledaj čvor',
+ changeDocType: 'Promijeni Tip Dokumenta',
+ copy: 'Kopiraj',
+ create: 'Kreiraj',
+ export: 'Izvezi',
+ createPackage: 'Kreiraj Paket',
+ createGroup: 'Kreiraj grupu',
+ delete: 'Obriši',
+ disable: 'Onemogući',
+ editSettings: 'Uredi postavke',
+ emptyrecyclebin: 'Isprazni kantu za smeće',
+ enable: 'Omogući',
+ exportDocumentType: 'Izvezi Tip Dokumenta',
+ importdocumenttype: 'Uvezi Tip Dokumenta',
+ importPackage: 'Uvezi Paket',
+ liveEdit: 'Uredi u Platnu',
+ logout: 'Izađi',
+ move: 'Pomakni',
+ notify: 'Obavještenja',
+ protect: 'Ograničite javni pristup',
+ publish: 'Objavi',
+ unpublish: 'Poništi objavu',
+ refreshNode: 'Ponovo učitaj',
+ republish: 'Ponovo objavite cijelu stranicu',
+ remove: 'Ukloni',
+ rename: 'Preimenuj',
+ restore: 'Vrati',
+ chooseWhereToCopy: 'Odaberite gdje ćete kopirati',
+ chooseWhereToMove: 'Odaberite gdje ćete pomaknuti',
+ chooseWhereToImport: 'Odaberite gdje ćete uvesti',
+ toInTheTreeStructureBelow: 'do u strukturi stabla ispod',
+ infiniteEditorChooseWhereToCopy: 'Odaberite gdje želite kopirati odabrane stavke',
+ infiniteEditorChooseWhereToMove: 'Odaberite gdje želite pomaknuti odabrane stavke',
+ wasMovedTo: 'je pomaknuta u',
+ wasCopiedTo: 'je kopirana u',
+ wasDeleted: 'je obrisana',
+ rights: 'Dozvole',
+ rollback: 'Vraćanje unazad',
+ sendtopublish: 'Pošalji na objavljivanje',
+ sendToTranslate: 'Pošalji na prijevod',
+ setGroup: 'Postavi grupu',
+ sort: 'Sortiraj',
+ translate: 'Prevedi',
+ update: 'Ažuriraj',
+ setPermissions: 'Postavi dozvole',
+ unlock: 'Otključaj',
+ createblueprint: 'Kreirajte Predložak Sadržaja',
+ resendInvite: 'Ponovo pošaljite pozivnicu',
+ },
+ actionCategories: {
+ content: 'Sadržaj',
+ administration: 'Administracija',
+ structure: 'Struktura',
+ other: 'Ostalo',
+ },
+ actionDescriptions: {
+ assignDomain: 'Dozvolite pristup za dodjelu kulture i imena hostova',
+ auditTrail: 'Dozvolite pristup za pregled dnevnika historije čvora',
+ browse: 'Dozvolite pristup za pregled čvora',
+ changeDocType: 'Dozvolite pristup za promjenu Tipa Dokumenta za čvor',
+ copy: 'Dozvolite pristup za kopiranje čvora',
+ create: 'Dozvolite pristup za kreiranje čvora',
+ delete: 'Dozvolite pristup za brisanje čvora',
+ move: 'Dozvolite pristup za pomicanje čvora',
+ protect: 'Dozvolite pristup za postavljanje i promjenu ograničenja pristupa za čvor',
+ publish: 'Dozvolite pristup za objavljivanje čvora',
+ unpublish: 'Dozvolite pristup da poništavanje objave čvora',
+ rights: 'Dozvolite pristup za promjenu dozvola za čvor',
+ rollback: 'Dozvolite pristup za vraćanje čvora u prethodno stanje',
+ sendtopublish: 'Dozvolite pristup za slanje čvora na odobrenje prije objavljivanja',
+ sendToTranslate: 'Dozvolite pristup za slanje čvora na prijevod',
+ sort: 'Dozvolite pristup za promjenu sortiranja čvorova',
+ translate: 'Dozvolite pristup za prevođenje čvora',
+ update: 'Dozvolite pristup za spremanje čvora',
+ createblueprint: 'Dozvolite pristup za kreiranje Predloška Sadržaja',
+ notify: 'Dozvolite pristup za podešavanje obaviještenja za čvorove',
+ },
+ apps: {
+ umbContent: 'Sadržaj',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Dozvola odbijena.',
+ addNew: 'Dodaj novu domenu',
+ addCurrent: 'Dodaj postojeću domenu',
+ remove: 'ukloni',
+ invalidNode: 'Nevažeći čvor.',
+ invalidDomain: 'Jedna ili više domena imaju nevažeći format.',
+ duplicateDomain: 'Domena je već dodijeljena.',
+ language: 'Jezik',
+ domain: 'Domena',
+ domainCreated: "Nova domena '%0%' je kreirana",
+ domainDeleted: "Domena '%0%' je obrisana",
+ domainExists: "Domena '%0%' je već dodijeljena",
+ domainUpdated: "Domena '%0%' je ažurirana",
+ orEdit: 'Uredi trenutne domene',
+ domainHelpWithVariants:
+ 'Važeći nazivi domena su: "example.com", "www.example.com", "example.com:8080", ili "https://www.example.com/".\n Nadalje, podržane su i poddomene prvog nivoa, npr. "example.com/en" ili "/en".',
+ inherit: 'Naslijedi',
+ setLanguage: 'Kultura',
+ setLanguageHelp:
+ 'Postavite kulturu za čvorove ispod trenutnog čvora, ili naslijedite kulturu od roditeljskih čvorova. Također će se primijeniti \n na trenutni čvor, osim ako se domena u nastavku ne primjenjuje.',
+ setDomains: 'Domene',
+ },
+ buttons: {
+ clearSelection: 'Obriši odabir',
+ select: 'Odaberi',
+ somethingElse: 'Uradi nešto drugo',
+ bold: 'Boldiraj',
+ deindent: 'Otkaži uvlačenje pasusa',
+ formFieldInsert: 'Umetni polje obrasca',
+ graphicHeadline: 'Umetnite grafički naslov',
+ htmlEdit: 'Uredi Html',
+ indent: 'Uvuci pasus',
+ italic: 'Kurziv',
+ justifyCenter: 'Centriraj',
+ justifyLeft: 'Poravnaj lijevo',
+ justifyRight: 'Poravnaj desno',
+ linkInsert: 'Umetni link',
+ linkLocal: 'Umetni lokalni link (sidro)',
+ listBullet: 'Lista',
+ listNumeric: 'Numerička lista',
+ macroInsert: 'Umetni makro',
+ pictureInsert: 'Umetni sliku',
+ publishAndClose: 'Objavi i zatvori',
+ publishDescendants: 'Objavi sa potomcima',
+ relations: 'Uredite odnose',
+ returnToList: 'Povratak na listu',
+ save: 'Spremi',
+ saveAndClose: 'Spremi i zatvori',
+ saveAndPublish: 'Spremi i objavi',
+ saveToPublish: 'Spremi i pošalji na odobrenje',
+ saveListView: 'Spremi prikaz liste',
+ schedulePublish: 'Zakaži',
+ saveAndPreview: 'Spremi i pregledaj',
+ showPageDisabled: 'Pregled je onemogućen jer nije dodijeljen predložak',
+ styleChoose: 'Odaberi stil',
+ styleShow: 'Prikaži stilove',
+ tableInsert: 'Umetni tabelu',
+ saveAndGenerateModels: 'Spremi i generiši modele',
+ undo: 'Poništi',
+ redo: 'Ponovi',
+ deleteTag: 'Obriši tag',
+ confirmActionCancel: 'Otkaži',
+ confirmActionConfirm: 'Potvrdi',
+ morePublishingOptions: 'Više opcija za objavljivanje',
+ submitChanges: 'Pošalji',
+ },
+ auditTrailsMedia: {
+ delete: 'Mediji je izbrisan',
+ move: 'Mediji premješten',
+ copy: 'Mediji kopiran',
+ save: 'Mediji spremljen',
+ },
+ auditTrails: {
+ atViewingFor: 'Pregled za',
+ delete: 'Sadržaj je izbrisan',
+ unpublish: 'Sadržaj nije objavljen',
+ publish: 'Sadržaj spremljen i objavljen',
+ publishvariant: 'Sadržaj spremljen i objavljen za jezike: %0%',
+ save: 'Sadržaj spremljen',
+ savevariant: 'Sadržaj spremljen za jezike: %0%',
+ move: 'Sadržaj premješten',
+ copy: 'Sadržaj kopiran',
+ rollback: 'Sadržaj vraćen',
+ sendtopublish: 'Sadržaj poslan na objavljivanje',
+ sendtopublishvariant: 'Sadržaj poslan na objavljivanje za jezike: %0%',
+ sort: 'Sortiranje podređenih stavki je izvršio korisnik',
+ custom: '%0%',
+ contentversionpreventcleanup: 'Čišćenje je onemogućeno za verziju: %0%',
+ contentversionenablecleanup: 'Čišćenje je omogućeno za verziju: %0%',
+ smallCopy: 'Kopiraj',
+ smallPublish: 'Objavljeno',
+ smallPublishVariant: 'Objavi',
+ smallMove: 'Pomakni',
+ smallSave: 'Spremljeno',
+ smallSaveVariant: 'Spremi',
+ smallDelete: 'Obriši',
+ smallUnpublish: 'Poništi objavu',
+ smallRollBack: 'Vrat',
+ smallSendToPublish: 'Pošalji na objavljivanje',
+ smallSendToPublishVariant: 'Pošalji na objavljivanje',
+ smallSort: 'Sortiraj',
+ smallCustom: 'Prilagođeno',
+ smallContentVersionPreventCleanup: 'Spremi',
+ smallContentVersionEnableCleanup: 'Spremi',
+ historyIncludingVariants: 'Historija (sve varijante)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Naziv mape ne može sadržavati nedozvoljene znakove.',
+ deleteItemFailed: 'Nije uspjelo brisanje stavke: %0%',
+ },
+ content: {
+ isPublished: 'Da li je objavljeno',
+ about: 'O ovoj stranici',
+ alias: 'Alias',
+ alternativeTextHelp: '(kako biste opisali sliku preko telefona)',
+ alternativeUrls: 'Alternativni linkovi',
+ clickToEdit: 'Kliknite da uredite ovu stavku',
+ createBy: 'Kreirao',
+ createByDesc: 'Originalni autor',
+ updatedBy: 'Ažurirao',
+ createDate: 'Kreirano',
+ createDateDesc: 'Datum i vrijeme kreiranja ovog dokumenta',
+ documentType: 'Tip dokumenta',
+ editing: 'Uređivanje',
+ expireDate: 'Ukloni na',
+ itemChanged: 'Ova stavka je promijenjena nakon objavljivanja',
+ itemNotPublished: 'Ova stavka nije objavljena',
+ lastPublished: 'Posljednje objavljeno',
+ noItemsToShow: 'Nema stavki za prikaz',
+ listViewNoItems: 'Nema stavki za prikaz na listi.',
+ listViewNoContent: 'Nije dodan sadržaj',
+ listViewNoMembers: 'Nijedan član nije dodan',
+ mediatype: 'Tip medija',
+ mediaLinks: 'Link do medijske stavke',
+ membergroup: 'Grupa članova',
+ memberrole: 'Uloga',
+ membertype: 'Tip člana',
+ noChanges: 'Nisu napravljene nikakve promjene',
+ noDate: 'Nije odabran datum',
+ nodeName: 'Naslov stranice',
+ noMediaLink: 'Ova medijska stavka nema vezu',
+ otherElements: 'Svojstva',
+ parentNotPublished: "Ovaj dokument je objavljen, ali nije vidljiv jer nadređeni '%0%' nije objavljen",
+ parentCultureNotPublished: "Ova kultura je objavljena, ali nije vidljiva jer nije objavljena na nadređenom '%0%'",
+ parentNotPublishedAnomaly: 'Ovaj dokument je objavljen, ali nije u kešu',
+ getUrlException: 'Nije moguće dobiti URL',
+ routeError: 'Ovaj dokument je objavljen, ali njegov URL je u koliziji sa sadržajem %0%',
+ routeErrorCannotRoute: 'Ovaj dokument je objavljen, ali njegov URL se ne može preusmjeriti',
+ publish: 'Objavi',
+ published: 'Objavljeno',
+ publishedPendingChanges: 'Objavljeno (čeka izmjene)',
+ publishStatus: 'Status publikacije',
+ publishDescendantsHelp:
+ 'Objavi %0% i sve stavke sadržaja ispod i time čineći njihov sadržaj javno dostupnim.',
+ publishDescendantsWithVariantsHelp:
+ 'Objavi varijante i varijante istog tipa ispod i na taj način učinite njihov sadržaj javno dostupnim.',
+ releaseDate: 'Objavi na',
+ unpublishDate: 'Poništi objavu na',
+ removeDate: 'Obriši datum',
+ setDate: 'Postavi datum',
+ sortDone: 'Sortiranje je ažurirano',
+ sortHelp:
+ 'Da biste sortirali čvorove, jednostavno prevucite čvorove ili kliknite na jedno od zaglavlja kolona. Možete odabrati\n više čvorova držeći tipku "shift" ili "control" dok birate\n ',
+ statistics: 'Statistika',
+ titleOptional: 'Naslov (opcionalno)',
+ altTextOptional: 'Alternativni tekst (opcionalno)',
+ captionTextOptional: 'Natpis (opcionalno)',
+ type: 'Tip',
+ unpublish: 'Poništi objavu',
+ unpublished: 'Neobjavljeno',
+ notCreated: 'Nije kreirano',
+ updateDate: 'Poslednji put uređeno',
+ updateDateDesc: 'Datum/vrijeme uređivanja ovog dokumenta',
+ uploadClear: 'Ukloni fajlove',
+ uploadClearImageContext: 'Kliknite ovdje da uklonite sliku iz medijske stavke',
+ uploadClearFileContext: 'Kliknite ovdje da uklonite fajl iz medijske stavke',
+ urls: 'Link do dokumenta',
+ memberof: 'Član grupe',
+ notmemberof: 'Nije član grupe',
+ childItems: 'Dječiji artikli',
+ target: 'Meta',
+ scheduledPublishServerTime: 'Ovo se prevodi kao sljedeće vrijeme na serveru:',
+ scheduledPublishDocumentation:
+ 'Šta ovo znači?',
+ nestedContentDeleteItem: 'Jeste li sigurni da želite izbrisati ovu stavku?',
+ nestedContentEditorNotSupported:
+ 'Svojstvo %0% koristi uređivač %1% koji nije podržan za Ugniježđeni\n Sadržaj.\n ',
+ nestedContentDeleteAllItems: 'Jeste li sigurni da želite izbrisati sve stavke?',
+ nestedContentNoContentTypes: 'Za ovo svojstvo nisu konfigurirani tipovi sadržaja.',
+ nestedContentAddElementType: 'Dodajte tip elementa',
+ nestedContentSelectElementTypeModalTitle: 'Odaberi tip elementa',
+ nestedContentGroupHelpText:
+ 'Odaberite grupu čija svojstva trebaju biti prikazana. Ako je ostavljeno prazno,\n koristit će se prva grupa na tipu elementa.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Unesite angular izraz za procjenu svake stavke za njeno\n ime. Koristi\n ',
+ nestedContentTemplateHelpTextPart2: 'za prikaz indeksa stavke',
+ nestedContentNoGroups:
+ 'Odabrani tip elementa ne sadrži nijednu podržanu grupu (ovaj uređivač ne podržava kartice, promijenite ih u grupe ili koristite uređivač liste blokova).',
+ addTextBox: 'Dodajte još jedan okvir za tekst',
+ removeTextBox: 'Uklonite ovaj okvir za tekst',
+ contentRoot: 'Korijen Sadržaja',
+ includeUnpublished: 'Uključite neobjavljeni sadržaj.',
+ isSensitiveValue:
+ 'Ova vrijednost je skrivena. Ako vam je potreban pristup da vidite ovu vrijednost, obratite se\n administratoru web stranice.\n ',
+ isSensitiveValue_short: 'Ova vrijednost je skrivena.',
+ languagesToPublish: 'Koje jezike želite da objavite?',
+ languagesToSendForApproval: 'Koje jezike želite poslati na odobrenje?',
+ languagesToSchedule: 'Koje jezike želite da zakažete?',
+ languagesToUnpublish:
+ 'Odaberite jezike za poništavanje objavljivanja. Poništavanje objavljivanja obaveznog jezika će\n poništiti objavljivanje svih jezika.\n ',
+ variantsWillBeSaved: 'Sve nove varijante će biti sačuvane.',
+ variantsToPublish: 'Koje varijante želite da objavite?',
+ variantsToSave: 'Odaberite koje varijante želite sačuvati.',
+ publishRequiresVariants: 'Za objavljivanje su potrebne sljedeće varijante:',
+ notReadyToPublish: 'Nismo spremni za objavljivanje',
+ readyToPublish: 'Spremno za objavljivanje?',
+ readyToSave: 'Spremno za spremanje?',
+ resetFocalPoint: 'Resetuj fokusnu tačku',
+ sendForApproval: 'Pošalji na odobrenje',
+ schedulePublishHelp: 'Odaberite datum i vrijeme za objavljivanje i/ili poništavanje objave stavke sadržaja.',
+ createEmpty: 'Napravi novi',
+ createFromClipboard: 'Zalijepi iz međuspremnika',
+ nodeIsInTrash: 'Ova stavka je u korpi za otpatke',
+ saveModalTitle: 'Spremi',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Kreirajte novi predložak sadržaja iz %0%',
+ blankBlueprint: 'Prazno',
+ selectBlueprint: 'Odaberite predložak sadržaja',
+ createdBlueprintHeading: 'Predložak sadržaja kreiran',
+ createdBlueprintMessage: "Predložak sadržaja je kreiran od '%0%'",
+ duplicateBlueprintMessage: 'Drugi predložak sadržaja sa istim imenom već postoji',
+ blueprintDescription:
+ 'Predložak sadržaja je unaprijed definiran sadržaj koji uređivač može odabrati da koristi\n kao osnovu za kreiranje novog sadržaja\n ',
+ },
+ media: {
+ clickToUpload: 'Kliknite za učitavanje',
+ orClickHereToUpload: 'ili kliknite ovdje da odaberete fajlove',
+ disallowedFileType: 'Nije moguće učitati ovu datoteku, ona nema odobreni tip datoteke',
+ disallowedMediaType: "Nije moguće učitati ovu datoteku, tip medija sa pseudonimom '%0%' nije dozvoljen ovdje",
+ invalidFileName: 'Nije moguće učitati ovu datoteku, ona nema važeći naziv datoteke',
+ maxFileSize: 'Maksimalna veličina datoteke je',
+ mediaRoot: 'Korijen medija',
+ createFolderFailed: 'Kreiranje foldera pod ID-om roditelja nije uspjelo %0%',
+ renameFolderFailed: 'Preimenovanje foldera sa ID-om %0% nije uspjelo',
+ dragAndDropYourFilesIntoTheArea: 'Prevucite i ispustite svoje datoteke u područje',
+ },
+ member: {
+ createNewMember: 'Kreirajte novog člana',
+ allMembers: 'Svi članovi',
+ memberGroupNoProperties: 'Grupe članova nemaju dodatna svojstva za uređivanje.',
+ '2fa': 'Dvostruka provjera autentičnosti',
+ },
+ contentType: {
+ copyFailed: 'Kopiranje tipa sadržaja nije uspjelo',
+ moveFailed: 'Premještanje tipa sadržaja nije uspjelo',
+ },
+ mediaType: {
+ copyFailed: 'Kopiranje tipa medija nije uspjelo',
+ moveFailed: 'Premještanje tipa medija nije uspjelo',
+ autoPickMediaType: 'Automatski odabir',
+ },
+ memberType: {
+ copyFailed: 'Kopiranje tipa člana nije uspjelo',
+ },
+ create: {
+ chooseNode: 'Gdje želite kreirati novi %0%',
+ createUnder: 'Kreirajte stavku pod',
+ createContentBlueprint: 'Odaberite vrstu dokumenta za koju želite da napravite predložak sadržaja',
+ enterFolderName: 'Unesite naziv foldera',
+ updateData: 'Odaberite vrstu i naslov',
+ noDocumentTypes:
+ 'Nema dozvoljenih tipova dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih omogućiti u Dokument Tip unutar sekcije Postavke, uređivanjem Dozvoljeni tipovi podređenih čvorova unutar Dozvole.',
+ noDocumentTypesAtRoot:
+ 'Nema dozvoljenih tipova dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih kreirati u Dokument Tip unutar sekcije Postavke.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'Odabrana stranica u stablu sadržaja ne dozvoljava nijednu stranicu\n biti kreiran ispod njega.\n ',
+ noDocumentTypesEditPermissions: 'Uredi dozvole za ovaj tip dokumenta',
+ noDocumentTypesCreateNew: 'Kreiraj novi tip dokumenta',
+ noDocumentTypesAllowedAtRoot:
+ 'Nema dozvoljenih tipova dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih omogućiti u Dokument Tip unutar sekcije Postavke, izmjenom Dozvoli kao root opcije unutar Dozvole.',
+ noMediaTypes:
+ 'Nema dozvoljenih tipova medija dostupnih za kreiranje medija ovdje. Morate ih omogućiti u Media Tip unutar sekcije Postavke, uređivanjem Dozvoljeni tipovi podređenih čvorova unutar Dozvole.',
+ noMediaTypesWithNoSettingsAccess:
+ 'Odabrani medij u stablu ne dopušta bilo koji drugi medij\n kreiran ispod njega.\n ',
+ noMediaTypesEditPermissions: 'Uredi dozvole za ovaj tip medija',
+ documentTypeWithoutTemplate: 'Tip dokumenta bez predloška',
+ documentTypeWithTemplate: 'Tip dokumenta sa predloškom',
+ documentTypeWithTemplateDescription:
+ 'Definicija podataka za stranicu sadržaja koja se može kreirati\n uređivača u stablu sadržaja i direktno je dostupan preko URL-a.\n ',
+ documentType: 'Tip dokumenta',
+ documentTypeDescription:
+ 'Definicija podataka za komponentu sadržaja koju mogu kreirati urednici u\n stablo sadržaja i biti izabran na drugim stranicama, ali nema direktan URL.\n ',
+ elementType: 'Tip elementa',
+ elementTypeDescription:
+ "Definira shemu za ponavljajući skup svojstava, na primjer, u 'Bloku\n Uređivač svojstava Lista' ili 'Ugniježđeni sadržaj'.\n ",
+ composition: 'Kompozicija',
+ compositionDescription:
+ "Definira višekratni skup svojstava koja se mogu uključiti u definiciju\n više drugih vrsta dokumenata. Na primjer, skup 'Common Page Settings'.\n ",
+ folder: 'Mapa',
+ folderDescription:
+ 'Koristi se za organiziranje tipova dokumenata, sastava i tipova elemenata kreiranih u ovome\n Stablo vrste dokumenta.\n ',
+ newFolder: 'Nova mapa',
+ newDataType: 'Novi tip podatka',
+ newJavascriptFile: 'Novi JavaScript fajl',
+ newEmptyPartialView: 'Novi prazan djelomični prikaz',
+ newPartialViewMacro: 'Novi djelomični prikaz za makro',
+ newPartialViewFromSnippet: 'Novi djelomični prikaz iz isječka',
+ newPartialViewMacroFromSnippet: 'Novi djelomični prikaz za makro iz isječka',
+ newPartialViewMacroNoMacro: 'Novi djelomični prikaz za makro (bez makroa)',
+ newStyleSheetFile: 'Novi CSS fajl',
+ newRteStyleSheetFile: 'Novi Rich Text Editor CSS fajl',
+ },
+ dashboard: {
+ browser: 'Pregledajte svoju web stranicu',
+ dontShowAgain: '- Sakrij',
+ nothinghappens: 'Ako se Umbraco ne otvara, možda ćete morati dozvoliti iskačuće prozore sa ove stranice',
+ openinnew: 'je otvoren u novom prozoru',
+ restart: 'Restart',
+ visit: 'Posjetite',
+ welcome: 'Dobrodošli',
+ },
+ prompt: {
+ stay: 'Ostani',
+ discardChanges: 'Odbacite promjene',
+ unsavedChanges: 'Imate nesačuvane promjene',
+ unsavedChangesWarning: 'Jeste li sigurni da želite otići s ove stranice? - imate nesačuvane\n promjene\n ',
+ confirmListViewPublish: 'Objavljivanjem će odabrane stavke biti vidljive na stranici.',
+ confirmListViewUnpublish:
+ 'Poništavanje objavljivanja će ukloniti odabrane stavke i sve njihove potomke sa\n stranice.\n ',
+ confirmUnpublish: 'Poništavanje objavljivanja će ukloniti ovu stranicu i sve njene potomke sa stranice.',
+ doctypeChangeWarning: 'Imate nesačuvane promjene. Promjenom vrste dokumenta odbacit će se promjene.',
+ },
+ bulk: {
+ done: 'Završeno',
+ deletedItem: 'Izbrisana %0% stavka',
+ deletedItems: 'Izbrisano %0% stavki',
+ deletedItemOfItem: 'Izbrisana %0% od %1% stavka',
+ deletedItemOfItems: 'Izbrisano %0% od %1% stavki',
+ publishedItem: 'Objavljeno %0% stavka',
+ publishedItems: 'Objavljeno %0% stavki',
+ publishedItemOfItem: 'Objavljeno %0% od %1% stavka',
+ publishedItemOfItems: 'Objavljeno %0% od %1% stavki',
+ unpublishedItem: 'Ukinuta objava za %0% stavku',
+ unpublishedItems: 'Ukinuta objava za %0% stavki',
+ unpublishedItemOfItem: 'Ukinuta objava za %0% od %1% stavku',
+ unpublishedItemOfItems: 'Ukinuta objava za %0% od %1% stavki',
+ movedItem: 'Pomjerena %0% stavka',
+ movedItems: 'Pomjereno %0% stavki',
+ movedItemOfItem: 'Pomjereno %0% od %1% stavku',
+ movedItemOfItems: 'Pomjereno %0% od %1% stavki',
+ copiedItem: 'Kopirana %0% stavka',
+ copiedItems: 'Kopirano %0% stavki',
+ copiedItemOfItem: 'Kopirano %0% od %1% stavku',
+ copiedItemOfItems: 'Kopirano %0% od %1% stavki',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Naslov linka',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Anchor / querystring',
+ anchorInsert: 'Naziv',
+ assignDomain: 'Upravljajte imenima hostova',
+ closeThisWindow: 'Zatvorite ovaj prozor',
+ confirmdelete: 'Jeste li sigurni da želite izbrisati',
+ confirmdeleteNumberOfItems:
+ 'Jeste li sigurni da želite izbrisati %0% od %1% stavki',
+ confirmdisable: 'Jeste li sigurni da želite onemogućiti',
+ confirmremove: 'Jeste li sigurni da želite ukloniti',
+ confirmremoveusageof: 'Jeste li sigurni da želite ukloniti korištenje %0%',
+ confirmlogout: 'Jeste li sigurni?',
+ confirmSure: 'Jeste li sigurni?',
+ cut: 'Izreži',
+ editDictionary: 'Uredi stavku iz rječnika',
+ editLanguage: 'Uredi jezik',
+ editSelectedMedia: 'Uredite odabrane medije',
+ insertAnchor: 'Umetnite lokalnu vezu',
+ insertCharacter: 'Umetni znak',
+ insertgraphicheadline: 'Umetnite grafički naslov',
+ insertimage: 'Umetnite sliku',
+ insertlink: 'Umetnite link',
+ insertMacro: 'Kliknite da dodate makro',
+ inserttable: 'Umetnite tabelu',
+ languagedeletewarning: 'Ovo će izbrisati jezik',
+ languageChangeWarning:
+ 'Promjena kulture jezika može biti skupa operacija i rezultirat će\n u kešu sadržaja i indeksima koji se rekonstruišu\n ',
+ lastEdited: 'Posljednji put uređeno',
+ link: 'Link',
+ linkinternal: 'Interni link',
+ linklocaltip: 'Kada koristite lokalne veze, umetnite "#" ispred linka',
+ linknewwindow: 'Otvori u novom prozoru?',
+ macroDoesNotHaveProperties: 'Ovaj makro ne sadrži svojstva koja možete uređivati',
+ paste: 'Zalijepi',
+ permissionsEdit: 'Uredite dozvole za',
+ permissionsSet: 'Postavite dozvole za',
+ permissionsSetForGroup: 'Postavite dozvole za %0% za grupu korisnika %1%',
+ permissionsHelp: 'Odaberite grupe korisnika za koje želite postaviti dozvole',
+ recycleBinDeleting:
+ 'Stavke u korpi za otpatke se sada brišu. Molimo vas da ne zatvarate ovaj prozor\n dok se ova operacija odvija\n ',
+ recycleBinIsEmpty: 'Korpa za otpatke je sada prazna',
+ recycleBinWarning: 'Kada se predmeti izbrišu iz korpe za otpatke, oni će nestati zauvijek',
+ regexSearchError:
+ "regexlib.com web servis trenutno ima nekih problema, nad kojima nemamo kontrolu. Veoma nam je žao zbog ove neugodnosti.",
+ regexSearchHelp:
+ "Potražite regularni izraz da dodate provjeru valjanosti u polje obrasca. Primjer: 'e-pošta,\n 'poštanski broj', 'URL'.\n ",
+ removeMacro: 'Ukloni makro',
+ requiredField: 'Obavezno polje',
+ sitereindexed: 'Stranica je ponovo indeksirana',
+ siterepublished:
+ 'Predmemorija web stranice je osvježena. Sav objavljeni sadržaj je sada ažuriran. Dok će sav\n\t\tneobjavljen sadržaj ostati neobjavljen\n ',
+ siterepublishHelp:
+ 'Keš web stranice će biti osvježen. Svi objavljeni sadržaji će biti ažurirani, dok će sav\n neobjavljeni sadržaj ostati neobjavljen.\n ',
+ tableColumns: 'Broj kolona',
+ tableRows: 'Broj redova',
+ thumbnailimageclickfororiginal: 'Kliknite na sliku da vidite punu veličinu',
+ treepicker: 'Izaberite stavku',
+ viewCacheItem: 'Prikaži keš stavku',
+ relateToOriginalLabel: 'Odnosi se na original',
+ includeDescendants: 'Uključiti potomke',
+ theFriendliestCommunity: 'Najljubaznija zajednica',
+ linkToPage: 'Link na stranicu',
+ openInNewWindow: 'Otvara povezani dokument u novom prozoru ili kartici',
+ linkToMedia: 'Link do medija',
+ selectContentStartNode: 'Odaberite početni čvor sadržaja',
+ selectMedia: 'Odaberite medije',
+ selectMediaType: 'Odaberite tip medija',
+ selectIcon: 'Odaberite ikonu',
+ selectItem: 'Odaberite stavku',
+ selectLink: 'Odaberite vezu',
+ selectMacro: 'Odaberite makro',
+ selectContent: 'Odaberite sadržaj',
+ selectContentType: 'Odaberite tip sadržaja',
+ selectMediaStartNode: 'Odaberite početni čvor medija',
+ selectMember: 'Odaberite člana',
+ selectMemberGroup: 'Odaberite grupu članova',
+ selectMemberType: 'Odaberite tip članova',
+ selectNode: 'Odaberite čvor',
+ selectLanguages: 'Odaberite jezike',
+ selectSections: 'Odaberite sekcije',
+ selectUser: 'Odaberite korisnika',
+ selectUsers: 'Odaberite korisnike',
+ noIconsFound: 'Ikone nisu pronađene',
+ noMacroParams: 'Nema parametara za ovaj makro',
+ noMacros: 'Nema dostupnih makroa za umetanje',
+ externalLoginProviders: 'Eksterni provajderi prijave',
+ exceptionDetail: 'Detalji o izuzetku',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Povežite svoje',
+ unLinkYour: 'Odspojite svoju vezu',
+ account: 'račun',
+ selectEditor: 'Odaberite uređivač',
+ selectSnippet: 'Odaberite isječak',
+ variantdeletewarning:
+ 'Ovo će izbrisati čvor i sve njegove jezike. Ako želite da izbrišete samo jedan\n jezik, trebali biste poništiti objavljivanje čvora na tom jeziku.\n ',
+ propertyuserpickerremovewarning: 'Ovo će ukloniti korisnika %0%.',
+ userremovewarning: 'Ovo će ukloniti korisnika %0% iz grupe %1%',
+ yesRemove: 'Da, ukloni',
+ deleteLayout: 'Brišete izgled',
+ deletingALayout:
+ 'Promjena izgleda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan na ovoj konfiguraciji.',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n Da biste uvezli stavku iz rječnika, pronađite ".udt" datoteku na svom računaru klikom na\n Dugme "Uvezi" (na sljedećem ekranu će se tražiti da potvrdite)\n ',
+ itemDoesNotExists: 'Stavka iz rječnika ne postoji.',
+ parentDoesNotExists: 'Nadređena stavka ne postoji.',
+ noItems: 'Ne postoje stavke iz rječnika.',
+ noItemsInFile: 'U ovoj datoteci nema stavki iz rječnika.',
+ noItemsFound: 'Nisu pronađene stavke iz rječnika.',
+ createNew: 'Kreirajte stavku iz rječnika',
+ },
+ dictionaryItem: {
+ description: "Uredite različite jezičke verzije za stavku rječnika '%0%' ispod",
+ displayName: 'Kultura',
+ changeKeyError: "Ključ '%0%' već postoji.",
+ overviewTitle: 'Pregled riječnika',
+ },
+ examineManagement: {
+ configuredSearchers: 'Konfigurisani pretraživači',
+ configuredSearchersDescription:
+ 'Prikazuje svojstva i alate za bilo koji konfigurirani pretraživač (tj\n višeindeksni pretraživač)\n ',
+ fieldValues: 'Vrijednosti polja',
+ healthStatus: 'Zdravstveno stanje',
+ healthStatusDescription: 'Zdravstveno stanje indeksa i da li se može pročitati',
+ indexers: 'Indeksi',
+ indexInfo: 'Indeks info',
+ contentInIndex: 'Sadržaj u indeksu',
+ indexInfoDescription: 'Navodi svojstva indeksa',
+ manageIndexes: 'Upravljajte Examine-ovim indeksima',
+ manageIndexesDescription:
+ 'Omogućava vam da vidite detalje svakog indeksa i pruža neke alate za\n upravljanje indeksima\n ',
+ rebuildIndex: 'Ponovo izgradi indeks',
+ rebuildIndexWarning:
+ '\n Ovo će uzrokovati ponovnu izgradnju indeksa. \n Ovisno o tome koliko sadržaja ima na vašoj web lokaciji, to može potrajati. \n Ne preporučuje se obnavljanje indeksa u vrijeme velikog prometa na web stranici ili kada urednici uređuju sadržaj.\n ',
+ searchers: 'Pretraživači',
+ searchDescription: 'Pretražite indeks i pogledajte rezultate',
+ tools: 'Alati',
+ toolsDescription: 'Alati za upravljanje indeksom',
+ fields: 'polja',
+ indexCannotRead: 'Indeks se ne može pročitati i morat će se ponovo izgraditi',
+ processIsTakingLonger:
+ 'Proces traje duže od očekivanog, provjerite Umbraco dnevnik da vidite\n je li bilo grešaka tokom ove operacije\n ',
+ indexCannotRebuild: 'Ovaj indeks se ne može ponovo izgraditi jer mu nije dodijeljen',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Unesite svoje korisničko ime',
+ password: 'Unesite svoju lozinku',
+ confirmPassword: 'Potvrdite lozinku',
+ nameentity: 'Imenujte %0%...',
+ entername: 'Unesite ime...',
+ enteremail: 'Unesite email...',
+ enterusername: 'Unesite korisničko ime...',
+ label: 'Labela...',
+ enterDescription: 'Unesite opis...',
+ search: 'Unesite za pretragu...',
+ filter: 'Unesite za filtriranje...',
+ enterTags: 'Unesite da dodate oznake (pritisnite enter nakon svake oznake)...',
+ email: 'Unesite vaš email',
+ enterMessage: 'Unesite poruku...',
+ usernameHint: 'Vaše korisničko ime je obično vaš email',
+ anchor: '#value ili ?key=value',
+ enterAlias: 'Unesite alias...',
+ generatingAlias: 'Generišite alias...',
+ a11yCreateItem: 'Kreiraj stavku',
+ a11yEdit: 'Uredi',
+ a11yName: 'Ime',
+ },
+ editcontenttype: {
+ createListView: 'Kreirajte prilagođeni prikaz liste',
+ removeListView: 'Ukloni prilagođeni prikaz liste',
+ aliasAlreadyExists: 'Tip sadržaja, tip medija ili tip člana s ovim aliasom već postoji',
+ },
+ renamecontainer: {
+ renamed: 'Preimenovano',
+ enterNewFolderName: 'Ovdje unesite novi naziv mape',
+ folderWasRenamed: '%0% je preimenovan u %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Dodajte vrijednost',
+ dataBaseDatatype: 'Tip podataka baze podataka',
+ guid: 'Uređivač osobine GUID',
+ renderControl: 'Uređivač osobina',
+ rteButtons: 'Dugmad',
+ rteEnableAdvancedSettings: 'Omogući napredne postavke za',
+ rteEnableContextMenu: 'Omogući kontekstni meni',
+ rteMaximumDefaultImgSize: 'Maksimalna zadana veličina umetnutih slika',
+ rteRelatedStylesheets: 'Povezani stilovi',
+ rteShowLabel: 'Prikaži oznaku',
+ rteWidthAndHeight: 'Širina i visina',
+ selectFolder: 'Odaberite mapu za premještanje',
+ inTheTree: 'do u strukturi stabla ispod',
+ wasMoved: 'je premeštena ispod',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Vaši podaci su sačuvani, ali prije nego što možete objaviti ovu stranicu postoje neke\n greške koje prvo morate ispraviti:\n ',
+ errorChangingProviderPassword:
+ 'Trenutni provajder članstva ne podržava promjenu lozinke\n (Omogući preuzimanje lozinke mora biti uključeno)\n ',
+ errorExistsWithoutTab: '%0% već postoji',
+ errorHeader: 'Bilo je grešaka:',
+ errorHeaderWithoutTab: 'Bilo je grešaka:',
+ errorInPasswordFormat:
+ 'Lozinka treba da ima najmanje %0% znakova i da sadrži najmanje %1%\n znakova koji nisu alfanumerički\n ',
+ errorIntegerWithoutTab: '%0% mora biti cijeli broj',
+ errorMandatory: 'Polje %0% na kartici %1% je obavezno',
+ errorMandatoryWithoutTab: '%0% je obavezno polje',
+ errorRegExp: '%0% na %1% nije u ispravnom formatu',
+ errorRegExpWithoutTab: '%0% nije u ispravnom formatu',
+ },
+ errors: {
+ receivedErrorFromServer: 'Primljena greška sa servera',
+ dissallowedMediaType: 'Administrator je zabranio navedeni tip datoteke',
+ codemirroriewarning:
+ 'NAPOMENA! Iako je CodeMirror omogućen konfiguracijom, on je onemogućen u\n Internet Explorer-u jer nije dovoljno stabilan.\n ',
+ contentTypeAliasAndNameNotNull: 'Unesite i pseudonim i ime na novu vrstu osobine!',
+ filePermissionsError: 'Postoji problem sa pristupom za čitanje/pisanje određenoj datoteci ili fascikli',
+ macroErrorLoadingPartialView: 'Greška pri učitavanju skripte djelomičnog prikaza (fajl: %0%)',
+ missingTitle: 'Unesite naslov',
+ missingType: 'Molimo odaberite tip',
+ pictureResizeBiggerThanOrg:
+ 'Napravit ćete sliku veću od originalne veličine. Jeste li sigurni\n da želite nastaviti?\n ',
+ startNodeDoesNotExists: 'Početni čvor je obrisan, kontaktirajte svog administratora',
+ stylesMustMarkBeforeSelect: 'Molimo označite sadržaj prije promjene stila',
+ stylesNoStylesOnPage: 'Nema dostupnih aktivnih stilova',
+ tableColMergeLeft: 'Postavite kursor lijevo od dvije ćelije koje želite spojiti',
+ tableSplitNotSplittable: 'Ne možete podijeliti ćeliju koja nije spojena.',
+ propertyHasErrors: 'Ovo svojstvo je nevažeće',
+ },
+ general: {
+ about: 'O',
+ action: 'Akcija',
+ actions: 'Akcije',
+ add: 'Dodaj',
+ alias: 'Alias',
+ all: 'Sve',
+ areyousure: 'Da li ste sigurni?',
+ back: 'Nazad',
+ backToOverview: 'Nazad na pregled',
+ border: 'Rub',
+ by: 'od',
+ cancel: 'Otkaži',
+ cellMargin: 'Margina ćelije',
+ choose: 'Odaberi',
+ clear: 'Očisti',
+ close: 'Zatvori',
+ closewindow: 'Zatvori prozor',
+ closepane: 'Zatvori okno',
+ comment: 'Komentar',
+ confirm: 'Potvrdi',
+ constrain: 'Ograniči',
+ constrainProportions: 'Ograniči proporcije',
+ content: 'Sadržaj',
+ continue: 'Nastavi',
+ copy: 'Kopiraj',
+ create: 'Kreiraj',
+ database: 'Baza podataka',
+ date: 'Datum',
+ default: 'Podrazumjevano',
+ delete: 'Obriši',
+ deleted: 'Obrisano',
+ deleting: 'Brisanje...',
+ design: 'Dizajn',
+ dictionary: 'Riječnik',
+ dimensions: 'Dimenzije',
+ discard: 'Otkaži',
+ down: 'Dole',
+ download: 'Preuzimanje',
+ edit: 'Uredi',
+ edited: 'Uređeno',
+ elements: 'Elementi',
+ email: 'Email',
+ error: 'Greška',
+ field: 'Polje',
+ findDocument: 'Pronađi',
+ first: 'Prvi',
+ focalPoint: 'Fokusna tačka',
+ general: 'Generalno',
+ groups: 'Grupe',
+ group: 'Grupa',
+ height: 'Visina',
+ help: 'Pomoć',
+ hide: 'Sakrij',
+ history: 'Historija',
+ icon: 'Ikona',
+ id: 'Id',
+ import: 'Uvezi',
+ excludeFromSubFolders: 'Pretraži samo ovu mapu',
+ info: 'Info',
+ innerMargin: 'Unutrašnja margina',
+ insert: 'Umetni',
+ install: 'Instaliraj',
+ invalid: 'Nevažeći',
+ justify: 'Poravnaj',
+ label: 'Labela',
+ language: 'Jezik',
+ last: 'Zadnji',
+ layout: 'Izgled',
+ links: 'Linkovi',
+ loading: 'Učitavanje',
+ locked: 'Zaključano',
+ login: 'Prijava',
+ logoff: 'Odjavi se',
+ logout: 'Odjavi se',
+ macro: 'Makro',
+ mandatory: 'Obavezno',
+ message: 'Poruka',
+ move: 'Pomakni',
+ name: 'Ime',
+ new: 'Novi',
+ next: 'Sljedeći',
+ no: 'Ne',
+ nodeName: 'Ime čvora',
+ of: 'od',
+ off: 'Isključeno',
+ ok: 'OK',
+ open: 'Otvori',
+ options: 'Opcije',
+ on: 'Uključeno',
+ or: 'ili',
+ orderBy: 'Poredaj po',
+ password: 'Lozinka',
+ path: 'Putanja',
+ pleasewait: 'Jedan momenat molim...',
+ previous: 'Prethodni',
+ properties: 'Svojstva',
+ readMore: 'Pročitaj više',
+ rebuild: 'Ponovo izgradi',
+ reciept: 'Email za primanje obrasca',
+ recycleBin: 'Kanta za smeće',
+ recycleBinEmpty: 'Vaša kanta za smeće je prazna',
+ reload: 'Ponovo učitaj',
+ remaining: 'Preostalo',
+ remove: 'Izbriši',
+ rename: 'Preimenuj',
+ renew: 'Obnovi',
+ required: 'Obavezno',
+ retrieve: 'Povratiti',
+ retry: 'Pokušaj ponovo',
+ rights: 'Permisije',
+ scheduledPublishing: 'Planirano objavljivanje',
+ umbracoInfo: 'Umbraco info',
+ search: 'Pretraga',
+ searchNoResult: 'Žao nam je, ne možemo pronaći ono što tražite.',
+ noItemsInList: 'Nije dodana nijedna stavka',
+ server: 'Server',
+ settings: 'Postavke',
+ show: 'Prikaži',
+ showPageOnSend: 'Prikaži stranicu na Pošalji',
+ size: 'Veličina',
+ sort: 'Sortiranje',
+ status: 'Status',
+ submit: 'Potvrdi',
+ success: 'Uspjeh',
+ type: 'Tip',
+ typeName: 'Ime tipa',
+ typeToSearch: 'Unesite za pretragu...',
+ under: 'ispod',
+ up: 'Gore',
+ update: 'Ažuriraj',
+ upgrade: 'Nadogradi',
+ upload: 'Prenesi',
+ url: 'URL',
+ user: 'Korisnik',
+ username: 'Korisničko ime',
+ value: 'Vrijednost',
+ view: 'Pogled',
+ welcome: 'Dobrodošli...',
+ width: 'Širina',
+ yes: 'Da',
+ folder: 'Mapa',
+ searchResults: 'Rezultati pretrage',
+ reorder: 'Promijeni redosljed',
+ reorderDone: 'Završio sam sa promjenom redosljeda',
+ preview: 'Pregled',
+ changePassword: 'Promijeni lozinku',
+ to: 'do',
+ listView: 'Prikaz liste',
+ saving: 'Spremanje...',
+ current: 'trenutni',
+ embed: 'Ugradi',
+ selected: 'odabran',
+ other: 'Ostalo',
+ articles: 'Članci',
+ videos: 'Videi',
+ avatar: 'Avatar za',
+ header: 'Zaglavlje',
+ systemField: 'sistemsko polje',
+ lastUpdated: 'Posljednje ažurirano',
+ },
+ colors: {
+ blue: 'Plava',
+ },
+ shortcuts: {
+ addGroup: 'Dodaj grupu',
+ addProperty: 'Dodaj svojstvo',
+ addEditor: 'Dodaj urednika',
+ addTemplate: 'Dodaj šablon',
+ addChildNode: 'Dodajte podređeni čvor',
+ addChild: 'Dodaj dijete',
+ editDataType: 'Uredite tip podataka',
+ navigateSections: 'Krećite se po odjeljcima',
+ shortcut: 'Prečice',
+ showShortcuts: 'prikaži prečice',
+ toggleListView: 'Uključi prikaz liste',
+ toggleAllowAsRoot: 'Uključi dozvoli kao root',
+ commentLine: 'Redovi za komentarisanje/dekomentarisanje',
+ removeLine: 'Uklonite liniju',
+ copyLineUp: 'Kopiraj linije gore',
+ copyLineDown: 'Kopiraj linije dole',
+ moveLineUp: 'Pomakni linije gore',
+ moveLineDown: 'Pomakni linije dole',
+ generalHeader: 'Općenito',
+ editorHeader: 'Uređivač',
+ toggleAllowCultureVariants: 'Uključi dozvoli varijante kulture',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Boja pozadine',
+ bold: 'Boldirano',
+ color: 'Boja teksta',
+ font: 'Font',
+ text: 'Tekst',
+ },
+ headers: {
+ page: 'Stranica',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Instalacija se ne može povezati s bazom podataka.',
+ databaseErrorWebConfig:
+ 'Nije moguće sačuvati web.config datoteku. Molimo izmijenite konekcijski string\n ručno.\n ',
+ databaseFound: 'Vaša baza podataka je pronađena i identificirana je kao',
+ databaseHeader: 'Konfiguracija baze podataka',
+ databaseInstall: '\n Pritisnite Instaliraj za instalaciju Umbraco %0% baze podataka\n ',
+ databaseInstallDone:
+ 'Umbraco %0% je sada kopiran u vašu bazu podataka. Pritisnite Dalje da nastavite.',
+ databaseNotFound:
+ '
Baza podataka nije pronađena! Provjerite jesu li informacije u "konekcijskom string" u "web.config" fajlu ispravne.
\n
Da nastavite, uredite "web.config" fajl. (koristeći Visual Studio ili vaš omiljeni uređivač teksta), skrolujte do dna, dodajte konekcijski string za vašu bazu podataka u ključ nazvan "UmbracoDbDSN" i sačuvajte fajl.
',
+ databaseText:
+ 'Da biste dovršili ovaj korak, morate znati neke informacije o vašem poslužitelju baze podataka ("konekcijski string"). \n Molimo kontaktirajte svog ISP-a ako je potrebno.\n Ako instalirate na lokalnoj mašini ili serveru, možda će vam trebati informacije od administratora sistema.',
+ databaseUpgrade:
+ '\n
\n Pritisnite nadogradnja za nadogradnju vaše baze podataka na Umbraco %0%
\n
\n Ne brinite - nijedan sadržaj neće biti obrisan i sve će nastaviti raditi nakon toga!\n
\n ',
+ databaseUpgradeDone:
+ 'Vaša baza podataka je nadograđena na konačnu verziju %0%. Pritisnite Dalje da nastavite.',
+ databaseUpToDate:
+ 'Vaša trenutna baza podataka je ažurirana!. Pritisnite Dalje da nastavite sa čarobnjakom za konfiguraciju',
+ defaultUserChangePass: 'Zadanu korisničku lozinku treba promijeniti!',
+ defaultUserDisabled:
+ 'Zadani korisnik je onemogućen ili nema pristup Umbraco!
Ne treba preduzimati nikakve daljnje radnje. Pritisnite Dalje da nastavite.',
+ defaultUserPassChanged:
+ 'Zadana korisnička lozinka je uspješno promijenjena od instalacije!
Ne treba preduzimati nikakve daljnje radnje. Pritisnite Dalje da nastavite.',
+ defaultUserPasswordChanged: 'Lozinka je promijenjena!',
+ greatStart: 'Započnite odlično, pogledajte naše uvodne video zapise',
+ licenseText:
+ 'Klikom na sljedeće dugme (ili modifikacijom umbracoConfigurationStatus u web.config),\n prihvatate licencu za ovaj softver kao što je navedeno u polju ispod. Primijetite da je ova Umbraco distribucija\n sastoji se od dvije različite licence, open source MIT licence za okvir i licence za besplatni softver Umbraco\n koji pokriva korisničko sučelje.\n ',
+ None: 'Još nije instalirano.',
+ permissionsAffectedFolders: 'Zahvaćeni datoteke i mape',
+ permissionsAffectedFoldersMoreInfo: 'Više informacija o postavljanju dozvola za Umbraco ovdje',
+ permissionsAffectedFoldersText:
+ 'Morate dodijeliti dozvole za izmjenu ASP.NET-a za sljedeće\n datoteke/mape\n ',
+ permissionsAlmostPerfect:
+ 'Vaše postavke dozvola su gotovo savršene!
\n Možete pokrenuti Umbraco bez problema, ali nećete moći instalirati pakete koji se preporučuju da biste u potpunosti iskoristili Umbraco.',
+ permissionsHowtoResolve: 'Kako riješiti',
+ permissionsHowtoResolveLink: 'Kliknite ovdje da pročitate tekstualnu verziju',
+ permissionsHowtoResolveText:
+ 'Gledajte naše video tutorijale o postavljanju dozvola foldera za Umbraco ili pročitajte tekstualnu verziju.',
+ permissionsMaybeAnIssue:
+ 'Vaše postavke dozvola mogu biti problem!\n
\n Možete pokrenuti Umbraco bez problema, ali nećete moći kreirati foldere ili instalirati pakete koji se preporučuju da biste u potpunosti iskoristili Umbraco.',
+ permissionsNotReady:
+ 'Vaše postavke dozvola nisu spremne za Umbraco!\n
\n Da biste pokrenuli Umbraco, morat ćete ažurirati postavke dozvola.',
+ permissionsPerfect:
+ 'Vaše postavke dozvola su savršene!
\n Spremni ste da pokrenete Umbraco i instalirate pakete!',
+ permissionsResolveFolderIssues: 'Rješavanje problema sa mapom',
+ permissionsResolveFolderIssuesLink:
+ 'Pratite ovu vezu za više informacija o problemima sa ASP.NET i\n kreiranje foldera\n ',
+ permissionsSettingUpPermissions: 'Postavljanje dozvola za foldere',
+ permissionsText:
+ '\n Umbraco treba pristup za pisanje/izmjenu određenih direktorija kako bi pohranio datoteke poput slika i PDF-ova.\n Također pohranjuje privremene podatke (tj: cache) za poboljšanje performansi vaše web stranice.\n ',
+ runwayFromScratch: 'Želim da počnem od nule',
+ runwayFromScratchText:
+ '\n Vaša web stranica je trenutno potpuno prazna, tako da je savršeno ako želite početi od nule i kreirati vlastite vrste dokumenata i predloške.\n (naučite kako)\n I dalje možete odabrati da kasnije instalirate Runway. Molimo idite na odjeljak Developer i odaberite Paketi.\n ',
+ runwayHeader: 'Upravo ste postavili čistu Umbraco platformu. Šta želite sljedeće učiniti?',
+ runwayInstalled: 'Runway je instaliran',
+ runwayInstalledText:
+ '\n Imate postavljene temelje. Odaberite koje module želite instalirati na njega. \n Ovo je naša lista preporučenih modula, označite one koje želite da instalirate ili pogledajte punu listu modula\n ',
+ runwayOnlyProUsers: 'Preporučuje se samo iskusnim korisnicima',
+ runwaySimpleSite: 'Želim početi s jednostavnom web-stranicom',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" je jednostavna web stranica koja nudi neke osnovne tipove dokumenata i predloške. Instalater može postaviti Runway za vas automatski,\n ali ga možete lako urediti, proširiti ili ukloniti. Nije potrebno i možete savršeno koristiti Umbraco i bez njega. Kako god,\n Runway nudi laku osnovu zasnovanu na najboljim praksama za početak brže nego ikad.\n Ako se odlučite za instalaciju Runway, opciono možete odabrati osnovne građevne blokove tzv. Runway Modules da poboljšate svoje Runway stranice.\n
\n \n Uključeno u Runway: Početna stranica, Stranica za početak, Stranica za instaliranje modula. \n Dodatni moduli: Navigacija, Sitemap, Kontakt, Galerija.\n \n ',
+ runwayWhatIsRunway: 'Šta je Runway',
+ step1: 'Korak 1/5: Prihvatite licencu',
+ step2: 'Korak 2/5: Konfiguracija baze podataka',
+ step3: 'Korak 3/5: Potvrđivanje dozvola za fajlove',
+ step4: 'Korak 4/5: Provjerite Umbraco sigurnost',
+ step5: 'Korak 5/5: Umbraco je spreman za početak',
+ thankYou: 'Hvala vam što ste odabrali Umbraco',
+ theEndBrowseSite:
+ '
Pregledajte svoju novu stranicu
\nInstalirali ste Runway, pa zašto ne biste vidjeli kako izgleda vaša nova web stranica.',
+ theEndFurtherHelp:
+ '
Dodatna pomoć i informacije
\nPotražite pomoć od naše nagrađivane zajednice, pregledajte dokumentaciju ili pogledajte nekoliko besplatnih videozapisa o tome kako napraviti jednostavnu stranicu, kako koristiti pakete i brzi vodič za terminologiju Umbraco',
+ theEndHeader: 'Umbraco %0% je instaliran i spreman za upotrebu',
+ theEndInstallFailed:
+ "Da biste završili instalaciju, morat ćete\n ručno uredite /web.config fajl i ažurirate ključ unutar AppSetting UmbracoConfigurationStatus na dnu do vrijednosti od '%0%'.",
+ theEndInstallSuccess:
+ 'Možeš dobiti započeto odmah klikom na "Pokreni Umbraco" dugme ispod. Ako ste novi u Umbraco-u,\nmožete pronaći mnogo resursa na našim stranicama za početak.',
+ theEndOpenUmbraco:
+ '
Pokreni Umbraco
\nDa upravljate svojom web lokacijom, jednostavno otvorite Umbraco backoffice i počnite dodavati sadržaj, ažurirati predloške i stilove ili dodati novu funkcionalnost',
+ Unavailable: 'Povezivanje s bazom podataka nije uspjelo.',
+ Version3: 'Umbraco Verzija 3',
+ Version4: 'Umbraco Verzija 4',
+ watch: 'Gledaj',
+ welcomeIntro:
+ 'Ovaj čarobnjak će vas voditi kroz proces konfiguracije Umbraco %0% za novu instalaciju ili nadogradnju sa verzije 3.0.\n
\n Pritisnite "Dalje" da pokrenete čarobnjaka.',
+ },
+ language: {
+ cultureCode: 'Kod kulture',
+ displayName: 'Naziv kulture',
+ },
+ lockout: {
+ lockoutWillOccur: 'Bili ste u stanju mirovanja i automatski će doći do odjave',
+ renewSession: 'Obnovite sada da sačuvate svoj rad',
+ },
+ login: {
+ greeting0: 'Dobrodošli',
+ greeting1: 'Dobrodošli',
+ greeting2: 'Dobrodošli',
+ greeting3: 'Dobrodošli',
+ greeting4: 'Dobrodošli',
+ greeting5: 'Dobrodošli',
+ greeting6: 'Dobrodošli',
+ instruction: 'Prijavite se ispod',
+ signInWith: 'Prijavite se sa',
+ timeout: 'Isteklo je vrijeme sesije',
+ bottomText:
+ '
',
+ forgottenPassword: 'Zaboravljena lozinka?',
+ forgottenPasswordInstruction: 'E-mail će biti poslan na adresu navedenu sa vezom za reset\n lozinke\n ',
+ requestPasswordResetConfirmation:
+ 'E-mail s uputama za poništavanje lozinke će biti poslan na\n navedenu adresu ukoliko odgovara našoj evidenciji\n ',
+ showPassword: 'Prikaži lozinku',
+ hidePassword: 'Sakrij lozinku',
+ returnToLogin: 'Vratite se na obrazac za prijavu',
+ setPasswordInstruction: 'Molimo unesite novu lozinku',
+ setPasswordConfirmation: 'Vaša lozinka je ažurirana',
+ resetCodeExpired: 'Link na koji ste kliknuli je nevažeći ili je istekao',
+ resetPasswordEmailCopySubject: 'Umbraco: Reset lozinke',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\n\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n \n
\n
\n
\n
\n
\n
\n
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tZatraženo je ponovno postavljanje lozinke\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tVaše korisničko ime za prijavu na Umbraco backoffice je: %0%\n
\n\n\n\t",
+ mfaSecurityCodeSubject: 'Umbraco: Sigurnosni kod',
+ mfaSecurityCodeMessage: 'Vaš sigurnosni kod je: %0%',
+ '2faTitle': 'Poslednji korak',
+ '2faText': 'Omogućili ste 2-faktorsku autentifikaciju i morate potvrditi svoj identitet.',
+ '2faMultipleText': 'Molimo odaberite 2-faktor provajdera',
+ '2faCodeInput': 'Verifikacijski kod',
+ '2faCodeInputHelp': 'Unesite verifikacioni kod',
+ '2faInvalidCode': 'Unesen je nevažeći kod',
+ },
+ main: {
+ dashboard: 'Kontrolna tabla',
+ sections: 'Sekcije',
+ tree: 'Sadržaj',
+ },
+ moveOrCopy: {
+ choose: 'Odaberite stranicu iznad...',
+ copyDone: '%0% je kopiran u %1%',
+ copyTo: 'Odaberite gdje dokument %0% treba kopirati ispod',
+ moveDone: '%0% je premješten u %1%',
+ moveTo: 'Odaberite gdje dokument %0% treba premjestiti ispod',
+ nodeSelected: "je odabrano kao korijen vašeg novog sadržaja, kliknite na 'Uredu' ispod.",
+ noNodeSelected: "Još nije odabran čvor, molimo odaberite čvor na gornjoj listi prije nego kliknete na 'Uredu'",
+ notAllowedByContentType: 'Trenutni čvor nije dozvoljen pod odabranim čvorom zbog njegovog tipa',
+ notAllowedByPath:
+ 'Trenutni čvor se ne može premjestiti na jednu od njegovih podstranica niti roditelj i odredište mogu biti isti',
+ notAllowedAtRoot: 'Trenutni čvor ne može postojati u korijenu',
+ notValid: 'Radnja nije dozvoljena jer nemate dovoljna dopuštenja za 1 ili više djece\n dokumenata.\n ',
+ relateToOriginal: 'Povežite kopirane stavke s originalom',
+ },
+ notifications: {
+ editNotifications: 'Odaberite vaše obavještenje za %0%',
+ notificationsSavedFor: 'Postavke obavještenja su sačuvane za %0%',
+ notifications: 'Obavještenja',
+ },
+ packager: {
+ actions: 'Akcije',
+ created: 'Kreirano',
+ createPackage: 'Kreiraj paket',
+ chooseLocalPackageText:
+ '\n Odaberite paket sa vašeg uređaja klikom na Pregledaj \n i locirajte paket. Umbraco paketi uglavnom imaju ".umb" ili ".zip" ekstenziju.\n ',
+ deletewarning: 'Ovo će izbrisati paket',
+ includeAllChildNodes: 'Uključi sve podređene čvorove',
+ installed: 'Instalirano',
+ installedPackages: 'Instalirani paketi',
+ installInstructions: 'Uputstvo za instalaciju',
+ noConfigurationView: 'Ovaj paket nema prikaz konfiguracije',
+ noPackagesCreated: 'Još nije kreiran nijedan paket',
+ noPackages: 'Nijedan paket nije instaliran',
+ noPackagesDescription:
+ "Pregledajte dostupne pakete koristeći ikonu 'Paketi' u gornjem desnom uglu ekrana",
+ packageContent: 'Sadržaj paketa',
+ packageLicense: 'Licenca',
+ packageSearch: 'Pretražite pakete',
+ packageSearchResults: 'Rezultati za',
+ packageNoResults: 'Nismo mogli pronaći ništa za',
+ packageNoResultsDescription: 'Pokušajte potražiti drugi paket ili pregledajte kategorije\n ',
+ packagesPopular: 'Popularno',
+ packagesPromoted: 'Promocije',
+ packagesNew: 'Nova izdanja',
+ packageHas: 'ima',
+ packageKarmaPoints: 'karma poeni',
+ packageInfo: 'Informacije',
+ packageOwner: 'Vlasnik',
+ packageContrib: 'Saradnici',
+ packageCreated: 'Kreirano',
+ packageCurrentVersion: 'Trenutna verzija',
+ packageNetVersion: '.NET verzija',
+ packageDownloads: 'Preuzimanja',
+ packageLikes: 'Lajkovi',
+ packageCompatibility: 'Kompatibilnost',
+ packageCompatibilityDescription:
+ 'Ovaj paket je kompatibilan sa sljedećim verzijama Umbraco-a, kako su\n prijavili članovi zajednice. Potpuna kompatibilnost se ne može garantirati za dolje navedene verzije 100%\n ',
+ packageExternalSources: 'Eksterni izvori',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Dokumentacija',
+ packageMetaData: 'Meta podaci paketa',
+ packageName: 'Naziv paketa',
+ packageNoItemsHeader: 'Paket ne sadrži nikakve stavke',
+ packageNoItemsText:
+ 'Ovaj paket ne sadrži nijednu stavku za deinstalaciju.
\n Ovo možete bezbjedno ukloniti iz sistema klikom na "deinstaliraj paket".',
+ packageOptions: 'Opcije paketa',
+ packageMigrationsRun: 'Pokrenite migracije paketa na čekanju',
+ packageReadme: 'Readme paketa',
+ packageRepository: 'Repozitorij paketa',
+ packageUninstallConfirm: 'Potvrdi deinstalaciju paketa',
+ packageUninstalledHeader: 'Paket je deinstaliran',
+ packageUninstalledText: 'Paket je uspješno deinstaliran',
+ packageUninstallHeader: 'Deinstaliraj paket',
+ packageUninstallText:
+ 'U nastavku možete poništiti odabir stavki koje trenutno ne želite ukloniti. Kada kliknete na "potvrdi deinstalaciju" sve označene stavke će biti uklonjene. \n Bilješka: svi dokumenti, mediji itd. u zavisnosti od stavki koje uklonite, prestat će raditi i mogu dovesti do nestabilnosti sistema,\n pa deinstalirajte sa oprezom. Ako ste u nedoumici, kontaktirajte autora paketa.',
+ packageVersion: 'Verzija paketa',
+ verifiedToWorkOnUmbracoCloud: 'Provjereno za rad na Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'Zalijepi s punim formatiranjem (nije preporučljivo)',
+ errorMessage:
+ 'Tekst koji pokušavate zalijepiti sadrži posebne znakove ili formatiranje. Ovo bi moglo biti\n uzrokovano kopiranjem teksta iz programa Microsoft Word. Umbraco može automatski ukloniti posebne znakove ili formatiranje, tako da\n zalijepljeni sadržaj će biti prikladniji za web.\n ',
+ removeAll: 'Zalijepite kao sirovi tekst bez ikakvog oblikovanja',
+ removeSpecialFormattering: 'Zalijepi, ali ukloni oblikovanje (preporučeno)',
+ },
+ publicAccess: {
+ paGroups: 'Grupna zaštita',
+ paGroupsHelp: 'Ako želite dodijeliti pristup svim članovima određenih grupa članova',
+ paGroupsNoGroups: 'Morate kreirati grupu članova prije nego što možete koristiti grupnu autentifikaciju',
+ paErrorPage: 'Stranica sa greškom',
+ paErrorPageHelp: 'Koristi se kada su ljudi prijavljeni, ali nemaju pristup',
+ paHowWould: 'Odaberite kako ograničiti pristup stranici %0%',
+ paIsProtected: '%0% je sada zaštićen',
+ paIsRemoved: 'Zaštita uklonjena sa %0%',
+ paLoginPage: 'Stranica za prijavu',
+ paLoginPageHelp: 'Odaberite stranicu koja sadrži obrazac za prijavu',
+ paRemoveProtection: 'Uklonite zaštitu...',
+ paRemoveProtectionConfirm: 'Jeste li sigurni da želite ukloniti zaštitu sa stranice %0%?',
+ paSelectPages: 'Odaberite stranice koje sadrže obrazac za prijavu i poruke o greškama',
+ paSelectGroups: 'Odaberite grupe koje imaju pristup stranici %0%',
+ paSelectMembers: 'Odaberite članove koji imaju pristup stranici %0%',
+ paMembers: 'Posebna zaštita članova',
+ paMembersHelp: 'Ako želite dati pristup određenim članovima',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% nije mogao biti objavljen jer je stavka zakazana za objavu.\n ',
+ contentPublishedFailedExpired: '\n %0% nije mogao biti objavljen jer je stavka istekla.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% nije moglo biti objavljeno jer ova svojstva: %1% nisu prošla pravila validacije.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% nije mogao biti objavljen, dodatak treće strane je otkazao radnju.\n ',
+ contentPublishedFailedByParent:
+ '\n %0% ne može biti objavljena, jer roditeljska stranica nije objavljena.\n ',
+ contentPublishedFailedByMissingName: '%0% ne može se objaviti jer mu nedostaje ime.',
+ includeUnpublished: 'Uključite neobjavljene podstranice',
+ inProgress: 'Objavljivanje u toku - molimo sačekajte...',
+ inProgressCounter: '%0% od %1% stranica je objavljeno...',
+ nodePublish: '%0% je objavljeno',
+ nodePublishAll: '%0% i objavljene su podstranice',
+ publishAll: 'Objavi %0% i sve njegove podstranice',
+ publishHelp:
+ 'Pritisni Objavi za objavu %0% i na taj način svoj sadržaj učiniti javno dostupnim.
\n Ovu stranicu i sve njene podstranice možete objaviti odabirom Uključi neobjavljene podstranice.\n ',
+ },
+ colorpicker: {
+ noColors: 'Niste konfigurirali nijednu odobrenu boju',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Možete odabrati samo stavke tipa: %0%',
+ pickedTrashedItem: 'Odabrali ste stavku sadržaja koja je trenutno izbrisana ili je u korpi za otpatke',
+ pickedTrashedItems: 'Odabrali ste stavke sadržaja koje su trenutno izbrisane ili su u korpi za otpatke',
+ },
+ mediaPicker: {
+ deletedItem: 'Izbrisana stavka',
+ pickedTrashedItem: 'Odabrali ste medijsku stavku koja je trenutno izbrisana ili je u korpi za otpatke',
+ pickedTrashedItems: 'Odabrali ste medijske stavke koje su trenutno izbrisane ili su u korpi za otpatke',
+ trashed: 'Otpad',
+ openMedia: 'Otvorite u biblioteci medija',
+ changeMedia: 'Promjena medijske stavke',
+ editMediaEntryLabel: 'Uredi %0% od %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Odbaci kreiranje?',
+ confirmCancelMediaEntryCreationMessage: 'Jeste li sigurni da želite otkazati kreiranje.',
+ confirmCancelMediaEntryHasChanges:
+ 'Izmijenili ste ovaj sadržaj. Jeste li sigurni da ga želite\n odbaciti?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Uklonite sve medije?',
+ tabClipboard: 'Međuspremnik',
+ notAllowed: 'Nije dozvoljeno',
+ openMediaPicker: 'Otvorite birač medija',
+ },
+ relatedlinks: {
+ enterExternal: 'unesite eksterni link',
+ chooseInternal: 'izaberite internu stranicu',
+ caption: 'Naslov',
+ link: 'Link',
+ newWindow: 'Otvori u novom prozoru',
+ captionPlaceholder: 'unesite natpis na ekranu',
+ externalLinkPlaceholder: 'Unesite link',
+ },
+ imagecropper: {
+ reset: 'Resetujte izrezivanje',
+ updateEditCrop: 'Gotovo',
+ undoEditCrop: 'Poništi izmjene',
+ customCrop: 'Korisnički definisano',
+ },
+ rollback: {
+ changes: 'Promjene',
+ created: 'Kreirano',
+ currentVersion: 'Trenutna verzija',
+ diffHelp:
+ 'Ovo pokazuje razlike između trenutne verzije (nacrta) i odabrane verzije Crveni tekst će biti uklonjen u odabranoj verziji, zeleni tekst će biti dodan',
+ noDiff: 'Nema razlike između trenutne verzije (nacrta) i odabrane verzije',
+ documentRolledBack: 'Dokument je vraćen',
+ headline: 'Odaberite verziju koju želite usporediti sa trenutnom verzijom',
+ htmlHelp:
+ 'Ovo prikazuje odabranu verziju kao HTML, ako želite vidjeti razliku između dvije\n verzije u isto vrijeme, koristite pogled diff\n ',
+ rollbackTo: 'Vratite se na',
+ selectVersion: 'Odaberite verziju',
+ view: 'Pogled',
+ },
+ scripts: {
+ editscript: 'Uredite datoteku skripte',
+ },
+ sections: {
+ concierge: 'Portirnica',
+ content: 'Sadržaj',
+ courier: 'Kurir',
+ developer: 'Developer',
+ forms: 'Forme',
+ help: 'Pomoć',
+ installer: 'Umbraco Konfiguracijski Čarobnjak',
+ media: 'Mediji',
+ member: 'Članovi',
+ newsletters: 'Bilteni',
+ packages: 'Paketi',
+ marketplace: 'Marketplace',
+ settings: 'Postavke',
+ statistics: 'Statistika',
+ translation: 'Prevodi',
+ users: 'Korisnici',
+ },
+ help: {
+ tours: 'Ture',
+ theBestUmbracoVideoTutorials: 'Najbolji Umbraco video tutorijali',
+ umbracoForum: 'Posjetite our.umbraco.com',
+ umbracoTv: 'Posjetite umbraco.tv',
+ umbracoLearningBase: 'Pogledajte naše besplatne video tutoriale',
+ umbracoLearningBaseDescription: 'na Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Podrazumevani šablon',
+ importDocumentTypeHelp:
+ 'Da biste uvezli vrstu dokumenta, pronađite ".udt" datoteku na svom računaru klikom na\n dugme "Uvezi" (na sljedećem ekranu će se tražiti da potvrdite)\n ',
+ newtabname: 'Naslov nove kartice',
+ nodetype: 'Tip čvora',
+ objecttype: 'Tip',
+ stylesheet: 'Stilovi',
+ script: 'Skripte',
+ tab: 'Kartica',
+ tabname: 'Naslov kartice',
+ tabs: 'Kartice',
+ contentTypeEnabled: 'Glavni tip sadržaja je omogućen',
+ contentTypeUses: 'Ovaj tip sadržaja koristi',
+ noPropertiesDefinedOnTab:
+ 'Nema definiranih svojstava na ovoj kartici. Kliknite na vezu "dodaj novu nekretninu" na\n vrh za kreiranje novog svojstva.\n ',
+ createMatchingTemplate: 'Kreirajte odgovarajući šablon',
+ addIcon: 'Dodaj ikonu',
+ },
+ sort: {
+ sortOrder: 'Redoslijed sortiranja',
+ sortCreationDate: 'Datum kreiranja',
+ sortDone: 'Sortiranje završeno.',
+ sortHelp:
+ 'Povucite različite stavke gore ili dolje ispod da postavite kako bi trebale biti raspoređene. Ili kliknite na\n zaglavlja kolona za sortiranje cijele kolekcije stavki\n ',
+ sortPleaseWait: 'Pričekajte. Stavke se sortiraju, ovo može potrajati.',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validacija',
+ validationFailedMessage: 'Greške u validaciji moraju biti ispravljene pre nego što se stavka može sačuvati',
+ operationFailedHeader: 'Nije uspjelo',
+ operationSavedHeader: 'Sačuvano',
+ invalidUserPermissionsText: 'Nedovoljne korisničke dozvole, ne mogu dovršiti operaciju',
+ operationCancelledHeader: 'Otkazano',
+ operationCancelledText: 'Operaciju je otkazao dodatak treće strane',
+ folderUploadNotAllowed: 'Ovaj fajl se učitava kao deo fascikle, ali kreiranje novog foldera ovde nije dozvoljeno',
+ folderCreationNotAllowed: 'Kreiranje novog foldera ovdje nije dozvoljeno',
+ contentPublishedFailedByEvent: 'Objavljivanje je otkazao dodatak treće strane',
+ contentTypeDublicatePropertyType: 'Tip svojstva već postoji',
+ contentTypePropertyTypeCreated: 'Tip svojstva kreiran',
+ contentTypePropertyTypeCreatedText: 'Naziv: %0% Tip podatka: %1%',
+ contentTypePropertyTypeDeleted: 'Tip svojstva obrisan',
+ contentTypeSavedHeader: 'Tip dokumenta sačuvan',
+ contentTypeTabCreated: 'Kartica kreirana',
+ contentTypeTabDeleted: 'Kartica je izbrisana',
+ contentTypeTabDeletedText: 'Kartica sa id-em: %0% je obrisana',
+ cssErrorHeader: 'Stilovi nisu sačuvani',
+ cssSavedHeader: 'Stilovi sačuvani',
+ cssSavedText: 'Stilovi sačuvani bez ikakvih grešaka',
+ dataTypeSaved: 'Tip podatka sačuvan',
+ dictionaryItemSaved: 'Stavka rječnika je sačuvana',
+ editContentPublishedFailedByParent: 'Objavljivanje nije uspjelo jer nadređena stranica nije objavljena',
+ editContentPublishedHeader: 'Sadržaj objavljen',
+ editContentPublishedText: 'i vidljivo na web stranici',
+ editBlueprintSavedHeader: 'Šablon sadržaja je sačuvan',
+ editBlueprintSavedText: 'Promjene su uspješno sačuvane',
+ editContentSavedHeader: 'Sadržaj sačuvan',
+ editContentSavedText: 'Ne zaboravite objaviti da promjene budu vidljive',
+ editContentSendToPublish: 'Poslano na odobrenje',
+ editContentSendToPublishText: 'Promjene su poslane na odobrenje',
+ editMediaSaved: 'Medij sačuvan',
+ editMediaSavedText: 'Medij sačuvan bez ikakvih grešaka',
+ editMemberSaved: 'Član sačuvan',
+ editStylesheetPropertySaved: 'Svojstvo stilova sačuvano',
+ editStylesheetSaved: 'Stilovi sačuvani',
+ editTemplateSaved: 'Šablon sačuvan',
+ editUserError: 'Greška pri spremanju korisnika (provjerite log)',
+ editUserSaved: 'Korisnik sačuvan',
+ editUserTypeSaved: 'Tip korisnika sačuvan',
+ editUserGroupSaved: 'Grupa korisnika sačuvana',
+ editCulturesAndHostnamesSaved: 'Kulture i imena hostova su sačuvani',
+ editCulturesAndHostnamesError: 'Greška pri spremanju kultura i imena hostova',
+ fileErrorHeader: 'Fajl nije sačuvan',
+ fileErrorText: 'fajl nije mogao biti sačuvan. Molimo provjerite dozvole za fajlove',
+ fileSavedHeader: 'Fajl sačuvan',
+ fileSavedText: 'Fajl sačuvan bez ikakvih grešaka',
+ languageSaved: 'Jezik sačuvan',
+ mediaTypeSavedHeader: 'Tip medija sačuvan',
+ memberTypeSavedHeader: 'Tip člana sačuvan',
+ memberGroupSavedHeader: 'Grupa članova sačuvana',
+ memberGroupNameDuplicate: 'Druga grupa članova sa istim imenom već postoji',
+ templateErrorHeader: 'Šablon nije sačuvan',
+ templateErrorText: 'Uvjerite se da nemate 2 šablona sa istim pseudonimom',
+ templateSavedHeader: 'Šablon sačuvan',
+ templateSavedText: 'Šablon sačuvan bez ikakvih grešaka!',
+ contentUnpublished: 'Sadržaj nije objavljen',
+ partialViewSavedHeader: 'Djelomični prikaz sačuvan',
+ partialViewSavedText: 'Djelomični prikaz sačuvan bez ikakvih grešaka!',
+ partialViewErrorHeader: 'Djelomični prikaz nije sačuvan',
+ partialViewErrorText: 'Došlo je do greške prilikom spremanja fajla.',
+ permissionsSavedFor: 'Dozvole su sačuvane za',
+ deleteUserGroupsSuccess: 'Izbrisano je %0% grupa korisnika',
+ deleteUserGroupSuccess: '%0% je obrisano',
+ enableUsersSuccess: 'Omogućeno %0% korisnika',
+ disableUsersSuccess: 'Onemogućeno %0% korisnika',
+ enableUserSuccess: '%0% je sada omogućen',
+ disableUserSuccess: '%0% je sada onemogućen',
+ setUserGroupOnUsersSuccess: 'Grupe korisnika su postavljene',
+ unlockUsersSuccess: 'Otključano %0% korisnika',
+ unlockUserSuccess: '%0% je sada otključan',
+ memberExportedSuccess: 'Član je izvezen u fajl',
+ memberExportedError: 'Došlo je do greške prilikom izvoza člana',
+ deleteUserSuccess: 'Korisnik %0% je obrisan',
+ resendInviteHeader: 'Pozovi korisnika',
+ resendInviteSuccess: 'Pozivnica je ponovo poslana na %0%',
+ documentTypeExportedSuccess: 'Tip dokumenta je izvezen u fajl',
+ documentTypeExportedError: 'Došlo je do greške prilikom izvoza tipa dokumenta',
+ dictionaryItemExportedSuccess: 'Stavke iz rječnika su izvezene u fajl',
+ dictionaryItemExportedError: 'Došlo je do greške prilikom izvoza stavki rječnika',
+ dictionaryItemImported: 'Sljedeće stavke iz rječnika su uvezene!',
+ publishWithNoDomains:
+ 'Domene nisu konfigurirane za višejezične stranice, molimo kontaktirajte administratora,\n pogledajte dnevnik za više informacija\n ',
+ publishWithMissingDomain:
+ 'Nijedan domen nije konfigurisan za %0%, molimo kontaktirajte administratora, pogledajte\n prijavite se za više informacija\n ',
+ copySuccessMessage: 'Vaše sistemske informacije su uspješno kopirane u međuspremnik',
+ cannotCopyInformation: 'Nije moguće kopirati vaše sistemske informacije u međuspremnik',
+ },
+ stylesheet: {
+ addRule: 'Dodaj stil',
+ editRule: 'Uredi stil',
+ editorRules: 'Stilovi za uređivanje bogatog teksta',
+ editorRulesHelp:
+ 'Definirajte stilove koji bi trebali biti dostupni u uređivaču obogaćenog teksta za ove\n\t stilove\n ',
+ editstylesheet: 'Uredi stilove',
+ editstylesheetproperty: 'Uredi svojstvo stilova',
+ nameHelp: 'Ime prikazano u uređivaču birača stilova',
+ preview: 'Pregled',
+ previewHelp: 'Kako će tekst izgledati u uređivaču obogaćenog teksta.',
+ selector: 'Selektor',
+ selectorHelp: 'Koristite CSS sintaksu, npr. "h1" ili ".redHeader"',
+ styles: 'Stilovi',
+ stylesHelp: 'CSS koji treba primijeniti u uređivaču obogaćenog teksta, npr. "color:red;"',
+ tabCode: 'Kod',
+ tabRules: 'Uređivač',
+ },
+ template: {
+ runtimeModeProduction: 'Sadržaj se ne može uređivati kada se koristi način rada Produkcija.',
+ deleteByIdFailed: 'Brisanje šablona sa ID-om %0% nije uspjelo',
+ edittemplate: 'Uredi šablon',
+ insertSections: 'Sekcije',
+ insertContentArea: 'Umetnite područje sadržaja',
+ insertContentAreaPlaceHolder: 'Umetnite čuvar mjesta u području sadržaja',
+ insert: 'Umetni',
+ insertDesc: 'Odaberite šta ćete umetnuti u svoj šablon',
+ insertDictionaryItem: 'Stavka iz rječnika',
+ insertDictionaryItemDesc:
+ 'Stavka rječnika je čuvar mjesta za prevodljiv dio teksta, koji\n olakšava kreiranje dizajna za višejezične web stranice.\n ',
+ insertMacro: 'Makro',
+ insertMacroDesc:
+ '\n Makro je komponenta koja se može konfigurirati i odlična je za\n višekratni dijelovi vašeg dizajna, gdje vam je potrebna opcija za pružanje parametara,\n kao što su galerije, obrasci i liste.\n ',
+ insertPageField: 'Vrijednost',
+ insertPageFieldDesc:
+ 'Prikazuje vrijednost imenovanog polja sa trenutne stranice, s opcijama za izmjenu\n vrijednost ili povratak na alternativne vrijednosti.\n ',
+ insertPartialView: 'Djelomičan pogled',
+ insertPartialViewDesc:
+ '\n Djelomični prikaz je zasebna datoteka šablona koja se može prikazati unutar druge\n predložak, odličan je za ponovnu upotrebu markupa ili za odvajanje složenih predložaka u zasebne datoteke.\n ',
+ mastertemplate: 'Master šablon',
+ noMaster: 'Nema mastera',
+ renderBody: 'Renderirajte podređeni predložak',
+ renderBodyDesc:
+ '\n Renderira sadržaj podređenog predloška, umetanjem\n @RenderBody().\n ',
+ defineSection: 'Definirajte imenovanu sekciju',
+ defineSectionDesc:
+ '\n Definira dio vašeg predloška kao imenovanu sekciju tako što ga umotava\n @section { ... }. Ovo se može prikazati u\n određenom području nadređenog predloška, koristeći @RenderSection.\n ',
+ renderSection: 'Renderirajte imenovanu sekciju',
+ renderSectionDesc:
+ '\n Renderira imenovano područje podređenog predloška, umetanjem @RenderSection(name).\n Ovo prikazuje područje podređenog šablona koje je umotano u odgovarajuću @section [name]{ ... } definiciju.\n ',
+ sectionName: 'Naziv sekcije',
+ sectionMandatory: 'Sekcija je obavezna',
+ sectionMandatoryDesc:
+ '\n Ako je obavezan, podređeni predložak mora sadržavati @section, u suprotnom se prikazuje greška.\n ',
+ queryBuilder: 'Kreator upita',
+ itemsReturned: 'stavke vraćene, u',
+ iWant: 'želim',
+ allContent: 'sav sadržaj',
+ contentOfType: 'sadržaj tipa "%0%"',
+ from: 'iz',
+ websiteRoot: 'moja web stranica',
+ where: 'gdje',
+ and: 'i',
+ is: 'je',
+ isNot: 'nije',
+ before: 'prije',
+ beforeIncDate: 'prije (uključujući odabrani datum)',
+ after: 'poslije',
+ afterIncDate: 'poslije (uključujući odabrani datum)',
+ equals: 'jednako',
+ doesNotEqual: 'nije jednako',
+ contains: 'sadrži',
+ doesNotContain: 'ne sadrži',
+ greaterThan: 'veće od',
+ greaterThanEqual: 'veće ili jednako',
+ lessThan: 'manje od',
+ lessThanEqual: 'manje ili jednako',
+ id: 'Id',
+ name: 'Naziv',
+ createdDate: 'Kreirano',
+ lastUpdatedDate: 'Ažurirano',
+ orderBy: 'poredaj po',
+ ascending: 'uzlazno',
+ descending: 'silazno',
+ template: 'Predložak',
+ },
+ grid: {
+ media: 'Slika',
+ macro: 'Makro',
+ insertControl: 'Odaberite tip sadržaja',
+ chooseLayout: 'Odaberite izgled',
+ addRows: 'Dodaj red',
+ addElement: 'Dodaj sadržaj',
+ dropElement: 'Ispusti sadržaj',
+ settingsApplied: 'Postavke su primijenjene',
+ contentNotAllowed: 'Ovaj sadržaj ovdje nije dozvoljen',
+ contentAllowed: 'Ovaj sadržaj je ovdje dozvoljen',
+ clickToEmbed: 'Kliknite za ugradnju',
+ clickToInsertImage: 'Kliknite da umetnete sliku',
+ clickToInsertMacro: 'Kliknite da umetnete makro',
+ placeholderWriteHere: 'Pišite ovdje...',
+ gridLayouts: 'Raspored mreže',
+ gridLayoutsDetail:
+ 'Izgledi su cjelokupno radno područje za uređivač mreže, obično vam je potreban samo jedan ili\n dva različita izgleda\n ',
+ addGridLayout: 'Dodajte raspored mreže',
+ editGridLayout: 'Uredite raspored mreže',
+ addGridLayoutDetail: 'Prilagodite izgled postavljanjem širine kolona i dodavanjem dodatnih odjeljaka',
+ rowConfigurations: 'Konfiguracije redova',
+ rowConfigurationsDetail: 'Redovi su predefinirani za raspored vodoravno',
+ addRowConfiguration: 'Dodajte konfiguraciju reda',
+ editRowConfiguration: 'Uredite konfiguraciju reda',
+ addRowConfigurationDetail: 'Podesite red postavljanjem širine ćelija i dodavanjem dodatnih ćelija',
+ noConfiguration: 'Nije dostupna dodatna konfiguracija',
+ columns: 'Kolone',
+ columnsDetails: 'Ukupan kombinovani broj kolona u rasporedu mreže',
+ settings: 'Postavke',
+ settingsDetails: 'Konfigurirajte koje postavke urednici mogu promijeniti',
+ styles: 'Stilovi',
+ stylesDetails: 'Konfigurirajte šta uređivači stilova mogu promijeniti',
+ allowAllEditors: 'Dozvoli svim urednicima',
+ allowAllRowConfigurations: 'Dozvoli sve konfiguracije redaka',
+ maxItems: 'Maksimalan broj stavki',
+ maxItemsDescription: 'Ostavite prazno ili postavite na 0 za neograničeno',
+ setAsDefault: 'Postavi kao zadano',
+ chooseExtra: 'Odaberite extra',
+ chooseDefault: 'Odaberite zadano',
+ areAdded: 'su dodani',
+ warning: 'Upozorenje',
+ warningText:
+ '
Promjena imena konfiguracije reda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji se temelji na ovoj konfiguraciji.
Izmjena samo oznake neće rezultirati gubitkom podataka.
',
+ youAreDeleting: 'Brišete konfiguraciju reda',
+ deletingARow:
+ '\n Brisanje imena konfiguracije reda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan na ovome\n konfiguraciju.\n ',
+ deleteLayout: 'Brišete izgled',
+ deletingALayout:
+ 'Izmjena izgleda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan\n na ovoj konfiguraciji.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Kompozicije',
+ group: 'Grupa',
+ noGroups: 'Niste dodali nijednu grupu',
+ addGroup: 'Dodaj grupu',
+ inheritedFrom: 'Naslijeđeno od',
+ addProperty: 'Dodaj svojstvo',
+ requiredLabel: 'Obavezna oznaka',
+ enableListViewHeading: 'Omogući prikaz liste',
+ enableListViewDescription:
+ 'Konfiguriše stavku sadržaja da prikaže njenu listu koja se može sortirati i pretraživati\n djeco, djeca neće biti prikazana na drvetu\n ',
+ allowedTemplatesHeading: 'Dozvoljeni predlošci',
+ allowedTemplatesDescription: 'Odaberite koje predloške urednici mogu koristiti na sadržaju ove vrste\n ',
+ allowAsRootHeading: 'Dozvoli kao korijen',
+ allowAsRootDescription: 'Dozvolite urednicima da kreiraju sadržaj ovog tipa u korijenu stabla sadržaja.\n ',
+ childNodesHeading: 'Dozvoljeni tipovi podređenih čvorova',
+ childNodesDescription: 'Dozvolite da se sadržaj navedenih tipova kreira ispod sadržaja ovog\n tip.\n ',
+ chooseChildNode: 'Odaberite podređeni čvor',
+ compositionsDescription:
+ 'Naslijediti kartice i svojstva iz postojeće vrste dokumenta. Nove kartice će biti\n dodano trenutnoj vrsti dokumenta ili spojeno ako postoji kartica s identičnim imenom.\n ',
+ compositionInUse: 'Ovaj tip sadržaja se koristi u kompoziciji i stoga se ne može sam sastaviti.\n ',
+ noAvailableCompositions: 'Nema dostupnih tipova sadržaja za upotrebu kao kompozicija.',
+ compositionRemoveWarning:
+ 'Uklanjanje kompozicije će izbrisati sve povezane podatke o svojstvu. Jednom ti\n sačuvajte tip dokumenta, nema povratka.\n ',
+ availableEditors: 'Napravi novi',
+ reuse: 'Koristite postojeće',
+ editorSettings: 'Postavke urednika',
+ configuration: 'Konfiguracija',
+ yesDelete: 'Da, izbriši',
+ movedUnderneath: 'je premještena ispod',
+ copiedUnderneath: 'je kopirano ispod',
+ folderToMove: 'Odaberite folder za premještanje',
+ folderToCopy: 'Odaberite folder za kopiranje',
+ structureBelow: 'do u strukturi stabla ispod',
+ allDocumentTypes: 'Svi tipovi dokumenata',
+ allDocuments: 'Svi dokumenti',
+ allMediaItems: 'Sve medijske stavke',
+ usingThisDocument:
+ 'korištenje ovog tipa dokumenta će biti trajno izbrisano, potvrdite da želite\n izbrišite i ove.\n ',
+ usingThisMedia:
+ 'korištenje ove vrste medija će biti trajno izbrisano, potvrdite da želite izbrisati\n ovi takođe.\n ',
+ usingThisMember:
+ 'korištenje ove vrste člana će biti trajno izbrisano, potvrdite da želite izbrisati\n ovi takođe\n ',
+ andAllDocuments: 'i svi dokumenti koji koriste ovu vrstu',
+ andAllMediaItems: 'i sve medijske stavke koje koriste ovu vrstu',
+ andAllMembers: 'i svi članovi koji koriste ovaj tip',
+ memberCanEdit: 'Član može uređivati',
+ memberCanEditDescription: 'Dozvolite da ovu vrijednost svojstva uređuje član na svojoj stranici profila',
+ isSensitiveData: 'Osjetljivi podaci',
+ isSensitiveDataDescription:
+ 'Sakrij ovu vrijednost svojstva od uređivača sadržaja koji nemaju pristup pregledu osjetljive informacije',
+ showOnMemberProfile: 'Prikaži na profilu člana',
+ showOnMemberProfileDescription: 'Dozvolite da se ova vrijednost svojstva prikaže na stranici profila člana',
+ tabHasNoSortOrder: 'kartica nema redoslijed sortiranja',
+ compositionUsageHeading: 'Gdje se koristi ovaj sastav?',
+ compositionUsageSpecification: 'Ovaj sastav se trenutno koristi u sastavu sljedećih\n tipa sadržaja:\n ',
+ variantsHeading: 'Dozvoli varijacije',
+ cultureVariantHeading: 'Dozvolite varirati u zavisnosti od kulture',
+ segmentVariantHeading: 'Dozvoli segmentaciju',
+ cultureVariantLabel: 'Varijacije po kulturi',
+ segmentVariantLabel: 'Varijacije po segmentima',
+ variantsDescription: 'Dozvolite urednicima da kreiraju sadržaj ove vrste na različitim jezicima.',
+ cultureVariantDescription: 'Dozvolite urednicima da kreiraju sadržaj na različitim jezicima.',
+ segmentVariantDescription: 'Dozvolite urednicima da kreiraju segmente ovog sadržaja.',
+ allowVaryByCulture: 'Dozvolite varijaciju po kulturi',
+ allowVaryBySegment: 'Dozvoli segmentaciju',
+ elementType: 'Tip elementa',
+ elementHeading: 'Je li tip elementa',
+ elementDescription:
+ 'Tip elementa je namijenjen za korištenje na primjer u ugniježđenom sadržaju, a ne u\n drvo.\n ',
+ elementCannotToggle:
+ 'Tip dokumenta se ne može promijeniti u tip elementa nakon što je naviknut\n kreirati jednu ili više stavki sadržaja.\n ',
+ elementDoesNotSupport: 'Ovo nije primjenjivo za tip elementa',
+ propertyHasChanges: 'Napravili ste promjene u ovoj nekretnini. Jeste li sigurni da ih želite odbaciti?',
+ displaySettingsHeadline: 'Izgled',
+ displaySettingsLabelOnTop: 'Oznaka iznad (puna širina)',
+ removeChildNode: 'Uklanjate podređeni čvor',
+ removeChildNodeWarning:
+ 'Uklanjanje podređenog čvora ograničit će opcije urednika da kreiraju drugačiji sadržaj\n tipovi ispod čvora.\n ',
+ usingEditor: 'korišćenjem ovog uređivača biće ažurirane nove postavke.',
+ historyCleanupHeading: 'Čišćenje istorije',
+ historyCleanupDescription: 'Dozvoli zaobilaženje postavki čišćenja globalne historije.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Neka sve verzije budu novije od dana',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Čuvajte najnoviju verziju po danu danima',
+ historyCleanupPreventCleanup: 'Spriječi čišćenje',
+ historyCleanupEnableCleanup: 'Omogući čišćenje',
+ historyCleanupGloballyDisabled:
+ 'BILJEŠKA! Čišćenje istorijskih verzija sadržaja onemogućeno je globalno. Ove postavke neće stupiti na snagu prije nego što se omogući.',
+ },
+ languages: {
+ addLanguage: 'Dodaj jezik',
+ culture: 'ISO kod',
+ mandatoryLanguage: 'Obavezan jezik',
+ mandatoryLanguageHelp:
+ 'Svojstva na ovom jeziku moraju biti popunjena prije nego što se čvor može ispuniti\n objavljeno.\n ',
+ defaultLanguage: 'Zadani jezik',
+ defaultLanguageHelp: 'Umbraco stranica može imati samo jedan zadani jezik.',
+ changingDefaultLanguageWarning: 'Promjena zadanog jezika može rezultirati nedostatkom zadanog sadržaja.',
+ fallsbackToLabel: 'Vraća se na',
+ noFallbackLanguageOption: 'Nema zamjenskog jezika',
+ fallbackLanguageDescription:
+ 'Da se omogući višejezični sadržaj da se vrati na drugi jezik ako ne\n bude prisutan na traženom jeziku, odaberite ga ovdje.\n ',
+ fallbackLanguage: 'Zamjenski jezik',
+ none: 'nijedan',
+ },
+ macro: {
+ addParameter: 'Dodaj parameter',
+ editParameter: 'Uredi parameter',
+ enterMacroName: 'Unesite naziv makroa',
+ parameters: 'Parametri',
+ parametersDescription: 'Definišite parametre koji bi trebali biti dostupni kada koristite ovaj makro.',
+ selectViewFile: 'Odaberite djelimični prikaz makro datoteke',
+ },
+ modelsBuilder: {
+ buildingModels: 'Kreiranje modela',
+ waitingMessage: 'ovo može potrajati, ne brinite',
+ modelsGenerated: 'Modeli generisani',
+ modelsGeneratedError: 'Models nije mogao biti generisani',
+ modelsExceptionInUlog: 'Generisanje modela nije uspjelo, pogledajte izuzetak u log dnevniku',
+ },
+ templateEditor: {
+ addDefaultValue: 'Dodajte zadanu vrijednost',
+ defaultValue: 'Zadana vrijednost',
+ alternativeField: 'Rezervno polje',
+ alternativeText: 'Zadana vrijednost',
+ casing: 'Veličina slova',
+ encoding: 'Kodiranje',
+ chooseField: 'Odaberite polje',
+ convertLineBreaks: 'Pretvorite prijelome redaka',
+ convertLineBreaksHelp: "Zamjenjuje prijelome reda sa 'br' html oznakom",
+ customFields: 'Prilagođena polja',
+ dateOnly: 'Samo datum',
+ formatAsDate: 'Formatiraj kao datum',
+ htmlEncode: 'Kodirati kao HTML',
+ htmlEncodeHelp: 'Zamijenit će specijalne znakove njihovim HTML ekvivalentom.',
+ insertedAfter: 'Biće umetnuto iza vrednosti polja',
+ insertedBefore: 'Biće umetnuto ispred vrednosti polja',
+ lowercase: 'Mala slova',
+ none: 'Nema',
+ outputSample: 'Izlazni uzorak',
+ postContent: 'Umetnuti nakon polja',
+ preContent: 'Umetnuti ispred polja',
+ recursive: 'Rekurzivno',
+ recursiveDescr: 'Da, neka bude rekurzivno',
+ standardFields: 'Standardna polja',
+ uppercase: 'Velika slova',
+ urlEncode: 'Kodirati kao URL',
+ urlEncodeHelp: 'Formatirati će posebne znakove u URL-ovima',
+ usedIfAllEmpty: 'Koristit će se samo kada su vrijednosti polja iznad prazne',
+ usedIfEmpty: 'Ovo polje će se koristiti samo ako je primarno polje prazno',
+ withTime: 'Datum i vrijeme',
+ },
+ translation: {
+ details: 'Detalji prijevoda',
+ DownloadXmlDTD: 'Preuzmi XML DTD',
+ fields: 'Polja',
+ includeSubpages: 'Uključi podstranice',
+ mailBody:
+ "\n Zdravo %0%\n\n Ovo je automatska pošta koja vas obavještava da je za\n\t dokument '%1%' zatražen prevod na '%5%' od %2%.\n\n Idi na http://%3%/translation/details.aspx?id=%4% za uređivanje.\n\n Ili se prijavite na Umbraco da biste dobili pregled vaših zadataka za prevod\n http://%3%\n\n Ugodan dan!\n Pozdrav od Umbraco robota\n ",
+ noTranslators:
+ 'Nije pronađen nijedan korisnik prevodioca. Molimo kreirajte korisnika prevodioca prije nego počnete slati\n sadržaj u prijevod\n ',
+ pageHasBeenSendToTranslation: "Stranica '%0%' je poslana na prijevod",
+ sendToTranslate: "Pošaljite stranicu '%0%' u prijevod",
+ totalWords: 'Ukupno riječi',
+ translateTo: 'Prevedi na',
+ translationDone: 'Prevod završen.',
+ translationDoneHelp:
+ 'Možete pregledati stranice koje ste upravo preveli klikom ispod. Ako je\n originalna stranica je pronađena, dobićete poređenje 2 stranice.\n ',
+ translationFailed: 'Prevod nije uspio, XML datoteka je možda oštećena',
+ translationOptions: 'Opcije prevođenja',
+ translator: 'Prevodilac',
+ uploadTranslationXml: 'Uvezite XML prijevod',
+ },
+ treeHeaders: {
+ content: 'Sadržaj',
+ contentBlueprints: 'Predlošci sadržaja',
+ media: 'Mediji',
+ cacheBrowser: 'Pretraživač keša',
+ contentRecycleBin: 'Kanta za smeće',
+ createdPackages: 'Kreirani paketi',
+ dataTypes: 'Tipovi podataka',
+ dictionary: 'Riječnik',
+ installedPackages: 'Instalirani paketi',
+ installSkin: 'Instaliraj skin',
+ installStarterKit: 'Instaliraj početnički kit',
+ languages: 'Jezici',
+ localPackage: 'Instaliraj lokalni paket',
+ macros: 'Makroi',
+ mediaTypes: 'Tipovi medija',
+ member: 'Članovi',
+ memberGroups: 'Grupe članova',
+ memberRoles: 'Uloge članova',
+ memberTypes: 'Tipovi članova',
+ documentTypes: 'Tipovi dokumenata',
+ relationTypes: 'Tipovi relacija',
+ packager: 'Paketi',
+ packages: 'Paketi',
+ partialViews: 'Parcijalni pogledi',
+ partialViewMacros: 'Parcijalni pregledi makro fajlova',
+ repositories: 'Instaliraj iz repozitorija',
+ runway: 'Instaliraj Runway',
+ runwayModules: 'Runway moduli',
+ scripting: 'Skripte',
+ scripts: 'Skripte',
+ stylesheets: 'Stilovi',
+ templates: 'Predlošci',
+ logViewer: 'Log preglednik',
+ users: 'Korisnici',
+ settingsGroup: 'Postavke',
+ templatingGroup: 'Predložak',
+ thirdPartyGroup: 'Treća strana',
+ },
+ update: {
+ updateAvailable: 'Novo ažuriranje spremno',
+ updateDownloadText: '%0% je spremno, kliknite ovdje za preuzimanje',
+ updateNoServer: 'Nema konekcije sa serverom',
+ updateNoServerError: 'Greška pri provjeri ažuriranja. Molimo pregledajte log za dodatne informacije',
+ },
+ user: {
+ access: 'Pristup',
+ accessHelp: 'Na osnovu dodijeljenih grupa i početnih čvorova, korisnik ima pristup sljedećim čvorovima\n ',
+ assignAccess: 'Dodijeli pristup',
+ administrators: 'Administrator',
+ categoryField: 'Polje kategorije',
+ createDate: 'Korisnik kreiran',
+ changePassword: 'Promijeni lozinku',
+ changePhoto: 'Promijeni sliku',
+ newPassword: 'Nova lozinka',
+ newPasswordFormatLengthTip: 'Najmanje %0% znakova!',
+ newPasswordFormatNonAlphaTip: 'Trebalo bi biti najmanje %0% specijalnih znakova.',
+ noLockouts: 'nije zaključan',
+ noPasswordChange: 'Lozinka nije promijenjena',
+ confirmNewPassword: 'Potvrdite novu lozinku',
+ changePasswordDescription:
+ "Možete promijeniti lozinku za pristup Umbraco backofficeu popunjavanjem\n izađite iz donjeg obrasca i kliknite na dugme 'Promijeni lozinku'\n ",
+ contentChannel: 'Kanal sadržaja',
+ createAnotherUser: 'Kreirajte drugog korisnika',
+ createUserHelp:
+ 'Kreirajte nove korisnike da im date pristup Umbraco. Kada se novom korisniku kreira lozinka\n će biti generisano koje možete podijeliti s korisnikom.\n ',
+ descriptionField: 'Polje za opis',
+ disabled: 'Onemogući korisnika',
+ documentType: 'Tip dokumenta',
+ editors: 'Urednik',
+ emailRequired: 'Obavezno - unesite email adresu za ovog korisnika',
+ excerptField: 'Polje izvoda',
+ failedPasswordAttempts: 'Neuspjeli pokušaji prijave',
+ goToProfile: 'Idite na korisnički profil',
+ groupsHelp: 'Dodajte grupe za dodjelu pristupa i dozvola',
+ inviteAnotherUser: 'Pozovite drugog korisnika',
+ inviteUserHelp:
+ 'Pozovite nove korisnike da im daju pristup Umbraco. E-mail sa pozivom će biti poslan na\n korisnik s informacijama o tome kako se prijaviti na Umbraco. Pozivnice traju 72 sata.\n ',
+ language: 'Jezik',
+ languageHelp: 'Podesite jezik koji ćete videti u menijima i dijalozima',
+ lastLockoutDate: 'Zadnji datum zaključavanja',
+ lastLogin: 'Zadnja prijava',
+ lastPasswordChangeDate: 'Lozinka zadnji put promijenjena',
+ loginname: 'Korisničko ime',
+ mediastartnode: 'Medijski startni čvor',
+ mediastartnodehelp: 'Ograničite biblioteku medija na određeni početni čvor',
+ mediastartnodes: 'Medijski startni čvorovi',
+ mediastartnodeshelp: 'Ograničite biblioteku medija na određene početne čvorove',
+ modules: 'Sekcije',
+ nameRequired: 'Obavezno - unesite ime za ovog korisnika',
+ noConsole: 'Onemogućite pristup Umbraco-u',
+ noLogin: 'se još nije prijavio',
+ oldPassword: 'Stara lozinka',
+ password: 'Lozinka',
+ resetPassword: 'Reset lozinke',
+ passwordChanged: 'Vaša lozinka je promijenjena!',
+ passwordChangedGeneric: 'Lozinka je promijenjena',
+ passwordConfirm: 'Molimo potvrdite novu lozinku',
+ passwordEnterNew: 'Unesite novu lozinku',
+ passwordIsBlank: 'Vaša nova lozinka ne može biti prazna!',
+ passwordCurrent: 'Trenutna lozinka',
+ passwordInvalid: 'Nevažeća trenutna lozinka',
+ passwordIsDifferent:
+ 'Postojala je razlika između nove lozinke i potvrđene lozinke. Molim te\n pokušaj ponovo!\n ',
+ passwordMismatch: 'Potvrđena lozinka ne odgovara novoj lozinki!',
+ permissionReplaceChildren: 'Zamijenite dozvole podređenog čvora',
+ permissionSelectedPages: 'Trenutno mijenjate dozvole za stranice:',
+ permissionSelectPages: 'Odaberite stranice da promijenite njihove dozvole',
+ removePhoto: 'Ukloni sliku',
+ permissionsDefault: 'Zadane dozvole',
+ permissionsGranular: 'Detaljne dozvole',
+ permissionsGranularHelp: 'Postavite dozvole za određene čvorove',
+ profile: 'Profil',
+ searchAllChildren: 'Pretražite svu djecu',
+ languagesHelp: 'Ograničite jezike kojima korisnici imaju pristup za uređivanje',
+ sectionsHelp: 'Dodajte odjeljke da korisnicima omogućite pristup',
+ selectUserGroups: 'Odaberite grupe korisnika',
+ noStartNode: 'Nije odabran početni čvor',
+ noStartNodes: 'Nije odabran nijedan početni čvor',
+ startnode: 'Početni čvor sadržaja',
+ startnodehelp: 'Ograničite stablo sadržaja na određeni početni čvor',
+ startnodes: 'Početni čvorovi sadržaja',
+ startnodeshelp: 'Ograničite stablo sadržaja na određene početne čvorove',
+ updateDate: 'Korisnik zadnji put ažuriran',
+ userCreated: 'je kreiran',
+ userCreatedSuccessHelp:
+ 'Novi korisnik je uspješno kreiran. Za prijavu na Umbraco koristite\n lozinka ispod.\n ',
+ userManagement: 'Upravljanje korisnicima',
+ username: 'Korisničko ime',
+ userPermissions: 'Korisničke dozvole',
+ usergroup: 'Grupa korisnika',
+ userInvited: 'je pozvan',
+ userInvitedSuccessHelp:
+ 'Novom korisniku je poslana pozivnica s detaljima o tome kako se prijaviti\n Umbraco.\n ',
+ userinviteWelcomeMessage:
+ 'Pozdrav i dobrodošli u Umbraco! Za samo 1 minut možete krenuti, mi samo trebate postaviti lozinku.',
+ userinviteExpiredMessage:
+ 'Dobrodošli u Umbraco! Nažalost, vaš poziv je istekao. Molimo kontaktirajte svoju\n administratora i zamolite ih da ga ponovo pošalju.\n ',
+ writer: 'Pisac',
+ change: 'Promjena',
+ yourProfile: 'Vaš profil',
+ yourHistory: 'Vaša nedavna istorija',
+ sessionExpires: 'Sesija ističe za',
+ inviteUser: 'Pozovi korisnika',
+ createUser: 'Kreiraj korisnika',
+ sendInvite: 'Pošalji pozivnicu',
+ backToUsers: 'Nazad na korisnike',
+ inviteEmailCopySubject: 'Umbraco: Pozivnica',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\n",
+ defaultInvitationMessage: 'Ponovno slanje pozivnice...',
+ deleteUser: 'Izbriši korisnika',
+ deleteUserConfirmation: 'Jeste li sigurni da želite izbrisati ovaj korisnički račun?',
+ stateAll: 'Sve',
+ stateActive: 'Aktivan',
+ stateDisabled: 'Onemogućen',
+ stateLockedOut: 'Zaključan',
+ stateApproved: 'Odobren',
+ stateInvited: 'Pozvan',
+ stateInactive: 'Neaktivan',
+ sortNameAscending: 'Ime (A-Z)',
+ sortNameDescending: 'Ime (Z-A)',
+ sortCreateDateAscending: 'Najstarije',
+ sortCreateDateDescending: 'Najnovije',
+ sortLastLoginDateDescending: 'Zadnja prijava',
+ noUserGroupsAdded: 'Nijedna korisnička grupa nije dodana',
+ '2faDisableText':
+ 'Ako želite da onemogućite ovog dvofaktorskog provajdera, onda morate uneti kod prikazan na vašem uređaju za autentifikaciju:',
+ '2faProviderIsEnabled': 'Ovaj dvofaktorski provajder je omogućen',
+ '2faProviderIsDisabledMsg': 'Ovaj dvofaktorski provajder je sada onemogućen',
+ '2faProviderIsNotDisabledMsg': 'Nešto je pošlo po zlu s pokušajem da se onemogući ovaj dvofaktorski provajder',
+ '2faDisableForUser': 'Želite li onemogućiti ovog dvofaktorskog provajdera za ovog korisnika?',
+ },
+ validation: {
+ validation: 'Validacija',
+ noValidation: 'Nema validacije',
+ validateAsEmail: 'Potvrdi kao adresu e-pošte',
+ validateAsNumber: 'Potvrdite kao broj',
+ validateAsUrl: 'Potvrdi kao URL',
+ enterCustomValidation: '...ili unesite prilagođenu validaciju',
+ fieldIsMandatory: 'Polje je obavezno',
+ mandatoryMessage: 'Unesite prilagođenu poruku o grešci validacije (opcionalno)',
+ validationRegExp: 'Unesite regularni izraz',
+ validationRegExpMessage: 'Unesite prilagođenu poruku o grešci validacije (opcionalno)',
+ minCount: 'Morate dodati barem',
+ maxCount: 'Samo možeš imati',
+ addUpTo: 'Dodajte do',
+ items: 'stavke',
+ urls: 'URL-ovi',
+ urlsSelected: 'Odabrani URL-ovi',
+ itemsSelected: 'odabrane stavke',
+ invalidDate: 'Nevažeći datum',
+ invalidNumber: 'Nije broj',
+ invalidNumberStepSize: 'Nije važeća brojčana veličina koraka',
+ invalidEmail: 'Nevažeći email',
+ invalidNull: 'Vrijednost ne može biti null',
+ invalidEmpty: 'Vrijednost ne može biti prazna',
+ invalidPattern: 'Vrijednost je nevažeća, ne odgovara ispravnom uzorku',
+ customValidation: 'Prilagođena validacija',
+ entriesShort: 'Minimalno %0% unosa, potrebno %1% više.',
+ entriesExceed: 'Maksimalno %0% unosa, %1% previše.',
+ entriesAreasMismatch: 'Zahtjevi za količinu sadržaja nisu ispunjeni za jedno ili više područja.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Vrijednost je postavljena na preporučenu vrijednost: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Očekivana vrijednost '%1%' za '%2%' u konfiguracijskoj datoteci '%3%', ali\n pronađeno '%0%'.\n ",
+ checkErrorMessageUnexpectedValue:
+ "Pronađena neočekivana vrijednost '%0%' za '%2%' u konfiguracijskoj datoteci '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "Makro greške su postavljene na '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Greške makroa su postavljene na '%0%' što će spriječiti potpuno učitavanje nekih ili svih stranica\n\t na vašem sajtu ako postoje greške u makroima. Ako ovo ispravite, vrijednost će biti postavljena na '%1%'.\n ",
+ httpsCheckValidCertificate: 'Certifikat Vaše web stranice je važeći.',
+ httpsCheckInvalidCertificate: "Greška u validaciji certifikata: '%0%'",
+ httpsCheckExpiredCertificate: 'SSL certifikat vaše web stranice je istekao.',
+ httpsCheckExpiringCertificate: 'SSL certifikat vaše web stranice ističe za %0% dana.',
+ healthCheckInvalidUrl: "Greška pri pingovanju URL-a %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Trenutno %0% pregledavate stranicu koristeći HTTPS šemu.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "AppSetting 'Umbraco:CMS:Global:UseHttps' je postavljen na 'false' u\n vašem appSettings.json fajl. Jednom kada pristupite ovoj stranici koristeći HTTPS šemu, to bi trebalo biti postavljeno na 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "Postavka aplikacije 'Umbraco:CMS:Global:UseHttps' je postavljena na '%0%' u vašem\n appSettings.json datoteku, vaši kolačići su %1% označeni kao sigurni.\n ",
+ compilationDebugCheckSuccessMessage: 'Način kompilacije otklanjanja grešaka je onemogućen.',
+ compilationDebugCheckErrorMessage:
+ 'Način kompilacije za otklanjanje grešaka je trenutno omogućen. Preporučuje se da se\n onemogućite ovu postavku prije emitiranja uživo.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "AppSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' je postavljen na %0%.",
+ umbracoApplicationUrlCheckResultFalse: "AppSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' nije postavljen.",
+ clickJackingCheckHeaderFound:
+ 'Zaglavlje ili meta-tag X-Frame-Options koji se koristi za kontrolu da li neko mjesto može biti IFRAMED od strane drugog je pronađen.',
+ clickJackingCheckHeaderNotFound:
+ 'Zaglavlje ili meta-tag X-Frame-Options koji se koristi za kontrolu da li neko mjesto može biti IFRAMED od strane drugog nije pronađen.',
+ noSniffCheckHeaderFound:
+ 'Zaglavlje ili meta-tag X-Content-Type-Options koji se koristi za zaštitu od ranjivosti MIME sniffinga je pronađen.',
+ noSniffCheckHeaderNotFound:
+ 'Zaglavlje ili meta-tag X-Content-Type-Options koji se koristi za zaštitu od ranjivosti MIME sniffinga nije pronađen.',
+ hSTSCheckHeaderFound:
+ 'Zaglavlje Strict-Transport-Security, takođe poznat kao HSTS-header, je pronađen.',
+ hSTSCheckHeaderNotFound: 'Zaglavlje Strict-Transport-Security nije pronađeno.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'Zaglavlje Strict-Transport-Security, takođe poznat kao HSTS-header, je pronađen. Ovo zaglavlje ne bi trebalo biti prisutno na lokalnom hostu.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'Zaglavlje Strict-Transport-Security nije pronađeno. Ovo zaglavlje ne bi trebalo biti prisutno na lokalnom hostu.',
+ xssProtectionCheckHeaderFound: 'Zaglavlje X-XSS-Protection je pronađeno.',
+ xssProtectionCheckHeaderNotFound: 'Zaglavlje X-XSS-Protection nije pronađeno.',
+ excessiveHeadersFound:
+ 'Pronađena su sljedeća zaglavlja koja otkrivaju informacije o tehnologiji web stranice: %0%.',
+ excessiveHeadersNotFound: 'Nisu pronađena zaglavlja koja otkrivaju informacije o tehnologiji web stranice.\n ',
+ smtpMailSettingsNotFound: 'U datoteci Web.config, system.net/mailsettings nije moguće pronaći.',
+ smtpMailSettingsHostNotConfigured:
+ 'U datoteci Web.config, system.net/mailsettings, host\n nije konfigurisan.\n ',
+ smtpMailSettingsConnectionSuccess:
+ 'SMTP postavke su ispravno konfigurisane i usluga radi\n kao što je očekivano.\n ',
+ smtpMailSettingsConnectionFail:
+ "SMTP server konfigurisan sa hostom '%0%' i portom '%1%' ne može biti\n dosegnut. Provjerite jesu li SMTP postavke u datoteci Web.config, system.net/mailsettings ispravne.\n ",
+ notificationEmailsCheckSuccessMessage: 'E-mail za obavještenje je postavljen na %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'E-pošta za obavještenje je i dalje postavljena na zadanu vrijednost od %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Rezultati zakazanih Umbraco provjera zdravlja koji se pokreću na %0% na %1% su sljedeći:
Provjera zdravlja procjenjuje različita područja vaše web lokacije u pogledu postavki najbolje prakse, konfiguracije, potencijalnih problema itd. Možete jednostavno riješiti probleme pritiskom na dugme.\n Možete dodati svoje zdravstvene preglede, pogledajte dokumentaciju za više informacija o prilagođenim zdravstvenim pregledima.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Onemogući URL tragač',
+ enableUrlTracker: 'Omogući URL tragač',
+ originalUrl: 'Originalni URL',
+ redirectedTo: 'Preusmjeri na',
+ redirectUrlManagement: 'Preusmjeravanje URL-ova',
+ panelInformation: 'Sljedeći URL-ovi preusmjeravaju na ovu stavku sadržaja:',
+ noRedirects: 'Nisu napravljena nikakva preusmjeravanja',
+ noRedirectsDescription:
+ 'Kada se objavljena stranica preimenuje ili premjesti, preusmjeravanje će automatski biti\n napravljen na novu stranicu.\n ',
+ redirectRemoved: 'Preusmjeravanje uklonjeno.',
+ redirectRemoveError: 'Greška pri uklanjanju preusmjeravanja.',
+ redirectRemoveWarning: 'Ovo će ukloniti preusmjeravanje',
+ confirmDisable: 'Jeste li sigurni da želite onemogućiti URL tragač?',
+ disabledConfirm: 'URL tragač je sada onemogućen.',
+ disableError: 'Greška pri onemogućavanju URL tragača, više informacija možete pronaći u vašem log fajlu.',
+ enabledConfirm: 'URL tragač je sada omogućen.',
+ enableError: 'Greška pri omogućavanju URL tragača, više informacija možete pronaći u vašem log fajlu.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Nema stavki iz rječnika za odabir',
+ },
+ textbox: {
+ characters_left: '%0% preostalih znakova.',
+ characters_exceed: 'Maksimalno %0% karaktera, %1% previše.',
+ },
+ recycleBin: {
+ contentTrashed: 'Sadržaj u otpadu s ID-om: {0} povezan je s originalnim nadređenim sadržajem s ID-om: {1}',
+ mediaTrashed: 'Medij u otpadu s ID-om: {0} povezan je s originalnim nadređenim medijem s ID-om: {1}',
+ itemCannotBeRestored: 'Nije moguće automatski vratiti ovu stavku',
+ itemCannotBeRestoredHelpText:
+ 'Ne postoji lokacija na kojoj se ova stavka može automatski vratiti. Vi\n može ručno premjestiti stavku koristeći stablo ispod.\n ',
+ wasRestored: 'je restauriran pod',
+ },
+ relationType: {
+ direction: 'Smjer',
+ parentToChild: 'Roditelj djetetu',
+ bidirectional: 'Bidirectional',
+ parent: 'Roditelj',
+ child: 'Dijete',
+ count: 'Broj',
+ relation: 'Relacija',
+ relations: 'Relacije',
+ created: 'Kreirano',
+ comment: 'Komentar',
+ name: 'Naziv',
+ noRelations: 'Nema relacija za ovu vrstu odnosa',
+ tabRelationType: 'Tip relacije',
+ tabRelations: 'Relacije',
+ isDependency: 'Je zavisan',
+ dependency: 'Da',
+ noDependency: 'Ne',
+ },
+ dashboardTabs: {
+ contentIntro: 'Početak rada',
+ contentRedirectManager: 'Preusmjeravanje URL-ova',
+ mediaFolderBrowser: 'Sadržaj',
+ settingsWelcome: 'Dobrodošli',
+ settingsExamine: 'Examine menadžment',
+ settingsPublishedStatus: 'Status stranice',
+ settingsModelsBuilder: 'Generator modela',
+ settingsHealthCheck: 'Provjera zdravlja',
+ settingsProfiler: 'Profilisanje',
+ memberIntro: 'Početak rada',
+ formsInstall: 'Instaliraj Umbraco Forms',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Vrati se',
+ activeListLayout: 'Aktivan raspored:',
+ jumpTo: 'Skoči na',
+ group: 'grupa',
+ passed: 'prošao',
+ warning: 'upozorenje',
+ failed: 'neuspješno',
+ suggestion: 'prijedlog',
+ checkPassed: 'Provjera prošla',
+ checkFailed: 'Provjera nije uspjela',
+ openBackofficeSearch: 'Otvorite backoffice pretragu',
+ openCloseBackofficeHelp: 'Otvori/Zatvori pomoć za backoffice',
+ openCloseBackofficeProfileOptions: 'Opcije otvaranja/zatvaranja profila',
+ assignDomainDescription: 'Postavite kulturu i imena hostova za %0%',
+ createDescription: 'Kreirajte novi čvor ispod %0%',
+ protectDescription: 'Postavite ograničenja pristupa uključena %0%',
+ rightsDescription: 'Dozvole za postavljanje su uključene %0%',
+ sortDescription: 'Promijenite redoslijed sortiranja za %0%',
+ createblueprintDescription: 'Kreirajte predložak sadržaja na osnovu %0%',
+ openContextMenu: 'Otvorite kontekstni meni za',
+ currentLanguage: 'Trenutni jezik',
+ switchLanguage: 'Prebaci jezik na',
+ createNewFolder: 'Kreirajte novi folder',
+ newPartialView: 'Parcijalni pogled',
+ newPartialViewMacro: 'Makro za djelomični prikaz',
+ newMember: 'Član',
+ newDataType: 'Tip podatka',
+ redirectDashboardSearchLabel: 'Pretražite kontrolnu tablu za preusmjeravanje',
+ userGroupSearchLabel: 'Pretražite odjeljak korisničke grupe',
+ userSearchLabel: 'Pretražite odjeljak korisnika',
+ createItem: 'Kreiraj stavku',
+ create: 'Kreiraj',
+ edit: 'Uredi',
+ name: 'Naziv',
+ addNewRow: 'Dodaj novi red',
+ tabExpand: 'Pogledajte više opcija',
+ searchOverlayTitle: 'Pogledajte više opcija',
+ searchOverlayDescription: 'Potražite čvorove sadržaja, medijske čvorove itd. u backofficeu.',
+ searchInputDescription:
+ 'Kada su dostupni rezultati autodovršavanja, pritisnite strelice gore i dolje ili koristite\n taster tab i koristite taster enter da izaberete.\n ',
+ path: 'Putanja:',
+ foundIn: 'Pronađeno u',
+ hasTranslation: 'Ima prevod',
+ noTranslation: 'Nedostaje prijevod',
+ dictionaryListCaption: 'Stavke iz rječnika',
+ contextMenuDescription: 'Odaberite jednu od opcija za uređivanje čvora.',
+ contextDialogDescription: 'Izvršite akciju %0% na čvoru %1%.',
+ addImageCaption: 'Dodajte natpis slike',
+ searchContentTree: 'Pretraži stablo sadržaja',
+ maxAmount: 'Maksimalni iznos',
+ },
+ references: {
+ tabName: 'Reference',
+ DataTypeNoReferences: 'Ovaj tip podataka nema reference.',
+ itemHasNoReferences: 'Ova stavka nema reference.',
+ labelUsedByDocumentTypes: 'Koristi se u tipovima dokumenata',
+ labelUsedByMediaTypes: 'Koristi se u tipovima medija',
+ labelUsedByMemberTypes: 'Koristi se u tipovima članova',
+ usedByProperties: 'Koristi',
+ labelUsedItems: 'Stavke u upotrebi',
+ labelUsedDescendants: 'Potomci u upotrebi',
+ deleteWarning:
+ 'Ova stavka ili njeni potomci se koriste. Brisanje može dovesti do neispravnih veza na vašoj web stranici.',
+ unpublishWarning:
+ 'Ova stavka ili njeni potomci se koriste. Poništavanje objavljivanja može dovesti do neispravnih veza na vašoj web stranici. Molimo poduzmite odgovarajuće radnje.',
+ deleteDisabledWarning: 'Ova stavka ili njeni potomci se koriste. Stoga je brisanje onemogućeno.',
+ listViewDialogWarning: 'Sljedeće stavke koje pokušavate %0% koriste drugi sadržaj.',
+ },
+ logViewer: {
+ deleteSavedSearch: 'Izbriši sačuvane pretrage',
+ logLevels: 'Nivoi loga',
+ selectAllLogLevelFilters: 'Označi sve',
+ deselectAllLogLevelFilters: 'Odznači sve',
+ savedSearches: 'Sačuvane pretrage',
+ saveSearch: 'Sačuvaj pretragu',
+ saveSearchDescription: 'Unesite prijateljski naziv za vaš upit za pretragu',
+ filterSearch: 'Filtriraj pretragu',
+ totalItems: 'Ukupno',
+ timestamp: 'Vrijeme',
+ level: 'Nivo',
+ machine: 'Uređaj',
+ message: 'Poruka',
+ exception: 'Izuzetak',
+ properties: 'Svojstva',
+ searchWithGoogle: 'Pretraži pomoću Google-a',
+ searchThisMessageWithGoogle: 'Pretraži ovu poruku pomoću Google-a',
+ searchWithBing: 'Pretraži pomoću Bing-a',
+ searchThisMessageWithBing: 'Pretraži ovu poruku pomoću Bing-a',
+ searchOurUmbraco: 'Pretraži Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Pretraži ovu poruku na Our Umbraco forumu i dokumentaciji',
+ searchOurUmbracoWithGoogle: 'Pretraži Our Umbraco pomoću Google-a',
+ searchOurUmbracoForumsUsingGoogle: 'Pretraži Our Umbraco forume pomoću Google-a',
+ searchUmbracoSource: 'Pretraži Umbraco Source',
+ searchWithinUmbracoSourceCodeOnGithub: 'Pretraži Umbraco source code on Github-u',
+ searchUmbracoIssues: 'Pretraži Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Pretraži Umbraco Issues na Github-u',
+ deleteThisSearch: 'Obriši ovu pretragu',
+ findLogsWithRequestId: 'Pronađi logove sa ID-om zatjeva',
+ findLogsWithNamespace: 'Pronađi logove sa namespace-om',
+ findLogsWithMachineName: 'Pronađi logove sa nazivom uređaja',
+ open: 'Otvori',
+ polling: 'Provjera',
+ every2: 'Svako 2 sekunde',
+ every5: 'Svako 5 sekundi',
+ every10: 'Svako 10 sekundi',
+ every20: 'Svako 20 sekundi',
+ every30: 'Svako 30 sekundi',
+ pollingEvery2: 'Provjera svako 2s',
+ pollingEvery5: 'Provjera svako 5s',
+ pollingEvery10: 'Provjera svako 10s',
+ pollingEvery20: 'Provjera svako 20s',
+ pollingEvery30: 'Provjera svako 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Kopiraj %0%',
+ labelForArrayOfItemsFrom: '%0% od %1%',
+ labelForArrayOfItems: 'Zbirka od %0%',
+ labelForRemoveAllEntries: 'Uklonite sve stavke',
+ labelForClearClipboard: 'Očisti međuspremnik',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Otvorite radnje svojstva',
+ tooltipForPropertyActionsMenuClose: 'Zatvorite Property Actions',
+ },
+ nuCache: {
+ refreshStatus: 'Osvježi status',
+ memoryCache: 'Memorijski keš',
+ memoryCacheDescription:
+ '\n Ovo dugme vam omogućava da obnovite keš u memoriji tako što ćete je u potpunosti ponovo učitati iz baze podataka\n (ali ne obnavlja keš baze podataka). Ovo je relativno brzo.\n Koristite ga kada mislite da keš memorija nije pravilno osvježena, nakon nekih događaja\n pokrenuo—što bi ukazivalo na manji problem sa Umbracom.\n (Napomena: pokreće ponovno učitavanje na svim serverima u LB okruženju).\n ',
+ reload: 'Ponovo učitaj',
+ databaseCache: 'Keš baze podataka',
+ databaseCacheDescription:
+ '\n Ovo dugme vam omogućava da ponovo izgradite keš baze podataka, tj. sadržaj tabele cmsContentNu.\n Obnova može biti skupa.\n Koristite ga kada ponovno učitavanje nije dovoljno, a mislite da keš baze podataka nije bio\n pravilno generisan—što bi ukazivalo na neko kritično pitanje Umbraco.\n ',
+ rebuild: 'Ponovo sagradi',
+ internals: 'Unutrašnjost',
+ internalsDescription:
+ '\n Ovo dugme vam omogućava da pokrenete kolekciju NuCache snimaka (nakon pokretanja fullCLR GC-a).\n Osim ako ne znate šta to znači, vjerovatno ga ne morate koristiti.\n ',
+ collect: 'Skupiti',
+ publishedCacheStatus: 'Objavljeni status keša',
+ caches: 'Predmemorije',
+ },
+ profiling: {
+ performanceProfiling: 'Profiliranje performansi',
+ performanceProfilingDescription:
+ '\n
\n Umbraco trenutno radi u načinu za otklanjanje grešaka. To znači da možete koristiti ugrađeni profiler performansi za procjenu performansi prilikom renderiranja stranica.\n
\n
\n Ako želite da aktivirate profiler za određeno prikazivanje stranice, jednostavno dodajte umbDebug=true na string upita kada tražite stranicu.\n
\n
\n Ako želite da se profilator aktivira prema zadanim postavkama za sve prikaze stranica, možete koristiti prekidač ispod.\n On će postaviti kolačić u vaš pretraživač, koji zatim automatski aktivira profiler.\n Drugim riječima, profiler će biti aktivan samo po defaultu u vašen pretraživaču - ne svačijem drugom.\n
\n Nikada ne biste trebali dozvoliti da proizvodna lokacija radi u načinu za otklanjanje grešaka. Režim za otklanjanje grešaka se isključuje podešavanjem Umbraco:CMS:Hosting:Debug na false u appsettings.json, appsettings.{Environment}.json ili preko varijable okruženja.\n
\n ',
+ profilerEnabledDescription:
+ '\n
\n Umbraco trenutno ne radi u načinu za otklanjanje grešaka, tako da ne možete koristiti ugrađeni profiler. Ovako bi trebalo da bude za proizvodnu lokaciju.\n
\n
\n Režim za otklanjanje grešaka se uključuje podešavanjem Umbraco:CMS:Hosting:Debug na true u appsettings.json, appsettings.{Environment}.json ili preko varijable okruženja.\n
\n ',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Sati Umbraco trening videa udaljeni su samo jedan klik',
+ trainingDescription:
+ '\n
Želite savladati Umbraco? Provedite nekoliko minuta učeći neke najbolje prakse gledajući jedan od ovih videozapisa o korištenju Umbraco-a. I posjetite umbraco.tv za još više Umbraco videa
\n ',
+ learningBaseDescription:
+ '\n
Želite savladati Umbraco? Provedite nekoliko minuta učeći neke najbolje prakse gledajući jedan od ovih videozapisa o korištenju Umbraco-a Umbraco Learning Base Youtube kanal. Ovdje možete pronaći gomilu video materijala koji pokriva mnoge aspekte Umbraco-a.
\n ',
+ getStarted: 'Za početak',
+ },
+ settingsDashboard: {
+ start: 'Počni ovdje',
+ startDescription:
+ 'Ovaj odjeljak sadrži blokove za izgradnju vaše Umbraco stranice. Slijedite dolje\n veze da saznate više o radu sa stavkama u odjeljku Postavke\n ',
+ more: 'Saznajte više',
+ bulletPointOne:
+ '\n Pročitajte više o radu sa stavkama u Postavkama u odjeljku Dokumentacija na Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Postavite pitanje na Forumu zajednice\n ',
+ bulletPointTutorials:
+ '\n Gledajte besplatno video tutorijale na Umbraco Learning Base\n ',
+ bulletPointFour:
+ '\n Saznajte više o našim alatima za povećanje produktivnosti i komercijalna podrška\n ',
+ bulletPointFive:
+ '\n Saznajte nešto o mogućnosti stvarne obuke i certifikacije\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Dobrodošli u The Friendly CMS',
+ fallbackDescription:
+ 'Hvala vam što ste odabrali Umbraco - mislimo da bi ovo mogao biti početak nečega\n predivno. Iako se u početku može činiti neodoljivim, učinili smo mnogo da kriva učenja bude što glatka i brza\n što je moguće.\n ',
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Forms',
+ formsDescription:
+ 'Kreirajte obrasce pomoću intuitivnog drag and drop interfejsa. Od jednostavnih kontakt obrazaca\n koji šalje e-mail do naprednih obrazaca koji se integrišu sa CRM sistemima. Vašim klijentima će se svidjeti!\n ',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Odaberite tip elementa',
+ headlineAddSettingsElementType: 'Priložite postavke na tip elementa',
+ headlineAddCustomView: 'Odaberite prikaz',
+ headlineAddCustomStylesheet: 'Odaberite stil',
+ headlineAddThumbnail: 'Odaberite sličicu',
+ labelcreateNewElementType: 'Kreirajte novi tip elementa',
+ labelCustomStylesheet: 'Prilagođeni stil',
+ addCustomStylesheet: 'Dodaj stil',
+ headlineEditorAppearance: 'Izgled bloka',
+ headlineDataModels: 'Modeli podataka',
+ headlineCatalogueAppearance: 'Izgled kataloga',
+ labelBackgroundColor: 'Boja pozadine',
+ labelIconColor: 'Boja ikone',
+ labelContentElementType: 'Model sadržaja',
+ labelLabelTemplate: 'Labela',
+ labelCustomView: 'Prilagođeni prikaz',
+ labelCustomViewInfoTitle: 'Prikaži opis prilagođenog prikaza',
+ labelCustomViewDescription:
+ 'Zamenite način na koji se ovaj blok pojavljuje u korisničkom sučelju backofficea. Odaberite .html datoteku\n koji sadrži vašu prezentaciju.\n ',
+ labelSettingsElementType: 'Model postavki',
+ labelEditorSize: 'Veličina uređivača preklapanja',
+ addCustomView: 'Dodaj prilagođeni prikaz',
+ addSettingsElementType: 'Dodaj postavke',
+ confirmDeleteBlockMessage: 'Jeste li sigurni da želite izbrisati sadržaj %0%?',
+ confirmDeleteBlockTypeMessage: 'Jeste li sigurni da želite izbrisati konfiguraciju bloka %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'Sadržaj ovog bloka će i dalje biti prisutan, uređivanje ovog sadržaja\n više neće biti dostupan i bit će prikazan kao nepodržani sadržaj.\n ',
+ confirmDeleteBlockGroupMessage:
+ 'Jeste li sigurni da želite izbrisati grupu %0% i sve konfiguracije ovog bloka?',
+ confirmDeleteBlockGroupNotice:
+ 'Sadržaj ovih blokova će i dalje biti prisutan, uređivanje ovog sadržaja\n više neće biti dostupan i bit će prikazan kao nepodržani sadržaj.\n ',
+ blockConfigurationOverlayTitle: "Konfiguracija od '%0%'",
+ elementTypeDoesNotExist: 'Ne može se uređivati jer tip elementa ne postoji.',
+ thumbnail: 'Sličica',
+ addThumbnail: 'Dodaj sličicu',
+ tabCreateEmpty: 'Kreiraj prazno',
+ tabClipboard: 'Međuspremnik',
+ tabBlockSettings: 'Postavke',
+ headlineAdvanced: 'Napredno',
+ forceHideContentEditor: 'Sakrij uređivač sadržaja',
+ forceHideContentEditorHelp:
+ 'Sakrijte dugme za uređivanje sadržaja i uređivač sadržaja iz preklapanja Block Editor.',
+ gridInlineEditing: 'Inline editovanje',
+ gridInlineEditingHelp:
+ 'Omogućava inline uređivanje za prvo svojstvo. Dodatna svojstva se mogu uređivati u prekrivaču.',
+ blockHasChanges: 'Izmijenili ste ovaj sadržaj. Jeste li sigurni da ih želite odbaciti?',
+ confirmCancelBlockCreationHeadline: 'Odbaciti kreiranje?',
+ confirmCancelBlockCreationMessage: 'Jeste li sigurni da želite otkazati kreiranje.',
+ elementTypeDoesNotExistHeadline: 'Greška!',
+ elementTypeDoesNotExistDescription: 'Tip elementa ovog bloka više ne postoji',
+ addBlock: 'Dodaj sadržaj',
+ addThis: 'Dodaj %0%',
+ propertyEditorNotSupported: "Svojstvo '%0%' koristi uređivač '%1%' koji nije podržan u blokovima.",
+ focusParentBlock: 'Postavite fokus na blok kontejnera',
+ areaIdentification: 'Identifikacija',
+ areaValidation: 'Validacija',
+ areaValidationEntriesShort: '%0% mora biti prisutan barem %2% puta.',
+ areaValidationEntriesExceed: '%0% mora biti maksimalno prisutan %3% puta.',
+ areaNumberOfBlocks: 'Broj blokova',
+ areaDisallowAllBlocks: 'Dozvolite samo određene tipove blokova',
+ areaAllowedBlocks: 'Dozvoljene vrste blokova',
+ areaAllowedBlocksHelp:
+ 'Definirajte tipove blokova koji su dozvoljeni u ovoj oblasti i opciono koliko svakog tipa treba biti prisutan.',
+ confirmDeleteBlockAreaMessage: 'Jeste li sigurni da želite izbrisati ovo područje?',
+ confirmDeleteBlockAreaNotice: 'Svi blokovi koji su trenutno kreirani unutar ovog područja bit će obrisani.',
+ layoutOptions: 'Opcije rasporeda',
+ structuralOptions: 'Strukturno',
+ sizeOptions: 'Opcije veličine',
+ sizeOptionsHelp: 'Definirajte jednu ili više opcija veličine, ovo omogućava promjenu veličine bloka',
+ allowedBlockColumns: 'Definirajte jednu ili više opcija veličine, ovo omogućava promjenu veličine bloka',
+ allowedBlockColumnsHelp:
+ 'Definirajte različit broj kolona preko kojih ovaj blok može da se proteže. Ovo ne sprječava postavljanje blokova u područja s manjim rasponom kolona.',
+ allowedBlockRows: 'Dostupni rasponi redova',
+ allowedBlockRowsHelp: 'Definirajte raspon redova rasporeda preko kojih se ovaj blok može prostirati.',
+ allowBlockInRoot: 'Dozvolite u korijenu',
+ allowBlockInRootHelp: 'Učinite ovaj blok dostupnim u korijenu izgleda.',
+ allowBlockInAreas: 'Dozvolite u područjima',
+ allowBlockInAreasHelp:
+ 'Učinite ovaj blok dostupnim prema zadanim postavkama unutar područja drugih blokova (osim ako za ove oblasti nisu postavljene eksplicitne dozvole).',
+ areaAllowedBlocksEmpty:
+ 'Prema zadanim postavkama, svi tipovi blokova su dozvoljeni u području. Koristite ovu opciju da dozvolite samo odabrane tipove.',
+ areas: 'Područja',
+ areasLayoutColumns: 'Mrežne kolone za područja',
+ areasLayoutColumnsHelp:
+ 'Definirajte koliko će stupaca biti dostupno za područja. Ako nije definiran, koristit će se broj kolona definiranih za cijeli izgled.',
+ areasConfigurations: 'Područja',
+ areasConfigurationsHelp:
+ "Da biste omogućili ugniježđenje blokova unutar ovog bloka, definirajte jedno ili više područja. Područja slijede raspored definiran njihovom vlastitom konfiguracijom stupca mreže. 'Raspon kolone' i 'raspon reda' za svaku oblast može se podesiti korištenjem okvira za rukovanje skalom u donjem desnom uglu odabranog područja.",
+ invalidDropPosition: '%0% nije dozvoljeno na ovom mestu.',
+ defaultLayoutStylesheet: 'Zadani raspored stilova',
+ confirmPasteDisallowedNestedBlockHeadline: 'Nedozvoljeni sadržaj je odbijen',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'Umetnuti sadržaj sadržavao je nedozvoljeni sadržaj koji nije kreiran. Želite li ipak zadržati ostatak ovog sadržaja??',
+ areaAliasHelp:
+ 'Kada koristite GetBlockGridHTML() za prikazivanje Block Grid-a, pseudonim će biti prikazan u oznaci kao \'data-area-alias\' atribut. Koristite atribut alias za ciljanje elementa za područje. Npr. .umb-block-grid__area[data-area-alias="MyAreaAlias"] { ... }',
+ scaleHandlerButtonTitle: 'Povucite za skaliranje',
+ areaCreateLabelTitle: 'Kreiraj oznaku dugmeta',
+ areaCreateLabelHelp: "Nadjačajte tekst oznake za dodavanje novog bloka u ovo područje, primjer: 'Dodaj widget'",
+ showSizeOptions: 'Prikaži opcije promjene veličine',
+ addBlockType: 'Dodaj blok',
+ addBlockGroup: 'Dodaj grupu',
+ pickSpecificAllowance: 'Odaberi grupu ili blok',
+ allowanceMinimum: 'Postavite minimalni zahtjev',
+ allowanceMaximum: 'Postavite maksimalan zahtjev',
+ block: 'Blok',
+ tabBlock: 'Blok',
+ tabBlockTypeSettings: 'Postavke',
+ tabAreas: 'Područja',
+ tabAdvanced: 'Napredno',
+ headlineAllowance: 'Dozvole',
+ getSampleHeadline: 'Instalirajte uzorak konfiguracije',
+ getSampleDescription:
+ 'Ovo će dodati osnovne blokove i pomoći vam da započnete s Block Grid Editorom. Dobit ćete blokove za naslov, obogaćeni tekst, sliku, kao i raspored u dvije kolone.',
+ getSampleButton: 'Instaliraj',
+ actionEnterSortMode: 'Način sortiranja',
+ actionExitSortMode: 'Završi način sortiranja',
+ areaAliasIsNotUnique: 'Ovaj pseudonim oblasti mora biti jedinstven u poređenju sa drugim oblastima ovog bloka.',
+ configureArea: 'Konfiguriraj područje',
+ deleteArea: 'Obriši područje',
+ addColumnSpanOption: 'Dodajte opciju raspona %0% kolona',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Šta su predlošci sadržaja?',
+ whatDescription:
+ 'Predlošci sadržaja su unaprijed definirani sadržaj koji se može odabrati prilikom kreiranja novog\n sadržaj čvora.\n ',
+ createHeadline: 'Kako da kreiram predložak sadržaja?',
+ createDescription:
+ '\n
Postoje dva načina za kreiranje predloška sadržaja:
\n
\n
Desnom tipkom miša kliknite čvor sadržaja i odaberite "Kreiraj predložak sadržaja" da kreirate novi predložak sadržaja.
\n
Kliknite desnim tasterom miša na stablo predložaka sadržaja u odjeljku Postavke i odaberite vrstu dokumenta za koju želite da kreirate predložak sadržaja.
\n
\n
Nakon što dobiju ime, urednici mogu početi koristiti predložak sadržaja kao osnovu za svoju novu stranicu.
\n ',
+ manageHeadline: 'Kako da upravljam predlošcima sadržaja?',
+ manageDescription:
+ 'Možete uređivati i brisati predloške sadržaja iz stabla "Šabloni sadržaja" u\n odjeljak postavki. Proširite vrstu dokumenta na kojoj se temelji predložak sadržaja i kliknite na nju da biste uredili ili izbrisali to.\n ',
+ },
+ preview: {
+ endLabel: 'Kraj',
+ endTitle: 'Završi način pregleda',
+ openWebsiteLabel: 'Pregledajte web stranicu',
+ openWebsiteTitle: 'Otvorite web stranicu u načinu pregleda',
+ returnToPreviewHeadline: 'Pregledajte web stranicu?',
+ returnToPreviewDescription:
+ 'Završili ste način pregleda, želite li ga ponovo omogućiti da vidite\n najnovija sačuvana verzija vaše web stranice?\n ',
+ returnToPreviewAcceptButton: 'Pregledajte najnoviju verziju',
+ returnToPreviewDeclineButton: 'Pogledajte objavljenu verziju',
+ viewPublishedContentHeadline: 'Pogledajte objavljenu verziju?',
+ viewPublishedContentDescription:
+ 'Nalazite se u načinu pregleda, želite li izaći da biste vidjeli\n objavljena verzija Vaše web stranice?\n ',
+ viewPublishedContentAcceptButton: 'Pogledajte objavljenu verziju',
+ viewPublishedContentDeclineButton: 'Ostanite u načinu pregleda',
+ },
+ permissions: {
+ FolderCreation: 'Kreiranje foldera',
+ FileWritingForPackages: 'Pisanje datoteka za pakete',
+ FileWriting: 'Pisanje fajlova',
+ MediaFolderCreation: 'Kreiranje medijskog foldera',
+ },
+ treeSearch: {
+ searchResult: 'stavka vraćena',
+ searchResults: 'stavke vraćene',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/cs-cz.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/cs-cz.ts
new file mode 100644
index 0000000000..90f89601a6
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/cs-cz.ts
@@ -0,0 +1,1942 @@
+/**
+ * Creator Name: Umbraco komunita
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: cs
+ * Language Int Name: Czech (Czech Republic)
+ * Language Local Name: česky
+ * Language LCID: 5
+ * Language Culture: cs-CZ
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assignDomain: 'Kultura a názvy hostitelů',
+ auditTrail: 'Historie změn',
+ browse: 'Prohlížet uzel',
+ changeDocType: 'Změnit typ dokumentu',
+ copy: 'Kopírovat',
+ create: 'Vytvořit',
+ export: 'Exportovat',
+ createPackage: 'Vytvořit balíček',
+ createGroup: 'Vytvořit skupinu',
+ delete: 'Odstranit',
+ disable: 'Deaktivovat',
+ emptyrecyclebin: 'Vyprázdnit koš',
+ enable: 'Aktivovat',
+ exportDocumentType: 'Exportovat typ dokumentu',
+ importdocumenttype: 'Importovat typ dokumentu',
+ importPackage: 'Importovat balíček',
+ liveEdit: 'Editovat na stránce',
+ logout: 'Odhlásit',
+ move: 'Přesunout',
+ notify: 'Upozornění',
+ protect: 'Veřejný přístup',
+ publish: 'Publikovat',
+ unpublish: 'Nepublikovat',
+ refreshNode: 'Znovu načíst uzly',
+ republish: 'Znovu publikovat celý web',
+ rights: 'Práva',
+ rename: 'Přejmenovat',
+ restore: 'Obnovit',
+ chooseWhereToCopy: 'Kam zkopírovat',
+ chooseWhereToMove: 'Kam přesunout',
+ toInTheTreeStructureBelow: 'do struktury stromu pod',
+ infiniteEditorChooseWhereToCopy: 'Choose where to copy the selected item(s)',
+ infiniteEditorChooseWhereToMove: 'Choose where to move the selected item(s)',
+ wasMovedTo: 'bylo přesunuto',
+ wasCopiedTo: 'bylo zkopírováno',
+ wasDeleted: 'bylo smazáno',
+ rollback: 'Vrátit starší verzi',
+ sendtopublish: 'Odeslat k publikování',
+ sendToTranslate: 'Odeslat k překladu',
+ setGroup: 'Nastavit skupinu',
+ sort: 'Seřadit',
+ translate: 'Přeložit',
+ update: 'Aktualizovat',
+ setPermissions: 'Nastavit oprávnění',
+ unlock: 'Odemknout',
+ createblueprint: 'Vytvořit šablonu obsahu',
+ resendInvite: 'Přeposlat pozvánku',
+ },
+ actionCategories: {
+ content: 'Obsah',
+ administration: 'Administrace',
+ structure: 'Struktura',
+ other: 'Ostatní',
+ },
+ actionDescriptions: {
+ assigndomain: 'Povolit přístup k přiřazování kultury a názvů hostitelů',
+ auditTrail: 'Povolit přístup k zobrazení protokolu historie uzlu',
+ browse: 'Povolit přístup k zobrazení uzlu',
+ changeDocType: 'Povolit přístup ke změně typu dokumentu daného uzlu',
+ copy: 'Povolit přístup ke kopírování uzlu',
+ create: 'Povolit přístup k vytváření uzlů',
+ delete: 'Povolit přístup k mazání uzlů',
+ move: 'Povolit přístup k přesunutí uzlu',
+ protect: 'Povolit přístup k nastavení a změně veřejného přístupu k uzlu',
+ publish: 'Povolit přístup k publikování uzlu',
+ unpublish: 'Povolit přístup k zrušení publikování uzlu',
+ rights: 'Povolit přístup ke změně oprávnění pro uzel',
+ rollback: 'Povolit přístup k vrácení uzlu do předchozího stavu',
+ sendtopublish: 'Povolit přístup k odeslání uzlu ke schválení před publikováním',
+ sendToTranslate: 'Povolit přístup k odeslání uzlu k překladu',
+ sort: 'Povolit přístup ke změně pořadí uzlů',
+ translate: 'Povolit přístup k překladu uzlu',
+ update: 'Povolit přístup k uložení uzlu',
+ createblueprint: 'Povolit přístup k vytvoření šablony obsahu',
+ },
+ apps: {
+ umbContent: 'Obsah',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Přístup zakázán.',
+ addNew: 'Přidat novou doménu',
+ remove: 'Odebrat',
+ invalidNode: 'Neplatný uzel.',
+ invalidDomain: 'Neplatný tvar domény.',
+ duplicateDomain: 'Doména už byla přiřazena.',
+ domain: 'Doména',
+ language: 'Jazyk',
+ domainCreated: "Nová doména '%0%' byla vytvořena",
+ domainDeleted: "Doména '%0%' je odstraněna",
+ domainExists: "Doména '%0%' už byla přiřazena",
+ domainUpdated: "Doména '%0%' byla aktualizována",
+ orEdit: 'Editace aktuálních domén',
+ domainHelpWithVariants:
+ 'Povolené názvy domén jsou: "example.com", "www.example.com", "example.com:8080", nebo "https://www.example.com/".\n Dále jsou podporovány také jednoúrovňové cesty v doménách, např. "example.com/en" nebo "/en".',
+ inherit: 'Dědit',
+ setLanguage: 'Kultura',
+ setLanguageHelp:
+ 'Nastaví kulturu pro uzly pod aktuálním uzlem, nebo dědění kultury po nadřazeném uzlu. Vztahuje se také \n na aktivní uzel.',
+ setDomains: 'Domény',
+ },
+ buttons: {
+ clearSelection: 'Zrušit výběr',
+ select: 'Vybrat',
+ somethingElse: 'Dělat něco jiného',
+ bold: 'Tučně',
+ deindent: 'Zrušit odsazení odstavce',
+ formFieldInsert: 'Vložit formulářové pole',
+ graphicHeadline: 'Vložit grafický nadpis',
+ htmlEdit: 'Editovat Html',
+ indent: 'Odsadit odstavec',
+ italic: 'Kurzíva',
+ justifyCenter: 'Zarovnat na střed',
+ justifyLeft: 'Zarovnat na levo',
+ justifyRight: 'Zarovnat na pravo',
+ linkInsert: 'Vložit odkaz',
+ linkLocal: 'Vložit místní odkaz (kotvu)',
+ listBullet: 'Neuspořádaný seznam',
+ listNumeric: 'Číslovaný seznam',
+ macroInsert: 'Vložit makro',
+ pictureInsert: 'Vložit obrázek',
+ publishAndClose: 'Publikovat a zavřít',
+ publishDescendants: 'Publikovat s potomky',
+ relations: 'Editovat vztahy',
+ returnToList: 'Zpět na seznam',
+ save: 'Uložit',
+ saveAndClose: 'Uložit a zavřít',
+ saveAndPublish: 'Uložit a publikovat',
+ saveToPublish: 'Uložit a odeslat ke schválení',
+ saveAndPreview: 'Náhled',
+ saveListView: 'Uložit zobrazení seznamu',
+ schedulePublish: 'Naplánovat',
+ showPageDisabled: 'Náhled je deaktivován, protože není přiřazena žádná šablona',
+ styleChoose: 'Vybrat styl',
+ styleShow: 'Zobrazit styly',
+ tableInsert: 'Vložit tabulku',
+ generateModelsAndClose: 'Generovat modely a zavřít',
+ saveAndGenerateModels: 'Uložit a generovat modely',
+ undo: 'Zpět',
+ redo: 'Znovu',
+ deleteTag: 'Smazat štítek',
+ confirmActionCancel: 'Zrušit',
+ confirmActionConfirm: 'Potvrdit',
+ morePublishingOptions: 'Další možnosti publikování',
+ },
+ auditTrailsMedia: {
+ delete: 'Média smazán',
+ move: 'Média přesunut',
+ copy: 'Média zkopírován',
+ save: 'Média uložen',
+ },
+ auditTrails: {
+ atViewingFor: 'Zobrazení pro',
+ delete: 'Obsah smazán',
+ unpublish: 'Obsah nepublikován',
+ unpublishvariant: 'Obsah nepublikován pro jazyky: %0% ',
+ publish: 'Obsah publikován',
+ publishvariant: 'Obsah publikován pro jazyky: %0% ',
+ save: 'Obsah uložen',
+ savevariant: 'Obsah uložen pro jazyky: %0%',
+ move: 'Obsah přesunut',
+ copy: 'Obsah zkopírován',
+ rollback: 'Obsah vrácen zpět',
+ sendtopublish: 'Obsah odeslán k publikování',
+ sendtopublishvariant: 'Obsah odeslán k publikování pro jazyky: %0%',
+ sort: 'Seřadit podřízené položky prováděné uživatelem',
+ smallCopy: 'Kopírovat',
+ smallPublish: 'Publikovat',
+ smallPublishVariant: 'Publikovat',
+ smallMove: 'Přesunout',
+ smallSave: 'Uložit',
+ smallSaveVariant: 'Uložit',
+ smallDelete: 'Smazat',
+ smallUnpublish: 'Nepublikovat',
+ smallUnpublishVariant: 'Nepublikovat',
+ smallRollBack: 'Vrátit zpět',
+ smallSendToPublish: 'Odeslat k publikování',
+ smallSendToPublishVariant: 'Odeslat k publikování',
+ smallSort: 'Seřadit',
+ historyIncludingVariants: 'Historie (všechny jazyky)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Název složky nesmí obsahovat nepovolené znaky.',
+ deleteItemFailed: 'Odstranění položky se nezdařilo: %0%',
+ },
+ content: {
+ isPublished: 'Is Published',
+ about: 'O této stránce',
+ alias: 'Alias',
+ alternativeTextHelp: '(jak byste popsali obrázek přes telefon)',
+ alternativeUrls: 'Alternativní adresy URL',
+ clickToEdit: 'Klikněte pro editaci položky',
+ createBy: 'Vytvořeno uživatelem',
+ createByDesc: 'Původní autor',
+ updatedBy: 'Aktualizováno uživatelem',
+ createDate: 'Vytvořeno',
+ createDateDesc: 'Datum/čas vytvoření tohoto dokumentu',
+ documentType: 'Typ dokumentu',
+ editing: 'Editování',
+ expireDate: 'Datum odebrání',
+ itemChanged: 'Tato položko byla změněna po publikování',
+ itemNotPublished: 'Tato položka není publikována',
+ lastPublished: 'Naposledy publikováno',
+ noItemsToShow: 'There are no items to show',
+ listViewNoItems: 'There are no items to show in the list.',
+ listViewNoContent: 'No child items have been added',
+ listViewNoMembers: 'No members have been added',
+ mediatype: 'Typ média',
+ mediaLinks: 'Odkaz na položky medií',
+ membergroup: 'Skupina členů',
+ memberrole: 'Role',
+ membertype: 'Typ člena',
+ noChanges: 'No changes have been made',
+ noDate: 'Nevybráno žádné datum',
+ nodeName: 'Titulek stránky',
+ noMediaLink: 'This media item has no link',
+ noProperties: 'No content can be added for this item',
+ otherElements: 'Vlastnosti',
+ parentNotPublished: "Tento dokument je publikován, ale není viditelný, protože jeho rodič '%0%' publikován není",
+ parentCultureNotPublished:
+ "Tato jazyková verze je publikována, ale není viditelná, protože její rodič '%0%' publikován není",
+ parentNotPublishedAnomaly: 'Jejda: tento dokument je publikován, ale není v mezipaměti (vnitřní chyba)',
+ getUrlException: 'Could not get the URL',
+ routeError: 'This document is published but its URL would collide with content %0%',
+ routeErrorCannotRoute: 'This document is published but its URL cannot be routed',
+ publish: 'Publikovat',
+ published: 'Published',
+ publishedPendingChanges: 'Published (pending changes)',
+ publishStatus: 'Stav publikování',
+ publishDescendantsHelp:
+ 'Click Publish with descendants to publish %0% and all content items underneath and thereby making their content publicly available.',
+ publishDescendantsWithVariantsHelp:
+ 'Click Publish with descendants to publish the selected languages and the same languages of content items underneath and thereby making their content publicly available.',
+ releaseDate: 'Datum publikování',
+ unpublishDate: 'Datum ukončení publikování',
+ removeDate: 'Datum odebrání',
+ setDate: 'Set date',
+ sortDone: 'Třídění je aktualizováno',
+ sortHelp:
+ 'Abyste uzly setřídili, jednoduše je přetáhněte anebo klikněte na jednu z hlaviček sloupce. Podržením "shift" nebo "control" při výběru můžete označit uzlů více.',
+ statistics: 'Statistika',
+ titleOptional: 'Titulek (volitelně)',
+ altTextOptional: 'Alternative text (optional)',
+ type: 'Typ',
+ unpublish: 'Nepublikovat',
+ unpublished: 'Draft',
+ notCreated: 'Not created',
+ updateDate: 'Naposledy změněno',
+ updateDateDesc: 'Datum/čas poslední změny dokumentu',
+ uploadClear: 'Odebrat soubor(y)',
+ uploadClearImageContext: 'Click here to remove the image from the media item',
+ uploadClearFileContext: 'Click here to remove the file from the media item',
+ urls: 'URL adresa dokumentu',
+ memberof: 'Člen skupin(y)',
+ notmemberof: 'Není člen skupin(y)',
+ childItems: 'Podřízené položky',
+ target: 'Cíl',
+ scheduledPublishServerTime: 'This translates to the following time on the server:',
+ scheduledPublishDocumentation:
+ 'What does this mean?',
+ nestedContentDeleteItem: 'Are you sure you want to delete this item?',
+ nestedContentDeleteAllItems: 'Are you sure you want to delete all items?',
+ nestedContentEditorNotSupported: 'Property %0% uses editor %1% which is not supported by Nested Content.',
+ nestedContentNoContentTypes: 'No content types are configured for this property.',
+ nestedContentAddElementType: 'Add element type',
+ nestedContentSelectElementTypeModalTitle: 'Select element type',
+ nestedContentGroupHelpText:
+ 'Select the group whose properties should be displayed. If left blank, the first group on the element type will be used.',
+ nestedContentTemplateHelpTextPart1: 'Enter an angular expression to evaluate against each item for its name. Use',
+ nestedContentTemplateHelpTextPart2: 'to display the item index',
+ addTextBox: 'Add another text box',
+ removeTextBox: 'Remove this text box',
+ contentRoot: 'Content root',
+ includeUnpublished: 'Include drafts: also publish unpublished content items.',
+ isSensitiveValue:
+ 'This value is hidden. If you need access to view this value please contact your website administrator.',
+ isSensitiveValue_short: 'This value is hidden.',
+ languagesToPublish: 'What languages would you like to publish?',
+ languagesToSendForApproval: 'What languages would you like to send for approval?',
+ languagesToSchedule: 'What languages would you like to schedule?',
+ languagesToUnpublish:
+ 'Select the languages to unpublish. Unpublishing a mandatory language will unpublish all languages.',
+ readyToPublish: 'Ready to Publish?',
+ readyToSave: 'Ready to Save?',
+ sendForApproval: 'Send for approval',
+ schedulePublishHelp: 'Select the date and time to publish and/or unpublish the content item.',
+ createEmpty: 'Create new',
+ createFromClipboard: 'Paste from clipboard',
+ nodeIsInTrash: 'This item is in the Recycle Bin',
+ saveModalTitle: 'Uložit',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Vytvořit novou šablonu obsahu z %0%',
+ blankBlueprint: 'Prázdná',
+ selectBlueprint: 'Vybrat obsahovou šablonu',
+ createdBlueprintHeading: 'Šablona obsahu byla vytvořena',
+ createdBlueprintMessage: "Šablona obsahu byla vytvořena z '%0%'",
+ duplicateBlueprintMessage: 'Již existuje jiná šablona obsahu se stejným názvem',
+ blueprintDescription:
+ 'Šablona obsahu je předdefinovaný obsah, který si editor může vybrat jako základ pro vytváření nového obsahu',
+ },
+ media: {
+ clickToUpload: 'Klikněte pro nahrání',
+ orClickHereToUpload: 'nebo kliknutím sem vyberte soubory',
+ disallowedFileType: 'Tento soubor nelze nahrát, nemá povolený typ souboru',
+ maxFileSize: 'Maximální velikost souboru je',
+ mediaRoot: 'Nejvyšší složka médií',
+ moveToSameFolderFailed: 'Nadřazené a cílové složky nemohou být stejné',
+ createFolderFailed: 'Nepodařilo se vytvořit složku pod nadřazeným id %0%',
+ renameFolderFailed: 'Nepodařilo se přejmenovat složku s id %0%',
+ dragAndDropYourFilesIntoTheArea: 'Přetáhněte své soubory do oblasti',
+ },
+ member: {
+ createNewMember: 'Vytvořit nového člena',
+ allMembers: 'Všichni členové',
+ memberGroupNoProperties: 'Členské skupiny nemají žádné další vlastnosti pro úpravy.',
+ },
+ create: {
+ chooseNode: 'Kde chcete vytvořit nový %0%',
+ createUnder: 'Vytvořit položku pod',
+ createContentBlueprint: 'Vyberte typ dokumentu, pro který chcete vytvořit šablonu obsahu',
+ enterFolderName: 'Zadejte název složky',
+ updateData: 'Vyberte typ a titulek',
+ noDocumentTypes:
+ 'Nejsou dostupné žádné povolené typy dokumentů. Tyto musíte povolit v sekci nastavení pod "typy dokumentů".',
+ noDocumentTypesAtRoot:
+ 'Nejsou zde k dispozici žádné typy dokumentů pro vytváření obsahu. Musíte je vytvořit v Typy dokumentů v části Nastavení.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'Vybraná stránka ve stromu obsahu neumožňuje vytváření žádných stránek pod ní.',
+ noDocumentTypesEditPermissions: 'Oprávnění k úpravám pro tento typ dokumentu',
+ noDocumentTypesCreateNew: 'Vytvořit nový typ dokumentu',
+ noDocumentTypesAllowedAtRoot:
+ 'Nejsou zde k dispozici žádné povolené typy dokumentů pro vytváření obsahu. Musíte je povolit v sekci Typy dokumentů v části Nastavení změnou možnosti Povolit jako root v části Oprávnění.',
+ noMediaTypes:
+ 'Nejsou dostupné žádné povolené typy medií. Tyto musíte povolit v sekci nastavení pod "typy medií".',
+ noMediaTypesWithNoSettingsAccess: 'Vybraná média ve stromu neumožňuje vytváření pod nimi žádná další média.',
+ noMediaTypesEditPermissions: 'Upravit oprávnění pro tento typ média',
+ documentTypeWithoutTemplate: 'Typ dokumentu bez šablony',
+ newFolder: 'Nová složka',
+ newDataType: 'Nový datový typ',
+ newJavascriptFile: 'Nový skript JavaScript',
+ newEmptyPartialView: 'Nová prázdná částečná šablona',
+ newPartialViewMacro: 'Nové makro pro částečnou šablonu',
+ newPartialViewFromSnippet: 'Nová částečná šablona ze snippetu',
+ newPartialViewMacroFromSnippet: 'Nové makro částečné šablony ze snippetu',
+ newPartialViewMacroNoMacro: 'Nové makro pro částečnou šablonu (bez makra)',
+ newStyleSheetFile: 'Nový soubor stylů - stylopis',
+ newRteStyleSheetFile: 'Nový soubor stylů Rich Text editoru',
+ },
+ dashboard: {
+ browser: 'Prohlédnout svůj web',
+ dontShowAgain: '- Skrýt',
+ nothinghappens: 'Jestli se Umbraco neotevírá, možná budete muset povolit na tomto webu vyskakovací okna',
+ openinnew: 'byl otevřený v novém okně',
+ restart: 'Restart',
+ visit: 'Navštívit',
+ welcome: 'Vítejte',
+ },
+ prompt: {
+ stay: 'Zůstat zde',
+ discardChanges: 'Zahodit změny',
+ unsavedChanges: 'Máte neuložené změny',
+ unsavedChangesWarning: 'Opravdu chcete opustit tuto stránku? Máte neuložené změny.',
+ confirmListViewPublish: 'Publikování zviditelní vybrané položky na webu.',
+ confirmListViewUnpublish: 'Zrušení publikování odstraní vybrané položky a všechny jejich potomky z webu.',
+ confirmUnpublish: 'Zrušení publikování odstraní tuto stránku a všechny její potomky z webu.',
+ doctypeChangeWarning: 'Máte neuložené změny. Provedením změn typu dokumentu změny zahodíte.',
+ },
+ bulk: {
+ done: 'Hotovo',
+ deletedItem: 'Smazána %0% položka',
+ deletedItems: 'Smazáno %0% položek',
+ deletedItemOfItem: 'Smazána %0% z %1% položek',
+ deletedItemOfItems: 'Smazáno %0% z %1% položek',
+ publishedItem: 'Publikována %0% položka',
+ publishedItems: 'Publikováno %0% položek',
+ publishedItemOfItem: 'Publikována %0% z %1% položek',
+ publishedItemOfItems: 'Publikováno %0% z %1% položek',
+ unpublishedItem: 'Zrušeno publikování %0% položky',
+ unpublishedItems: 'Zrušeno publikování %0% položek',
+ unpublishedItemOfItem: 'Zrušeno publikování %0% z %1% položek',
+ unpublishedItemOfItems: 'Zrušeno publikování %0% z %1% položek',
+ movedItem: 'Přesunuta %0% položka',
+ movedItems: 'Přesunuto %0% položek',
+ movedItemOfItem: 'Přesunuta %0% z %1% položek',
+ movedItemOfItems: 'Přesunuto %0% z %1% položek',
+ copiedItem: 'Zkopírována %0% položka',
+ copiedItems: 'Zkopírováno %0% položek',
+ copiedItemOfItem: 'Zkopírována %0% z %1% položek',
+ copiedItemOfItems: 'Zkopírováno %0% z %1% položek',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Titulek odkazu',
+ urlLinkPicker: 'Odkaz',
+ anchorLinkPicker: 'Kotva / dotaz',
+ anchorInsert: 'Název',
+ assignDomain: 'Spravovat názvy hostitelů',
+ closeThisWindow: 'Zavřít toto okno',
+ confirmdelete: 'Jste si jistí. že chcete odstranit',
+ confirmdisable: 'Jste si jistí, že chcete deaktivovat',
+ confirmlogout: 'Jste si jistí?',
+ confirmSure: 'Jste si jistí?',
+ cut: 'Vyjmout',
+ editDictionary: 'Editovat položku slovníku',
+ editLanguage: 'Editovat jazyk',
+ editSelectedMedia: 'Edit selected media',
+ insertAnchor: 'Vložit místní odkaz',
+ insertCharacter: 'Vložit znak',
+ insertgraphicheadline: 'Vložit grafický titulek',
+ insertimage: 'Vložit obrázek',
+ insertlink: 'Vložit odkaz',
+ insertMacro: 'Kliknout pro přidání makra',
+ inserttable: 'Vložit tabulku',
+ languagedeletewarning: 'Tím se odstraní jazyk',
+ languageChangeWarning:
+ 'Změna kultury jazyka může být náročná operace a bude mít za následek opětovné sestavení mezipaměti obsahu a indexů',
+ lastEdited: 'Naposledy editováno',
+ link: 'Odkaz',
+ linkinternal: 'Místní odkaz',
+ linklocaltip: 'Při používání místních odkazů vložte znak "#" před odkaz',
+ linknewwindow: 'Otevřít v novém okně?',
+ macroDoesNotHaveProperties: 'Toto makro nemá žádné vlastnosti, které by bylo možno editovat',
+ paste: 'Vložit',
+ permissionsEdit: 'Editovat oprávnění pro',
+ permissionsSet: 'Nastavit oprávnění pro',
+ permissionsSetForGroup: 'Nastavit oprávnění pro %0% pro skupinu %1%',
+ permissionsHelp: 'Vyberte skupiny uživatelů, pro které chcete nastavit oprávnění',
+ recycleBinDeleting: 'Položky koše jsou nyní mazány. Nezavírejte, prosím, toto okno, dokud operace probíhá',
+ recycleBinIsEmpty: 'Koš je nyní prázdný',
+ recycleBinWarning: 'Odebrání položek z koše způsobí jejich trvalé odstranění',
+ regexSearchError:
+ "Webová službaregexlib.com má v tuto chvíli nějaké problémy, které jsou mimo naší kontrolu. Omlouváme se za vzniklé nepříjemnosti.",
+ regexSearchHelp:
+ "Vyhledat regulární výraz pro přidání validace formulářového prvku. Například: 'email, 'PSČ' 'URL'",
+ removeMacro: 'Odstranit makro',
+ requiredField: 'Pole je vyžadování',
+ sitereindexed: 'Web je přeindexován',
+ siterepublished:
+ 'Mezipaměť webu byla obnovena. Všechen publikovaný obsah je nyní aktuální, zatímco nepublikovaný obsah zůstal nepublikovaný.',
+ siterepublishHelp:
+ 'Mezipaměť webu bude obnovena. Všechen publikovaný obsah bude aktualizován, zatímco nepublikovaný obsah zůstane nepublikovaný.',
+ tableColumns: 'Počet sloupců',
+ tableRows: 'Počet řádků',
+ thumbnailimageclickfororiginal: 'Klikněte na obrázek pro zobrazení v plné velikosti',
+ treepicker: 'Vybrat položku',
+ viewCacheItem: 'Zobrazit položku mezipaměti',
+ relateToOriginalLabel: 'Navázat na originál',
+ includeDescendants: 'Včetně potomků',
+ theFriendliestCommunity: 'Nejpřátelštější komunita',
+ linkToPage: 'Odkaz na stránku',
+ openInNewWindow: 'Otevře propojený dokument v novém okně nebo na kartě',
+ linkToMedia: 'Odkaz na média',
+ selectContentStartNode: 'Vybrat počáteční uzel obsahu',
+ selectMedia: 'Vybrat média',
+ selectMediaType: 'Vybrat typ média',
+ selectIcon: 'Vybrat ikonu',
+ selectItem: 'Vybrat položku',
+ selectLink: 'Vybrat odkaz',
+ selectMacro: 'Vybrat makro',
+ selectContent: 'Vybrat obsah',
+ selectContentType: 'Vybrat typ obsahu',
+ selectMediaStartNode: 'Vybrat počáteční uzel média',
+ selectMember: 'Vybrat člena',
+ selectMemberGroup: 'Vybrat skupinu členů',
+ selectMemberType: 'Vybrat typ člena',
+ selectNode: 'Vybrat uzel',
+ selectSections: 'Vybrat sekce',
+ selectUsers: 'Vybrat uživatele',
+ noIconsFound: 'Nebyly nalezeny žádné ikony',
+ noMacroParams: 'Pro toto makro neexistují žádné parametry',
+ noMacros: 'K dispozici nejsou žádná makra',
+ externalLoginProviders: 'Externí poskytovatelé přihlášení',
+ exceptionDetail: 'Podrobnosti o výjimce',
+ stacktrace: 'Stacktrace',
+ innerException: 'Vnitřní výjimka',
+ linkYour: 'Propojit se',
+ unLinkYour: 'Odpojit se',
+ account: 'účet',
+ selectEditor: 'Vybrat editora',
+ selectSnippet: 'Vybrat snippet',
+ variantdeletewarning:
+ 'Tímto odstraníte uzel a všechny jeho jazyky. Pokud chcete smazat pouze jeden jazyk, měli byste zrušit publikování uzlu v tomto jazyce.',
+ },
+ dictionary: {
+ noItems: 'Nejsou žádné položky ve slovníku.',
+ },
+ dictionaryItem: {
+ description:
+ "Editujte různé jazykové verze pro položku slovníku '%0%' níže. Můžete přidat další jazyky v nabídce 'jazyky' nalevo.",
+ displayName: 'Název jazyka',
+ changeKeyError: "Klíč '%0%' již existuje.",
+ overviewTitle: 'Přehled slovníku',
+ },
+ examineManagement: {
+ configuredSearchers: 'Konfigurovaní vyhledávače',
+ configuredSearchersDescription:
+ 'Zobrazuje vlastnosti a nástroje pro libovolný konfigurovaný vyhledávač (např. pro víceindexový vyhledávač)',
+ fieldValues: 'Hodnoty pole',
+ healthStatus: 'Stav',
+ healthStatusDescription: 'Stav indexu a jeho čitelnost',
+ indexers: 'Indexery',
+ indexInfo: 'Informace o indexu',
+ indexInfoDescription: 'Uvádí vlastnosti indexu',
+ manageIndexes: 'Spravovat indexy Examine',
+ manageIndexesDescription:
+ 'Umožňuje zobrazit podrobnosti každého indexu a poskytuje některé nástroje pro správu indexů',
+ rebuildIndex: 'Znovu vytvořit index',
+ rebuildIndexWarning:
+ '\n To způsobí opětovné sestavení indexu. V závislosti na tom, kolik obsahu je na vašem webu, může to chvíli trvat. Nedoporučuje se znovu vytvářet index v době vysokého provozu na webu nebo při úpravách obsahu editory.\n ',
+ searchers: 'Vyhledávače',
+ searchDescription: 'Prohledat index a zobrazit výsledky',
+ tools: 'Nástroje',
+ toolsDescription: 'Nástroje pro správu indexu',
+ fields: 'pole',
+ indexCannotRead: 'Index nelze číst a bude nutné jej znovu sestavit',
+ processIsTakingLonger:
+ 'Proces trvá déle, než se očekávalo, zkontrolujte Umbraco log a zkontrolujte, zda během této operace nedošlo k chybám',
+ indexCannotRebuild: 'Tento index nelze znovu sestavit, protože nemá přiřazen',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Zadejte Vaše uživatelské jméno',
+ password: 'Zadejte Vaše heslo',
+ confirmPassword: 'Potvrďte heslo',
+ nameentity: 'Pojmenujte %0%...',
+ entername: 'Zadejte jméno...',
+ enteremail: 'Zadejte e-mail...',
+ enterusername: 'Zadejte uživatelské jméno...',
+ label: 'Popisek...',
+ enterDescription: 'Zadejte popis...',
+ search: 'Pište pro vyhledání...',
+ filter: 'Pište pro filtrování...',
+ enterTags: 'Pište pro vložení štítků (po každém stiskněte klávesu Enter)...',
+ email: 'Vložte svůj e-mail',
+ enterMessage: 'Vložte zprávu...',
+ usernameHint: 'Vaše uživatelské jméno je obvykle váš e-mail',
+ anchor: '#hodnota or ?klíč=hodnota',
+ enterAlias: 'Vložte alias...',
+ generatingAlias: 'Generování aliasu...',
+ },
+ editcontenttype: {
+ createListView: 'Vytvořit vlastní zobrazení seznamu',
+ removeListView: 'Odebrat vlastní zobrazení seznamu',
+ aliasAlreadyExists: 'Typ obsahu, typ média nebo typ člena s tímto aliasem již existuje',
+ },
+ renamecontainer: {
+ renamed: 'Přejmenováno',
+ enterNewFolderName: 'Sem zadejte nový název složky',
+ folderWasRenamed: '%0% přejmenováno na %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Přidat předlohu',
+ dataBaseDatatype: 'Databázový datový typ',
+ guid: 'GUID editoru vlastností',
+ renderControl: 'Editor vlastností',
+ rteButtons: 'Tlačítka',
+ rteEnableAdvancedSettings: 'Povolit rozšířené nastavení pro',
+ rteEnableContextMenu: 'Povolit kontextové menu',
+ rteMaximumDefaultImgSize: 'Největší výchozí rozměr pro vložené obrázky',
+ rteRelatedStylesheets: 'Související stylopisy',
+ rteShowLabel: 'Zobrazit jmenovku',
+ rteWidthAndHeight: 'Šířka a výška',
+ selectFolder: 'Vyberte složku, kterou chcete přesunout',
+ inTheTree: 'do stromové struktury níže',
+ wasMoved: 'byla přesunuta pod',
+ hasReferencesDeleteConsequence:
+ 'Smazáním %0% vymažete vlastnosti a jejich data z následujících položek',
+ acceptDeleteConsequence: 'Rozumím, že tato akce odstraní vlastnosti a data založená na tomto datovém typu',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Vaše data byla uložena, ale než budete moci publikovat tuto stránku, je třeba odstranit některé chyby:',
+ errorChangingProviderPassword:
+ 'Současný MemberShip Provider nepodporuje změnu hesla (EnablePasswordRetrieval musí mít hodnotu true)',
+ errorExistsWithoutTab: '%0% již existuje',
+ errorHeader: 'Vyskytly se chyby:',
+ errorHeaderWithoutTab: 'Vyskytly se chyby:',
+ errorInPasswordFormat: 'Heslo musí být nejméně %0% znaků dlouhé a obsahovat nejméně %1% nealfanumerických znaků',
+ errorIntegerWithoutTab: '%0% musí být celé číslo',
+ errorMandatory: 'Pole %0% na záložce %1% je povinné',
+ errorMandatoryWithoutTab: '%0% je povinné pole',
+ errorRegExp: '%0% v %1% není ve správném formátu',
+ errorRegExpWithoutTab: '%0% není ve správném formátu',
+ },
+ errors: {
+ receivedErrorFromServer: 'Ze serveru byla přijata chyba',
+ dissallowedMediaType: 'Použití daného typu souboru bylo zakázáno adminitrátorem',
+ codemirroriewarning:
+ 'UPOZORNĚNÍ! I když CodeMirror je dle konfigurace povolený, je zakázaný v Internet Exploreru, protože není dost stabilní.',
+ contentTypeAliasAndNameNotNull: 'Vyplňte, prosím, alias i název nového typu vlastností!',
+ filePermissionsError: 'Vyskytl se problém při čtení/zápisu do určeného souboru nebo adresáře',
+ macroErrorLoadingPartialView: 'Chyba při načítání skriptu částečné šablony (soubor: %0%)',
+ missingTitle: 'Uveďte, prosím, titulek',
+ missingType: 'Vyberte, prosím, typ',
+ pictureResizeBiggerThanOrg:
+ 'Chystáte se obrázek zvětšit více, než je jeho původní rozměr. Opravdu chcete pokračovat?',
+ startNodeDoesNotExists: 'Počáteční uzel je odstraněný, kontaktujte, prosím, administrátora',
+ stylesMustMarkBeforeSelect: 'Před změnou stylu označte, prosím, obsah',
+ stylesNoStylesOnPage: 'Žádne aktivní styly nejsou dostupné',
+ tableColMergeLeft: 'Umístěte, prosím, kurzor nalevo od těch dvou buňek, které chcete sloučit',
+ tableSplitNotSplittable: 'Nemužete rozdělit buňku, která nebyla sloučená.',
+ propertyHasErrors: 'Tato vlastnost je neplatná',
+ },
+ general: {
+ options: 'Volby',
+ about: 'O...',
+ action: 'Akce',
+ actions: 'Akce',
+ add: 'Přidat',
+ alias: 'Alias',
+ all: 'Vše',
+ areyousure: 'Jste si jistí?',
+ back: 'Zpět',
+ backToOverview: 'Zpět na přehled',
+ border: 'Okraj',
+ by: 'o',
+ cancel: 'Zrušit',
+ cellMargin: 'Okraj buňky',
+ choose: 'Vybrat',
+ clear: 'Vyčistit',
+ close: 'Zavřít',
+ closewindow: 'Zavřít okno',
+ comment: 'Komentovat',
+ confirm: 'Potvrdit',
+ constrain: 'Omezit',
+ constrainProportions: 'Zachovat proporce',
+ content: 'Obsah',
+ continue: 'Pokračovat',
+ copy: 'Kopírovat',
+ create: 'Vytvořit',
+ database: 'Databáze',
+ date: 'Datum',
+ default: 'Výchozí',
+ delete: 'Odstranit',
+ deleted: 'Odstraněno',
+ deleting: 'Odstraňování...',
+ design: 'Vzhled',
+ dictionary: 'Slovník',
+ dimensions: 'Rozměry',
+ down: 'Dolů',
+ download: 'Stáhnout',
+ edit: 'Editovat',
+ edited: 'Editováno',
+ elements: 'Prvky',
+ email: 'Email',
+ error: 'Chyba',
+ field: 'Pole',
+ findDocument: 'Najít',
+ first: 'První',
+ focalPoint: 'Focal point',
+ general: 'Obecné',
+ groups: 'Skupiny',
+ group: 'Skupina',
+ height: 'Výška',
+ help: 'Nápověda',
+ hide: 'Skrýt',
+ history: 'Historie',
+ icon: 'Ikona',
+ id: 'Id',
+ import: 'Import',
+ info: 'Info',
+ innerMargin: 'Vnitřní okraj',
+ insert: 'Vložit',
+ install: 'Instalovat',
+ invalid: 'Neplatné',
+ justify: 'Vyrovnat',
+ label: 'Popisek',
+ language: 'Jazyk',
+ last: 'Poslední',
+ layout: 'Rozvržení',
+ links: 'Odkazy',
+ loading: 'Nahrávání',
+ locked: 'Zamčeno',
+ login: 'Přihlášení',
+ logoff: 'Odhlášení',
+ logout: 'Odhlášení',
+ macro: 'Makro',
+ mandatory: 'Povinné',
+ message: 'Zpráva',
+ move: 'Přesunout',
+ name: 'Název',
+ new: 'Nový',
+ next: 'Následující',
+ no: 'Ne',
+ of: 'z',
+ off: 'Vypnuto',
+ ok: 'OK',
+ open: 'Otevřít',
+ on: 'Zapnuto',
+ or: 'nebo',
+ orderBy: 'Seřadit podle',
+ password: 'Heslo',
+ path: 'Cesta',
+ pleasewait: 'Moment, prosím...',
+ previous: 'Předchozí',
+ properties: 'Vlastnosti',
+ rebuild: 'Obnovit',
+ reciept: 'Email pro obdržení formulářových dat',
+ recycleBin: 'Koš',
+ recycleBinEmpty: 'Váš koš je prázdný',
+ reload: 'Znovu načíst',
+ remaining: 'Zbývající',
+ remove: 'Odebrat',
+ rename: 'Přejmenovat',
+ renew: 'Obnovit',
+ required: 'Povinné',
+ retrieve: 'Načíst',
+ retry: 'Zopakovat',
+ rights: 'Oprávnění',
+ scheduledPublishing: 'Plánované publikování',
+ search: 'Hledat',
+ searchNoResult: 'Litujeme, ale nemůžeme najít to, co hledáte.',
+ noItemsInList: 'Nebyly přidány žádné položky',
+ server: 'Server',
+ settings: 'Nastavení',
+ show: 'Zobrazit',
+ showPageOnSend: 'Zobrazit stránku při odeslání',
+ size: 'Rozměr',
+ sort: 'Seřadit',
+ status: 'Stav',
+ submit: 'Potvrdit',
+ type: 'Zadejte',
+ typeToSearch: 'Pište pro vyhledávání...',
+ under: 'pod',
+ up: 'Nahoru',
+ update: 'Aktualizovat',
+ upgrade: 'Povýšit',
+ upload: 'Nahrání',
+ url: 'URL',
+ user: 'Uživatel',
+ username: 'Uživatelské jméno',
+ value: 'Hodnota',
+ view: 'Pohled',
+ welcome: 'Vítejte...',
+ width: 'Šířka',
+ yes: 'Ano',
+ folder: 'Složka',
+ searchResults: 'Výsledky hledání',
+ reorder: 'Přesunout',
+ reorderDone: 'Skončil jsem s přesouváním',
+ preview: 'Náhled',
+ changePassword: 'Změnit heslo',
+ to: 'na',
+ listView: 'Seznam',
+ saving: 'Ukládám...',
+ current: 'aktuální',
+ embed: 'Vložené',
+ selected: 'vybrané',
+ other: 'Další',
+ articles: 'Články',
+ videos: 'Videa',
+ },
+ colors: {
+ blue: 'Modrá',
+ },
+ shortcuts: {
+ addGroup: 'Přidat skupinu',
+ addProperty: 'Přidat vlastnost',
+ addEditor: 'Přidat editor',
+ addTemplate: 'Přidat šablonu',
+ addChildNode: 'Přidat vnořený uzel',
+ addChild: 'Přidat potomka',
+ editDataType: 'Upravit datový typ',
+ navigateSections: 'Navigace v sekcích',
+ shortcut: 'Klávesové zkratky',
+ showShortcuts: 'zobrazit klávesové zkratky',
+ toggleListView: 'Přepnout zobrazení seznamu',
+ toggleAllowAsRoot: 'Přepnout povolení jako root',
+ commentLine: 'Okomentovat/Odkomentovat řádky',
+ removeLine: 'Odebrat řádek',
+ copyLineUp: 'Kopírovat řádky nahoru',
+ copyLineDown: 'Kopírovat řádky dolů',
+ moveLineUp: 'Přesunout řádky nahoru',
+ moveLineDown: 'Přesunout řádky dolů',
+ generalHeader: 'Obecný',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Přepnout povolení jazykových verzí',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Barva pozadí',
+ bold: 'Tučně',
+ color: 'Barva písma',
+ font: 'Font',
+ text: 'Text',
+ },
+ headers: {
+ page: 'Stránka',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Instalátor se nemůže připojit k databázi.',
+ databaseFound: 'Vyše databáze byla nalezena a je identifikována jako',
+ databaseHeader: 'Nastavení databáze',
+ databaseInstall:
+ '\n Stiskněte tlačítko instalovat, abyste nainstalovali Umbraco %0% databázi\n ',
+ databaseInstallDone:
+ 'Umbraco %0% bylo zkopírováno do Vaši databáze. Stiskněte následující pro pokračování.',
+ databaseUpgrade:
+ '\n
\n Stiskněte tlačítko povýšit pro povýšení Vaší databáze na Umbraco %0%
\n
\n Neobávejte se - žádný obsah nebude odstraněn a všechno bude fungovat jak má!\n
\n ',
+ databaseUpgradeDone:
+ 'Vaše databáze byla povýšená na konečnou verzi %0%. Stiskněte Následující pro pokračování. ',
+ databaseUpToDate:
+ 'Vaše současná databáze je aktuální!. Klikněte na následující, pro pokračování konfiguračního průvodce',
+ defaultUserChangePass: 'Heslo výchozího uživatele musí být změněno!',
+ defaultUserDisabled:
+ 'Výchozí uživatel byl deaktivován, nebo nemá přístup k umbracu!
Netřeba nic dalšího dělat. Klikněte na Následující pro pokračování.',
+ defaultUserPassChanged:
+ 'Heslo výchozího uživatele bylo úspěšně změněno od doby instalace!
Netřeba nic dalšího dělat. Klikněte na Následující pro pokračování.',
+ defaultUserPasswordChanged: 'Heslo je změněno!',
+ greatStart: 'Mějte skvělý start, sledujte naše uváděcí videa',
+ None: 'Není nainstalováno.',
+ permissionsAffectedFolders: 'Dotčené soubory a složky',
+ permissionsAffectedFoldersMoreInfo: 'Další informace o nastavování oprávnění pro Umbraco zde',
+ permissionsAffectedFoldersText: 'Musíte udělit ASP.NET oprávnění měnit následující soubory/složky',
+ permissionsAlmostPerfect:
+ 'Vaše nastavení oprávnění je téměř dokonalé!
\n Můžete provozovat Umbraco bez potíží, ale nebudete smět instalovat balíčky, které jsou doporučené pro plné využívání všech možností umbraca.',
+ permissionsHowtoResolve: 'Jak to vyřešit',
+ permissionsHowtoResolveLink: 'Klikněte zde, chcete-li číst textovou verzi',
+ permissionsHowtoResolveText:
+ 'Shlédněte naše výukové video o nastavovaní oprávnění pro složky umbraca, nebo si přečtěte textovou verzi.',
+ permissionsMaybeAnIssue:
+ 'Vaše nastavení oprávnění může být problém!\n
\n Můžete provozovat Umbraco bez potíží, ale nebudete smět vytvářet složky a instalovat balíčky, které jsou doporučené pro plné využívání všech možností umbraca.',
+ permissionsNotReady:
+ 'Vaše nastavení oprívnění není připraveno pro Umbraco!\n
\n Abyste mohli Umbraco provozovat, budete muset aktualizovat Vaše nastavení oprávnění.',
+ permissionsPerfect:
+ 'Vaše nastavení oprávnění je dokonalé!
\n Jste připraveni provozovat Umbraco a instalovat balíčky!',
+ permissionsResolveFolderIssues: 'Řešení potíží se složkami',
+ permissionsResolveFolderIssuesLink:
+ 'Následujte tento odkaz pro další informace o potížích s ASP.NET a vytvářením složek.',
+ permissionsSettingUpPermissions: 'Nastavování oprávnění pro složky',
+ permissionsText:
+ '\n Umbraco potřebuje oprávnění pro zápis/změnu k některým složkám, aby mohlo ukládat soubory jako například obrázky a PDF.\n Také ukládá dočasná data (čili mezipaměť) pro zvýšení výkonu Vašeho webu.\n ',
+ runwayFromScratch: 'Chci začít od nuly',
+ runwayFromScratchText:
+ '\n V tuto chíli je Váš web úplně prázdný, takže je ideální chvíle začít od nuly a vytvořit si vlastní typy dokumentu a šablon.\n (zjistěte jak)\n Stále se můžete později rozhodnout nainstalovat Runway. Za tím účelem navštivte Vývojářskou sekci a zvolte Balíčky.\n ',
+ runwayHeader: 'Právě jste vytvořili čistou platformu Umbraco. Co chcete dělat dále?',
+ runwayInstalled: 'Runway je nainstalován',
+ runwayInstalledText:
+ '\n Základy máte na svém místě. Vyberte, které moduly chcete na ně nainstalovat. \n Toto je náš seznam doporučených modulů, vyberte ty, které chcete nainstalovat, nebo si prohlédněte úplný seznam modulů\n ',
+ runwayOnlyProUsers: 'Doporučeno pouze pro zkušené uživatele',
+ runwaySimpleSite: 'Chci začít s jednoduchým webem',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" je jednoduchý web poskytující některé základní typy dokumentů a šablon. Instalátor pro Vás může Runway nainstalovat automaticky a Vy ho pak můžete jednoduše editovat, rozšířit anebo úplně odstranit. Není nezbytný a můžete bez problému provozovat Umbraco bez něj. Runway nicméně nabízí jednoduché základy založené na nejlepších praktikách tak, abyste mohli začít rychleji, než kdykoliv jindy. Rozhodnete-li se Runway si nainstalovat, můžete si volitelně vybrat základní stavební bloky zvané Moduly Runway a stránky Runway si tak vylepšit.\n
\n \n Runway obsahuje: Úvodní stránku, stránku Začínáme, stránku Instalace modulů. \n Volitelné moduly: Horní navigace, Mapa webu, Kontakt, Galerie.\n \n ',
+ runwayWhatIsRunway: 'Co je Runway',
+ step1: 'Krok 1/5: Přijetí licence',
+ step2: 'Krok 2/5: Konfigurace databáze',
+ step3: 'Krok 3/5: Ověřování oprávnění k souborům',
+ step4: 'Krok 4/5: Kontrola zabezpečení umbraca',
+ step5: 'Krok 5/5: Umbraco je připraveno a můžete začít',
+ thankYou: 'Děkujeme, že jeste si vybrali Umbraco',
+ theEndBrowseSite:
+ '
Prohlédněte si svůj nový web
\n Nainstalovali jste Runway, tak proč se nepodívat, jak Váš nový web vypadá.',
+ theEndFurtherHelp:
+ '
Další pomoc a informace
\n Abyste získali pomoc od naší oceňované komunity, projděte si dokumentaci, nebo si pusťte některá videa zdarma o tom, jak vytvořit jednoduchý web, jak používat balíčky a rychlý úvod do terminologie umbraca',
+ theEndHeader: 'Umbraco %0% je nainstalováno a připraveno k použití',
+ theEndInstallSuccess:
+ 'Můžete ihned začít kliknutím na tlačítko "Spustit Umbraco" níže. Jestliže je pro Vás Umbraco nové,\n spoustu zdrojů naleznete na naších stránkách "začínáme".',
+ theEndOpenUmbraco:
+ '
Spustit Umbraco
\n Chcete-li spravovat Váš web, jednoduše přejděte do administrace umbraca a začněte přidávat obsah, upravovat šablony a stylopisy, nebo přidávat nové funkce',
+ Unavailable: 'Připojení k databázi selhalo.',
+ Version3: 'Umbraco verze 3',
+ Version4: 'Umbraco verze 4',
+ watch: 'Shlédnout',
+ welcomeIntro:
+ 'Tento průvodce Vás provede procesem nastavení umbraca %0% jako čisté instalace nebo povýšením z 3.0.\n
',
+ forgottenPassword: 'Zapomenuté heslo?',
+ forgottenPasswordInstruction: 'Na uvedenou adresu bude zaslán e-mail s odkazem pro obnovení hesla',
+ requestPasswordResetConfirmation:
+ 'Pokud odpovídá našim záznamům, bude na zadanou adresu zaslán e-mail s pokyny k obnovení hesla',
+ showPassword: 'Zobrazit heslo',
+ hidePassword: 'Skrýt heslo',
+ returnToLogin: 'Vrátit se na přihlašovací obrazovku',
+ setPasswordInstruction: 'Zadejte nové heslo',
+ setPasswordConfirmation: 'Vaše heslo bylo aktualizováno',
+ resetCodeExpired: 'Odkaz, na který jste klikli, je neplatný nebo jeho platnost vypršela',
+ resetPasswordEmailCopySubject: 'Umbraco: Resetování hesla',
+ resetPasswordEmailCopyFormat:
+ "\n \n \n \n \n \n \n \n
\n
\n
\n
\n
\n
\n \n
\n \n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n \n
\n
\n
\n
\n
\n
\n
\n Vyžadováno resetování hesla\n
\n
\n Vaše uživatelské jméno pro přihlášení do backoffice Umbraco je: %0%\n
\n \n \n ",
+ },
+ main: {
+ dashboard: 'Ovládací panel',
+ sections: 'Sekce',
+ tree: 'Obsah',
+ },
+ moveOrCopy: {
+ choose: 'Vyberte stránku výše...',
+ copyDone: '%0% byl zkopírován do %1%',
+ copyTo: 'Níže vyberte, kam má být dokument %0% zkopírován',
+ moveDone: '%0% byl přesunut do %1%',
+ moveTo: 'Níže vyberte, kam má být dokument %0% přesunut',
+ nodeSelected: "byl vybrán jako kořen Vašeho nového obsahu, klikněte na 'ok' níže.",
+ noNodeSelected: "Ještě nebyl vybrán uzel, vyberte, prosím, uzel ze seznamu výše, než stisknete 'ok'",
+ notAllowedByContentType: 'Aktuální uzel není povolen pod vybraným uzlem kvůli jeho typu',
+ notAllowedByPath: 'Aktuální uzel nemůže být přesunut do jedné ze svých podstránek',
+ notAllowedAtRoot: 'Aktuální uzel nemůže být v kořeni',
+ notValid: 'Operace není povolena, protože máte nedostatečná práva pro 1 nebo více podřizených dokumentů.',
+ relateToOriginal: 'Vztáhněte kopírované položky k originálu',
+ },
+ notifications: {
+ editNotifications: 'Upravte vaše oznámení pro %0%',
+ notificationsSavedFor: 'Nastavení oznámení bylo uloženo pro %0%',
+ notifications: 'Upozornění',
+ },
+ packager: {
+ actions: 'Akce',
+ created: 'Vytvořeno',
+ createPackage: 'Vytvořit balíček',
+ chooseLocalPackageText:
+ '\n Vyberte balíček ve svém počítači kliknutím na tlačítko Procházet \n a výběrem balíčku. Balíčky Umbraco mají obvykle přípony ".umb" nebo ".zip".\n ',
+ deletewarning: 'Tím se balíček odstraní',
+ includeAllChildNodes: 'Zahrnout všechny podřízené uzly',
+ installed: 'Nainstalováno',
+ installedPackages: 'Nainstalované balíčky',
+ noConfigurationView: 'Tento balíček nemá žádné zobrazení konfigurace',
+ noPackagesCreated: 'Zatím nebyly vytvořeny žádné balíčky',
+ noPackages: 'Nemáte nainstalované žádné balíčky',
+ noPackagesDescription:
+ 'Nemáte nainstalované žádné balíčky. Nainstalujte místní balíček tak, že jej vyberete ze svého počítače, nebo procházejte dostupné balíčky pomocí ikony Balíčky v pravém horním rohu obrazovky.',
+ packageContent: 'Obsah balíčku',
+ packageLicense: 'Licence',
+ packageSearch: 'Hledat balíčky',
+ packageSearchResults: 'Výsledky pro',
+ packageNoResults: 'Nemohli jsme nic najít',
+ packageNoResultsDescription: 'Zkuste prosím vyhledat jiný balíček nebo procházet jednotlivé kategorie',
+ packagesPopular: 'Oblíbené',
+ packagesNew: 'Nové',
+ packageHas: 'má',
+ packageKarmaPoints: 'karma body',
+ packageInfo: 'Informace',
+ packageOwner: 'Vlastník',
+ packageContrib: 'Přispěvatelé',
+ packageCreated: 'Vytvořeno',
+ packageCurrentVersion: 'Aktuální verze',
+ packageNetVersion: '.NET verze',
+ packageDownloads: 'Počet stažení',
+ packageLikes: 'Počet lajků',
+ packageCompatibility: 'kompatibilita',
+ packageCompatibilityDescription:
+ 'Tento balíček je kompatibilní s následujícími verzemi Umbraco, jak ohlásili členové komunity. Plnou kompatibilitu nelze zaručit u verzí hlášených pod 100%',
+ packageExternalSources: 'Externí zdroje',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Dokumentace',
+ packageMetaData: 'Meta data balíčku',
+ packageName: 'Název balíčku',
+ packageNoItemsHeader: 'Balíček neobsahuje žádné položky',
+ packageNoItemsText:
+ 'Tento balíček neobsahuje žádné položky k odinstalování.
\n Můžete jej ze systému bezpečně odstranit kliknutím na "odebrat balíček" níže.',
+ packageOptions: 'Možnosti balíčku',
+ packageReadme: 'Čti mě balíčku',
+ packageRepository: 'Úložiště balíčku',
+ packageUninstallConfirm: 'Potvrdit odinstalování',
+ packageUninstalledHeader: 'Balíček byl odinstalován',
+ packageUninstalledText: 'Balíček byl úspěšně odinstalován',
+ packageUninstallHeader: 'Odinstalovat balíček',
+ packageUninstallText:
+ 'Níže můžete zrušit zaškrtnutí položek, které si nepřejete nyní odebrat. Jakmile kliknete na "potvrdit odinstalování", všechny zaškrtnuté položky budou odebrány. \n Upozornění: všechny dokumenty, media atd. závislé na položkách, které odstraníte, přestanou pracovat a mohou vést k nestabilitě systému,\n takže odinstalovávejte opatrně. Jste-li na pochybách, kontaktujte autora balíčku.',
+ packageVersion: 'Verze balíčku',
+ },
+ paste: {
+ doNothing: 'Vložit s úplným formatováním (nedoporučeno)',
+ errorMessage:
+ 'Text, který chcete vložit, obsahuje speciální znaky nebo formatování. Toto může být způsobeno kopirováním textu z Microsoft Wordu. Umbraco může odstranit speciální znaky nebo formatování, takže vložený obsah bude pro web vhodnější.',
+ removeAll: 'Vložit jako čistý text bez jakéhokoliv formátování',
+ removeSpecialFormattering: 'Vložit, ale odstranit formátování (doporučeno)',
+ },
+ publicAccess: {
+ paGroups: 'Ochrana prostřednictvím rolí',
+ paGroupsHelp:
+ 'Pokud si přejete řídit přístup ke stránce za použití autentizace prostřednictvím rolí, použijte členské skupiny umbraca.',
+ paGroupsNoGroups: 'Musíte vytvořit členskou skupinu před tím, než můžete použít autentizaci prostřednictvím rolí',
+ paErrorPage: 'Chybová stránka',
+ paErrorPageHelp: 'Použita, když jsou lidé přihlášení, ale nemají přístup',
+ paHowWould: 'Vyberte, jak omezit přístup k této stránce',
+ paIsProtected: '%0% je nyní chráněna',
+ paIsRemoved: 'Ochrana odebrána z %0%',
+ paLoginPage: 'Přihlašovací stránka',
+ paLoginPageHelp: 'Vyberte stránku, která obsahuje přihlašovací formulář',
+ paRemoveProtection: 'Odstranit ochranu',
+ paRemoveProtectionConfirm: 'Are you sure you want to remove the protection from the page %0%?',
+ paSelectPages: 'Vyberte stránky, které obsahují přihlašovací formulář a chybová hlášení',
+ paSelectRoles: 'Vyberte role, které mají přístup k této stránce',
+ paSelectGroups: 'Vyberte role, které mají přístup ke stránce %0%',
+ paSelectMembers: 'Vyberte členy, kteří mají přístup ke stránce %0%',
+ paMembers: 'Ochrana konkrétních členů',
+ paMembersHelp: 'Pokud si přejete udělit přístup konkrétním členům',
+ paSetLogin: 'Nastavte přihlašovací jmého a heslo pro tuto stránku',
+ paSimple: 'Jednouživatelská ochrana',
+ paSimpleHelp: 'Jestliže chcete nastavit jenom jednoduchou ochranu prostřednictvím uživatelského jména a hesla',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'Nedostatečná uživatelská oprávnění k publikování všech potomků',
+ contentPublishedFailedIsTrashed: '\n %0% nelze publikovat, protože položka je v koši.\n ',
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% nemůže být publikována, protože položka je naplánovaná k uvolnění.\n ',
+ contentPublishedFailedExpired: '\n %0% nelze publikovat, protože platnost položky vypršela.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% nemůže být publikována, protože tyto vlastnosti: %1% nesplňují validační pravidla.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% nemůže být publikována, protože rozšíření třetí strany akci zrušilo.\n ',
+ contentPublishedFailedByParent:
+ '\n %0% nemůže být publikována, protože rodičovská stránka není publikována.\n ',
+ contentPublishedFailedByMissingName: '%0% nelze zveřejnit, protože chybí jméno.',
+ contentPublishedFailedReqCultureValidationError:
+ "Ověření se nezdařilo pro požadovaný jazyk '% 0%'. Tento jazyk byl uložen, ale nezveřejněn.",
+ inProgress: 'Probíhá publikování - počkejte, prosím...',
+ inProgressCounter: '%0% ze %1% stránek bylo publikováno...',
+ nodePublish: '%0% byla publikována',
+ nodePublishAll: '%0% a podstránky byly publikovány',
+ publishAll: 'Publikovat %0% a všechny její podstránky',
+ publishHelp:
+ 'Klikněte ok pro publikování %0% a tedy zveřejnění jejího obsahu.
\n Můžete publikovat tuto stránku a všechny její podstránky zatrhnutím publikovat všchny podstránky níže.\n ',
+ includeUnpublished: 'Zahrnout nepublikované podřízené stránky',
+ },
+ colorpicker: {
+ noColors: 'Nenakonfigurovali jste žádné schválené barvy',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Můžete vybrat pouze položky typu (typů): %0%',
+ pickedTrashedItem: 'Vybrali jste aktuálně odstraněnou položku obsahu nebo položku v koši',
+ pickedTrashedItems: 'Vybrali jste aktuálně odstraněné položky obsahu nebo položky v koši',
+ },
+ mediaPicker: {
+ deletedItem: 'Smazaná položka',
+ pickedTrashedItem: 'Vybrali jste aktuálně odstraněnou položku média nebo položku v koši',
+ pickedTrashedItems: 'Vybrali jste aktuálně odstraněné položky médií nebo položky médií v koši',
+ trashed: 'V koši',
+ },
+ relatedlinks: {
+ enterExternal: 'zadejte externí odkaz',
+ chooseInternal: 'zvolte interní stránku',
+ caption: 'Nadpis',
+ link: 'Odkaz',
+ newWindow: 'Otevřít v novém okně',
+ captionPlaceholder: 'zadejte titulek',
+ externalLinkPlaceholder: 'Zadejte odkaz',
+ addExternal: 'Přidat vnější odkaz',
+ addInternal: 'Přidat vnitřní odkaz',
+ addlink: 'Přidat',
+ internalPage: 'Vnitřní stránka',
+ linkurl: 'URL',
+ modeDown: 'Posunout dolů',
+ modeUp: 'Posunout nahoru',
+ removeLink: 'Odebrat odkaz',
+ },
+ imagecropper: {
+ reset: 'Zrušit oříznutí',
+ updateEditCrop: 'Hotovo',
+ undoEditCrop: 'Vrátit změny',
+ },
+ rollback: {
+ headline: 'Vyberte verzi, kterou chcete porovnat s aktuální verzí',
+ diffHelp:
+ 'Tohle ukazuje rozdíly mezi současnou verzi a vybranou verzi Červený text nebude ve vybrané verzi zobrazen, zelený znamená přidaný].',
+ documentRolledBack: 'Dokument byl vrácen na starší verzi',
+ htmlHelp:
+ 'Tohle zobrazuje vybranou verzi jako html, jestliže chcete vidět rozdíly mezi 2 verzemi najednou, použijte rozdílové zobrazení',
+ rollbackTo: 'Vrátit starší verzi ',
+ selectVersion: 'Vybrat verzi',
+ view: 'Zobrazení',
+ },
+ scripts: {
+ editscript: 'Editovat skriptovací soubor',
+ },
+ sections: {
+ content: 'Obsah',
+ forms: 'Formuláře',
+ media: 'Média',
+ member: 'Členové',
+ packages: 'Balíčky',
+ settings: 'Nastavení',
+ translation: 'Překlad',
+ users: 'Uživatelé',
+ concierge: 'Domovník',
+ courier: 'Kurýr',
+ developer: 'Vývojář',
+ installer: 'Průvodce nastavením Umbraca',
+ newsletters: 'Zpravodaje',
+ statistics: 'Statistiky',
+ help: 'Nápověda',
+ },
+ help: {
+ tours: 'Příručky',
+ theBestUmbracoVideoTutorials: 'Nejlepší videopříručky Umbraco',
+ umbracoForum: 'Navštívit our.umbraco.com',
+ umbracoTv: 'Navštívit umbraco.tv',
+ },
+ settings: {
+ defaulttemplate: 'Výchozí šablona',
+ importDocumentTypeHelp:
+ 'Pro importování typu dokumentu vyhledejte soubor ".udt" ve svém počítači tak, že kliknete na tlačítko "Prohledat" a pak kliknete na "Import" (na následující obrazovce budete vyzváni k potvrzení)',
+ newtabname: 'Název nové záložky',
+ nodetype: 'Typ uzlu',
+ objecttype: 'Typ',
+ stylesheet: 'Stylopis',
+ script: 'Skript',
+ tab: 'Záložka',
+ tabname: 'Název záložky',
+ tabs: 'Záložky',
+ contentTypeEnabled: 'Nadřazený typ obsahu povolen',
+ contentTypeUses: 'Tento typ obsahu používá',
+ noPropertiesDefinedOnTab:
+ 'Na této záložce nejsou definovány žádné vlastnosti. Pro vytvoření nové vlastnosti klikněte na odkaz "přidat novou vlastnost" nahoře.',
+ createMatchingTemplate: 'Vytvořit odpovídající šablonu',
+ addIcon: 'Přidat ikonu',
+ },
+ sort: {
+ sortOrder: 'Řazení',
+ sortCreationDate: 'Datum vytvoření',
+ sortDone: 'Třídění bylo ukončeno.',
+ sortHelp:
+ 'Abyste nastavili, jak mají být položky seřazeny, přetáhněte jednotlivé z nich nahoru či dolů. Anebo klikněte na hlavičku sloupce pro setřídění celé kolekce',
+ sortPleaseWait: ' Čekejte, prosím. Položky jsou tříděny a může to chvíli trvat.',
+ sortEmptyState: 'Tato položka nemá vnořené položky k seřazení',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validace',
+ validationFailedMessage: 'Před uložením položky je nutné opravit chyby',
+ operationFailedHeader: 'Chyba',
+ operationSavedHeader: 'Uloženo',
+ invalidUserPermissionsText: 'Nedostatečná uživatelská oprávnění, operace nemohla být dokončena',
+ operationCancelledHeader: 'Zrušeno',
+ operationCancelledText: 'Operace byla zrušena doplňkem třetí strany',
+ contentTypeDublicatePropertyType: 'Typ vlastnosti už existuje',
+ contentTypePropertyTypeCreated: 'Typ vlastnosti vytvořen',
+ contentTypePropertyTypeCreatedText: 'Název: %0% Datový typ: %1%',
+ contentTypePropertyTypeDeleted: 'Typ vlastnosti odstraněn',
+ contentTypeSavedHeader: 'Typ vlastnosti uložen',
+ contentTypeTabCreated: 'Záložka vytvořena',
+ contentTypeTabDeleted: 'Záložka odstraněna',
+ contentTypeTabDeletedText: 'Záložka s id: %0% odstraněna',
+ cssErrorHeader: 'Stylopis nebyl uložen',
+ cssSavedHeader: 'Stylopis byl uložen',
+ cssSavedText: 'Stylopis byl uložen bez chyb',
+ dataTypeSaved: 'Datový typ byl uložen',
+ dictionaryItemSaved: 'Položka slovníku byla uložena',
+ editContentPublishedHeader: 'Obsah byl publikován',
+ editContentPublishedText: 'a je viditelný na webu',
+ editMultiContentPublishedText: '%0% dokumentů zveřejněných a viditelných na webu',
+ editVariantPublishedText: '%0% zveřejněných a viditelných na webu',
+ editMultiVariantPublishedText: '%0% dokumentů zveřejněných pro jazyky %1% a viditelných na webu',
+ editContentSavedHeader: 'Obsah byl uložen',
+ editContentSavedText: 'Nezapomeňte na publikování, aby se změny projevily',
+ editContentScheduledSavedText: 'Načasování publikování bylo aktualizováno',
+ editVariantSavedText: '%0% uloženo',
+ editContentSendToPublish: 'Odeslat ke schválení',
+ editContentSendToPublishText: 'Změny byly odeslány ke schválení',
+ editVariantSendToPublishText: '%0% změn bylo odesláno ke schválení',
+ editMediaSaved: 'Médium bylo uloženo',
+ editMediaSavedText: 'Médium bylo uloženo bez chyb',
+ editMemberSaved: 'Člen byl uložen',
+ editStylesheetPropertySaved: 'Vlastnost stylopisu byla uložena',
+ editStylesheetSaved: 'Stylopis byl uložen',
+ editTemplateSaved: 'Šablona byla uložena',
+ editUserError: 'Chyba při ukládání uživatele (zkontrolujte log)',
+ editUserSaved: 'Uživatel byl uložen',
+ editUserTypeSaved: 'Typ uživatele byl uložen',
+ editUserGroupSaved: 'Skupina uživatelů byla uložena',
+ editCulturesAndHostnamesSaved: 'Jazyky a názvy hostitelů byly uloženy',
+ editCulturesAndHostnamesError: 'Při ukládání jazyků a názvů hostitelů došlo k chybě',
+ fileErrorHeader: 'Soubor nebyl uložen',
+ fileErrorText: 'soubor nemohl být uložen. Zkontrolujte, prosím, oprávnění k souboru',
+ fileSavedHeader: 'Soubor byl uložen',
+ fileSavedText: 'Soubor byl uložen bez chyb',
+ languageSaved: 'Jazyk byl uložen',
+ mediaTypeSavedHeader: 'Typ média byl uložen',
+ memberTypeSavedHeader: 'Typ člena byl uložen',
+ memberGroupSavedHeader: 'Skupina členů byla uložena',
+ templateErrorHeader: 'Šablona nebyla uložena',
+ templateErrorText: 'Ujistěte se, prosím, že nemáte 2 šablony se stejným aliasem',
+ templateSavedHeader: 'Šablona byla uložena',
+ templateSavedText: 'Šablona byla uložena bez chyb!',
+ contentUnpublished: 'Publikování obsahu bylo zrušeno',
+ contentCultureUnpublished: 'Varianta obsahu %0% nebyla publikována',
+ contentMandatoryCultureUnpublished:
+ "Povinný jazyk '%0%' nebyl publikován. Všechny jazyky pro tuto položku obsahu nejsou nyní publikovány.",
+ partialViewSavedHeader: 'Částečný pohled byl uložen',
+ partialViewSavedText: 'Částečný pohled byl uložen bez chyb!',
+ partialViewErrorHeader: 'Částečný pohled nebyl uložen',
+ partialViewErrorText: 'Při ukládání souboru došlo k chybě.',
+ permissionsSavedFor: 'Oprávnění byla uložena pro',
+ deleteUserGroupsSuccess: 'Smazáno %0% skupin uživatelů',
+ deleteUserGroupSuccess: '%0% bylo smazáno',
+ enableUsersSuccess: 'Povoleno %0% uživatelů',
+ disableUsersSuccess: 'Zakázáno %0% uživatelů',
+ enableUserSuccess: '%0% je nyní povoleno',
+ disableUserSuccess: '%0% je nyní zakázáno',
+ setUserGroupOnUsersSuccess: 'Skupiny uživatelů byly nastaveny',
+ unlockUsersSuccess: 'Odemčeno %0% uživatelů',
+ unlockUserSuccess: '%0% je nyný odemčeno',
+ memberExportedSuccess: 'Člen byl exportován do souboru',
+ memberExportedError: 'Při exportu člena došlo k chybě',
+ deleteUserSuccess: 'Uživatel %0% byl smazán',
+ resendInviteHeader: 'Pozvat uživatele',
+ resendInviteSuccess: 'Pozvánka byla znovu odeslána na %0%',
+ contentReqCulturePublishError: 'Dokument nelze publikovat, protože %0% není publikována',
+ contentCultureValidationError: "Ověření pro jazyk '%0%' se nezdařilo",
+ documentTypeExportedSuccess: 'Typ dokumentu byl exportován do souboru',
+ documentTypeExportedError: 'Při exportu typu dokumentu došlo k chybě',
+ scheduleErrReleaseDate1: 'Datum vydání nemůže být v minulosti',
+ scheduleErrReleaseDate2: 'Nelze naplánovat publikování dokumentu, protože %0% není publikována',
+ scheduleErrReleaseDate3:
+ 'Dokument nelze naplánovat na publikování, protože „%0%“ má datum zveřejnění později než nepovinný jazyk',
+ scheduleErrExpireDate1: 'Datum vypršení platnosti nemůže být v minulosti',
+ scheduleErrExpireDate2: 'Datum vypršení nemůže být před datem vydání',
+ contentPublishedFailedByEvent: 'Publikování bylo zrušeno doplňkem třetí strany',
+ editContentPublishedFailedByParent: 'Publikování se nezdařilo, protože nadřazená stránka není publikována',
+ },
+ stylesheet: {
+ addRule: 'Přidat styl',
+ editRule: 'Upravit styl',
+ editorRules: 'Styly Rich Text editoru',
+ editorRulesHelp:
+ 'Definujte styly, které by měly být k dispozici v editoru formátovaného textu pro tuto šablonu stylů',
+ editstylesheet: 'Editovat stylopis',
+ editstylesheetproperty: 'Editovat vlastnost stylopisu',
+ nameHelp: 'Název, který identifikuje vlastnost stylu v editoru formátovaného textu',
+ preview: 'Náhled',
+ previewHelp: 'Jak bude text vypadat v Rich Text editoru.',
+ selector: 'CSS identifikátor nebo třída',
+ selectorHelp: 'Používá syntaxi CSS, např. "h1" nebo ".redHeader"',
+ styles: 'Styly',
+ stylesHelp: 'CSS, který by měl být použit v editoru RTF, např. "color:red;"',
+ tabCode: 'Kód',
+ tabRules: 'Rich Text editor',
+ aliasHelp: 'Používá CSS syntaxi např.: h1, .redHeader, .blueTex',
+ },
+ template: {
+ deleteByIdFailed: 'Nepodařilo se odstranit šablonu s ID %0%',
+ edittemplate: 'Editovat šablonu',
+ insertSections: 'Sekce',
+ insertContentArea: 'Vložit obsahovou oblast',
+ insertContentAreaPlaceHolder: 'Vložit zástupce obsahové oblasti',
+ insert: 'Vložit',
+ insertDesc: 'Vyberte, co chcete vložit do své šablony',
+ insertDictionaryItem: 'Vložit položku slovníku',
+ insertDictionaryItemDesc:
+ 'Položka slovníku je zástupný symbol pro překladatelný text, což usnadňuje vytváření návrhů pro vícejazyčné webové stránky.',
+ insertMacro: 'Vložit makro',
+ insertMacroDesc:
+ '\n Makro je konfigurovatelná součást, která je skvělá pro opakovaně použitelné části návrhu, kde potřebujete předat parametry, jako jsou galerie, formuláře a seznamy.\n ',
+ insertPageField: 'Vložit pole stránky Umbraco',
+ insertPageFieldDesc:
+ 'Zobrazuje hodnotu pojmenovaného pole z aktuální stránky s možnostmi upravit hodnotu nebo alternativní hodnoty.',
+ insertPartialView: 'Částečná šablona',
+ insertPartialViewDesc:
+ '\n Částečná šablona je samostatný soubor šablony, který lze vykreslit uvnitř jiné šablony. Je to skvělé pro opakované použití nebo pro oddělení složitých šablon.\n ',
+ mastertemplate: 'Nadřazená šablona',
+ noMaster: 'Žádný master',
+ renderBody: 'Vykreslit podřízenou šablonu',
+ renderBodyDesc:
+ '\n Vykreslí obsah podřízené šablony vložením zástupného symbolu @RenderBody().\n ',
+ defineSection: 'Definujte pojmenovanou sekci',
+ defineSectionDesc:
+ '\n Definuje část vaší šablony jako pojmenovanou sekci jejím zabalením do @section {...}. Ta může být vykreslena v konkrétní oblasti nadřazené šablony pomocí @RenderSection.\n ',
+ renderSection: 'Vykreslit pojmenovanou sekci',
+ renderSectionDesc:
+ '\n Vykreslí pojmenovanou oblast podřízené šablony vložením zástupného symbolu @RenderSection(name). Tím se vykreslí oblast podřízené šablony, která je zabalena do odpovídající definice @section[name] {...}.\n ',
+ sectionName: 'Název sekce',
+ sectionMandatory: 'Sekce je povinná',
+ sectionMandatoryDesc:
+ '\n Pokud je povinná, musí podřízená šablona obsahovat definici @section, jinak se zobrazí chyba.\n ',
+ queryBuilder: 'Tvůrce dotazů',
+ itemsReturned: 'položky vráceny, do',
+ iWant: 'Chci',
+ allContent: 'veškerý obsah',
+ contentOfType: 'obsah typu "%0%"',
+ from: 'z(e)',
+ websiteRoot: 'můj web',
+ where: 'kde',
+ and: 'a',
+ is: 'je',
+ isNot: 'není',
+ before: 'před',
+ beforeIncDate: 'před (včetně zvoleného datumu)',
+ after: 'po',
+ afterIncDate: 'po (včetně zvoleného datumu)',
+ equals: 'rovná se',
+ doesNotEqual: 'nerovná se',
+ contains: 'obsahuje',
+ doesNotContain: 'neobsahuje',
+ greaterThan: 'větší než',
+ greaterThanEqual: 'větší nebo rovno',
+ lessThan: 'menší než',
+ lessThanEqual: 'menší nebo rovno',
+ id: 'Id',
+ name: 'Název',
+ createdDate: 'Datum vytvoření',
+ lastUpdatedDate: 'Datum poslední aktualizace',
+ orderBy: 'řadit podle',
+ ascending: 'vzestupně',
+ descending: 'sestupně',
+ template: 'Šablona',
+ quickGuide: 'Rychlá příručka k šablonovým značkám umbraca',
+ },
+ grid: {
+ media: 'Obrázek',
+ macro: 'Makro',
+ insertControl: 'Vybrat typ obsahu',
+ chooseLayout: 'Vybrat rozvržení',
+ addRows: 'Přidat řádek',
+ addElement: 'Přidat obsah',
+ dropElement: 'Zahodit obsah',
+ settingsApplied: 'Nastavení aplikováno',
+ contentNotAllowed: 'Tento obsah zde není povolen',
+ contentAllowed: 'Tento obsah je zde povolen',
+ clickToEmbed: 'Klepněte pro vložení',
+ clickToInsertImage: 'Klepnutím vložíte obrázek',
+ placeholderWriteHere: 'Zde pište...',
+ gridLayouts: 'Rozvržení mřížky',
+ gridLayoutsDetail:
+ 'Rozvržení je celková pracovní oblast pro editor mřížky, obvykle potřebujete pouze jedno nebo dvě různá rozvržení',
+ addGridLayout: 'Přidat rozvržení mřížky',
+ addGridLayoutDetail: 'Upravte rozvržení nastavením šířky sloupců a přidáním dalších sekcí',
+ rowConfigurations: 'Konfigurace řádků',
+ rowConfigurationsDetail: 'Řádky jsou předdefinované buňky uspořádané vodorovně',
+ addRowConfiguration: 'Přidat konfiguraci řádku',
+ addRowConfigurationDetail: 'Upravte řádek nastavením šířky buněk a přidáním dalších buněk',
+ columns: 'Sloupce',
+ columnsDetails: 'Celkový počet sloupců v rozvržení mřížky',
+ settings: 'Nastavení',
+ settingsDetails: 'Nakonfigurujte, jaká nastavení mohou editoři změnit',
+ styles: 'Styly',
+ stylesDetails: 'Nakonfigurujte, co mohou editoři stylů změnit',
+ allowAllEditors: 'Povolit všechny editory',
+ allowAllRowConfigurations: 'Povolit všechny konfigurace řádků',
+ maxItems: 'Maximální počet položek',
+ maxItemsDescription: 'Nechte prázdné nebo nastavte na 0 pro neomezené',
+ setAsDefault: 'Nastavit jako výchozí',
+ chooseExtra: 'Vyberat navíc',
+ chooseDefault: 'Zvolit výchozí',
+ areAdded: 'jsou přidány',
+ youAreDeleting: 'Odstraňujete konfiguraci řádku',
+ deletingARow:
+ '\n Odstranění názvu konfigurace řádku povede ke ztrátě dat pro veškerý existující obsah založený na této konfiguraci.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Složení',
+ group: 'Skupina',
+ noGroups: 'Nepřidali jste žádné skupiny',
+ addGroup: 'Přidat skupinu',
+ inheritedFrom: 'Zděděno od',
+ addProperty: 'Přidat vlastnost',
+ requiredLabel: 'Požadovaný popisek',
+ enableListViewHeading: 'Povolit zobrazení seznamu',
+ enableListViewDescription:
+ 'Nakonfiguruje položku obsahu tak, aby zobrazovala seznam svých potomků a seznam potomků, které je možné prohledávat, potomci se nebudou zobrazovat ve stromu',
+ allowedTemplatesHeading: 'Povolené šablony',
+ allowedTemplatesDescription: 'Vyberte, kteří editoři šablon mohou používat obsah tohoto typu',
+ allowAsRootHeading: 'Povolit jako root',
+ allowAsRootDescription: 'Povolit editorům vytvářet obsah tohoto typu v kořenovém adresáři stromu obsahu.',
+ childNodesHeading: 'Povolené typy podřízených uzlů',
+ childNodesDescription: 'Povolit vytváření obsahu zadaných typů pod obsahem tohoto typu.',
+ chooseChildNode: 'Vybrat podřízený uzel',
+ compositionsDescription:
+ 'Zdědí záložky a vlastnosti z existujícího typu dokumentu. Nové záložky budou přidány do aktuálního typu dokumentu nebo sloučeny, pokud existuje záložka se stejným názvem.',
+ compositionInUse: 'Tento typ obsahu se používá ve složení, a proto jej nelze poskládat.',
+ noAvailableCompositions: 'Nejsou k dispozici žádné typy obsahu, které lze použít jako složení.',
+ compositionRemoveWarning:
+ 'Odebráním složení odstraníte všechna související data vlastností. Jakmile uložíte typ dokumentu, již není cesta zpět.',
+ availableEditors: 'Vytvořit nové',
+ reuse: 'Použít existující',
+ editorSettings: 'Nastavení editoru',
+ configuration: 'Konfigurace',
+ yesDelete: 'Ano, smazat',
+ movedUnderneath: 'bylo přesunuto pod',
+ copiedUnderneath: 'bylo zkopírováno pod',
+ folderToMove: 'Vybrat složku, kterou chcete přesunout',
+ folderToCopy: 'Vybrat složku, kterou chcete kopírovat',
+ structureBelow: 've stromové struktuře níže',
+ allDocumentTypes: 'Všechny typy dokumentů',
+ allDocuments: 'Všechny dokumenty',
+ allMediaItems: 'Všechny média',
+ usingThisDocument:
+ 'použití tohoto typu dokumentu bude trvale smazáno, prosím potvrďte, že je chcete také odstranit.',
+ usingThisMedia: 'použití tohoto typu média bude trvale smazáno, potvrďte, že je chcete také odstranit.',
+ usingThisMember: 'použití tohoto typu člena bude trvale smazáno, potvrďte, že je chcete také odstranit',
+ andAllDocuments: 'a všechny dokumenty používající tento typ',
+ andAllMediaItems: 'a všechny mediální položky používající tento typ',
+ andAllMembers: 'a všichni členové používající tento typ',
+ memberCanEdit: 'Člen může upravovat',
+ memberCanEditDescription: 'Povolit editaci této vlastnosti členem na jeho stránce profilu',
+ isSensitiveData: 'Obsahuje citlivá data',
+ isSensitiveDataDescription:
+ 'Skrýt tuto hodnotu vlastnosti před editory obsahu, kteří nemají přístup k prohlížení citlivých informací',
+ showOnMemberProfile: 'Zobrazit v profilu člena',
+ showOnMemberProfileDescription: 'Povolit zobrazení této vlastnosti na stránce profilu člena',
+ tabHasNoSortOrder: 'záložka nemá žádné řazení',
+ compositionUsageHeading: 'Kde se toto složení používá?',
+ compositionUsageSpecification: 'Toto složení se v současnosti používá ve složení následujících typů obsahu:',
+ variantsHeading: 'Povolit různé jazyky',
+ variantsDescription: 'Povolit editorům vytvářet obsah tohoto typu v různých jazycích.',
+ allowVaryByCulture: 'Povolit různé jazyky',
+ elementType: 'Typ prvku',
+ elementHeading: 'Je typ prvku',
+ elementDescription: 'Typ prvku je určen k použití například ve vnořeném obsahu, nikoli ve stromu.',
+ elementCannotToggle:
+ 'Jakmile byl typ dokumentu použit k vytvoření jedné nebo více položek obsahu, nelze jej změnit na typ prvku.',
+ elementDoesNotSupport: 'To neplatí pro typ prvku',
+ propertyHasChanges: 'V této vlastnosti jste provedli změny. Opravdu je chcete zahodit?',
+ },
+ languages: {
+ addLanguage: 'Přidat jazyk',
+ mandatoryLanguage: 'Povinný jazyk',
+ mandatoryLanguageHelp: 'Před publikováním uzlu je nutné vyplnit vlastnosti v tomto jazyce.',
+ defaultLanguage: 'Výchozí jazyk',
+ defaultLanguageHelp: 'Web Umbraco může mít nastaven pouze jeden výchozí jazyk.',
+ changingDefaultLanguageWarning: 'Přepnutí výchozího jazyka může mít za následek chybějící výchozí obsah.',
+ fallsbackToLabel: 'Nahradit nepřeložený obsah za',
+ noFallbackLanguageOption: 'Žádné nahrazení nepřeloženého jazyka',
+ fallbackLanguageDescription:
+ 'Chcete-li povolit automatické zobrazení vícejazyčného obsahu v jiném jazyce, pokud není v požadovaném jazyce přeložen, vyberte jej zde.',
+ fallbackLanguage: 'Nahrazujicí jazyk',
+ none: 'žádný',
+ },
+ macro: {
+ addParameter: 'Přidat parametr',
+ editParameter: 'Upravit parametr',
+ enterMacroName: 'Zadejte název makra',
+ parameters: 'Parametry',
+ parametersDescription: 'Definujte parametry, které by měly být k dispozici při použití tohoto makra.',
+ selectViewFile: 'Vyberte soubor makra pro částečnou šablonu',
+ },
+ modelsBuilder: {
+ buildingModels: 'Stavební modely',
+ waitingMessage: 'to může chvíli trvat, nebojte se',
+ modelsGenerated: 'Generované modely',
+ modelsGeneratedError: 'Modely nelze vygenerovat',
+ modelsExceptionInUlog: 'Generování modelů selhalo, viz výjimka v logu Umbraca',
+ },
+ templateEditor: {
+ addDefaultValue: 'Přidat výchozí hodnotu',
+ defaultValue: 'Výchozí hodnota',
+ alternativeField: 'Alternativní pole',
+ alternativeText: 'Alternativní text',
+ casing: 'Velká a malá písmena',
+ encoding: 'Kódování',
+ chooseField: 'Vybrat pole',
+ convertLineBreaks: 'Konvertovat',
+ convertLineBreaksHelp: 'Nahrazuje nové řádky html tagem <br>',
+ customFields: 'Vlastní pole',
+ dateOnly: 'Ano, pouze datum',
+ formatAsDate: 'Formátovat jako datum',
+ htmlEncode: 'HTML kódování',
+ htmlEncodeHelp: 'Nahradí speciální znaky jejich HTML ekvivalentem.',
+ insertedAfter: 'Bude vloženo za hodnotou pole',
+ insertedBefore: 'Bude vloženo před hodnotou pole',
+ lowercase: 'Malá písmena',
+ none: 'Nic',
+ outputSample: 'Ukázka výstupu',
+ postContent: 'Vložit za polem',
+ preContent: 'Vložit před polem',
+ recursive: 'Rekurzivní',
+ recursiveDescr: 'Ano, udělej to rekurzivní',
+ standardFields: 'Standardní pole',
+ uppercase: 'Velká písmena',
+ urlEncode: 'Kódování URL',
+ urlEncodeHelp: 'Formátuje speciální znaky v URL adresách',
+ usedIfAllEmpty: 'Bude použito pouze pokud jsou pole nahoře prázdná',
+ usedIfEmpty: 'Toto pole bude použito pouze pokud je primární pole prázdné',
+ withTime: 'Ano, s časem. Oddělovač: ',
+ },
+ translation: {
+ details: 'Podrobnosti překladu',
+ DownloadXmlDTD: 'Stáhnout XML DTD',
+ fields: 'Pole',
+ includeSubpages: 'Zahrnout podstránky',
+ mailBody:
+ "\n Dobrý den, %0%\n\n Toto je automatická zpráva informující Vás, že dokument '%1%'\n byl vyžádán k překladu do '%5%' uživatelem %2%.\n\n Přejděte na http://%3%/translation/details.aspx?id=%4% pro editování.\n\n Anebo se přihlašte do umbraca, abyste získali přehled o svých překladatelských úlohách\n http://%3%\n\n Mějte hezký den!\n\n Zdraví Umbraco robot\n ",
+ noTranslators:
+ 'Žádní uživatelé překladatelé nebyli nalezeni. Vytvořte, prosím, překladatele před tím, než začnete posílat obsah k překladu',
+ pageHasBeenSendToTranslation: "Stránka '%0%' byla poslána k překladu",
+ sendToTranslate: "Poslat stránku '%0%' k překladu",
+ totalWords: 'Slov celkem',
+ translateTo: 'Přeložit do',
+ translationDone: 'Překlad hotov.',
+ translationDoneHelp:
+ 'Klikutím níže můžete vidět stránky, které jste právě přeložili. Jestliže je nalezena originální stránka, dostanete srovnání 2 stránek.',
+ translationFailed: 'Překlad selhal, xml soubor může být poškozený',
+ translationOptions: 'Možnosti překladu',
+ translator: 'Překladatel',
+ uploadTranslationXml: 'Nahrát xml překladu',
+ },
+ treeHeaders: {
+ content: 'Obsah',
+ contentBlueprints: 'Šablony obsahu',
+ media: 'Média',
+ cacheBrowser: 'Prohlížeč mezipaměti',
+ contentRecycleBin: 'Koš',
+ createdPackages: 'Vytvořené balíčky',
+ dataTypes: 'Datové typy',
+ dictionary: 'Slovník',
+ installedPackages: 'Instalované balíčky',
+ installSkin: 'Instalovat téma',
+ installStarterKit: 'Instalovat startovní sadu',
+ languages: 'Jazyky',
+ localPackage: 'Instalovat místní balíček',
+ macros: 'Makra',
+ mediaTypes: 'Typy medií',
+ member: 'Členové',
+ memberGroups: 'Skupiny členů',
+ memberRoles: 'Role',
+ memberTypes: 'Typy členů',
+ documentTypes: 'Typy dokumentů',
+ relationTypes: 'Typy vztahů/vazeb',
+ packager: 'Balíčky',
+ packages: 'Balíčky',
+ partialViews: 'Částečné šablony',
+ partialViewMacros: 'Makra částečných šablon',
+ repositories: 'Instalovat z úložiště',
+ runway: 'Instalovat Runway',
+ runwayModules: 'Moduly Runway',
+ scripting: 'Skriptovací soubory',
+ scripts: 'Skripty',
+ stylesheets: 'Stylopisy',
+ templates: 'Šablony',
+ logViewer: 'Prohlížeč logu',
+ users: 'Uživatelé',
+ settingsGroup: 'Nastavení',
+ templatingGroup: 'Šablony',
+ thirdPartyGroup: 'Třetí strana',
+ userPermissions: 'Oprávnění uživatele',
+ userTypes: 'Typy uživatelů',
+ },
+ update: {
+ updateAvailable: 'Nová aktualizace je připrvena',
+ updateDownloadText: '%0% je připraven, klikněte zde pro stažení',
+ updateNoServer: 'Žádné spojení se serverem',
+ updateNoServerError: 'Chyba při kontrole aktualizace. Zkontrolujte, prosím, trasovací zásobník pro další informace',
+ },
+ user: {
+ access: 'Přístupy',
+ accessHelp: 'Na základě přiřazených skupin a počátečních uzlů má uživatel přístup k následujícím uzlům',
+ assignAccess: 'Přiřadit přístup',
+ administrators: 'Administrátor',
+ categoryField: 'Pole kategorie',
+ createDate: 'Uživatel byl vytvořen',
+ changePassword: 'Změnit heslo',
+ changePhoto: 'Změnit fotku',
+ newPassword: 'Změnit heslo',
+ noLockouts: 'nebyl uzamčen',
+ noPasswordChange: 'Heslo nebylo změněno',
+ confirmNewPassword: 'Potvrdit heslo',
+ changePasswordDescription:
+ "Můžete změnit své heslo pro přístup do administrace Umbraca vyplněním formuláře níže a kliknutím na tlačítko 'Změnit Heslo'",
+ contentChannel: 'Kanál obsahu',
+ createAnotherUser: 'Vytvořit dalšího uživatele',
+ createUserHelp:
+ 'Vytvořte nové uživatele a udělte mu přístup do Umbraco. Po vytvoření nového uživatele bude vygenerováno heslo, které s ním můžete sdílet.',
+ descriptionField: 'Popis',
+ disabled: 'Deaktivovat uživatele',
+ documentType: 'Typ dokumentu',
+ editors: 'Editor',
+ excerptField: 'Výtah',
+ failedPasswordAttempts: 'Neúspěšné pokusy o přihlášení',
+ goToProfile: 'Přejít na uživatelský profil',
+ groupsHelp: 'Přidáním skupin přidělte přístup a oprávnění',
+ inviteAnotherUser: 'Pozvat dalšího uživatele',
+ inviteUserHelp:
+ 'Pozvěte nové uživatele, a poskytněte jim přístup do Umbraco. Uživatelům bude zaslán e-mail s pozvánkou a s informacemi o tom, jak se přihlásit do Umbraco. Pozvánky mají platnost 72 hodin.',
+ language: 'Jazyk',
+ languageHelp: 'Nastavte jazyk, který uvidíte v nabídkách a dialogových oknech',
+ lastLockoutDate: 'Poslední datum uzamčení',
+ lastLogin: 'Poslední přihlášení',
+ lastPasswordChangeDate: 'Heslo bylo naposledy změněno',
+ loginname: 'Přihlašovací jméno',
+ mediastartnode: 'Úvodní uzel v knihovně medií',
+ mediastartnodehelp: 'Omezte knihovnu médií na konkrétní počáteční uzel',
+ mediastartnodes: 'Úvodní uzly v knihovně medií',
+ mediastartnodeshelp: 'Omezte knihovnu médií na konkrétní počáteční uzly',
+ modules: 'Sekce',
+ noConsole: 'Deaktivovat přistup k Umbracu',
+ noLogin: 'se dosud nepřihlásil',
+ oldPassword: 'Staré heslo',
+ password: 'Heslo',
+ resetPassword: 'Resetovat heslo',
+ passwordChanged: 'Vyše heslo bylo změněno!',
+ passwordConfirm: 'Potvrďte, prosím, nové heslo',
+ passwordEnterNew: 'Zadejte Vaše nové heslo',
+ passwordIsBlank: 'Vaše nové heslo nesmí být prázdné!',
+ passwordCurrent: 'Současné heslo',
+ passwordInvalid: 'Neplatné současné heslo',
+ passwordIsDifferent: 'Nové heslo a potvrzující heslo se liší. Zkuste to, prosím, znovu!',
+ passwordMismatch: 'Potvrzující heslo není stejné jako nové heslo!',
+ permissionReplaceChildren: 'Nahradit oprávnění podřízených uzlů',
+ permissionSelectedPages: 'Nyní měníte oprávnění pro stránky:',
+ permissionSelectPages: 'Vyberte stránky, pro které chcete měnit oprávnění',
+ removePhoto: 'Odebrat fotografii',
+ permissionsDefault: 'Výchozí oprávnění',
+ permissionsGranular: 'Upřesnění oprávnění',
+ permissionsGranularHelp: 'Nastavte oprávnění pro konkrétní uzly',
+ profile: 'Profil',
+ searchAllChildren: 'Prohledat všechny podřízené uzly',
+ sectionsHelp: 'Přidejte sekce, do kterých mají uživatelé přístup',
+ selectUserGroups: 'Vybrat skupiny uživatelů',
+ noStartNode: 'Nebyl vybrán žádný počáteční uzel',
+ noStartNodes: 'Nebyly vybrány žádné počáteční uzly',
+ startnode: 'Úvodní uzel v obsahu',
+ startnodehelp: 'Omezte strom obsahu na konkrétní počáteční uzel',
+ startnodes: 'Úvodní uzly obsahu',
+ startnodeshelp: 'Omezte strom obsahu na konkrétní počáteční uzly',
+ updateDate: 'Uživatel byl naposledy aktualizován',
+ userCreated: 'byl vytvořen',
+ userCreatedSuccessHelp: 'Nový uživatel byl úspěšně vytvořen. Pro přihlášení do Umbraco použijte heslo níže.',
+ userManagement: 'Správa uživatelů',
+ username: 'Uživatelské jméno',
+ userPermissions: 'Oprávnění uživatele',
+ usergroup: 'Uživatelská skupina',
+ userInvited: 'byl pozván',
+ userInvitedSuccessHelp: 'Novému uživateli byla zaslána pozvánka s informacemi, jak se přihlásit do Umbraco.',
+ userinviteWelcomeMessage:
+ 'Dobrý den, vítejte v Umbraco! Za pouhou 1 minutu budete moci používat Umbraco. Jenom od vás potřebujeme, abyste si nastavili heslo.',
+ userinviteExpiredMessage:
+ 'Vítejte v Umbraco! Vaše pozvánka bohužel vypršela. Obraťte se na svého správce a požádejte jej, aby jí znovu odeslal.',
+ writer: 'Spisovatel',
+ change: 'Změnit',
+ yourProfile: 'Váš profil',
+ yourHistory: 'Vaše nedávná historie',
+ sessionExpires: 'Relace vyprší za',
+ inviteUser: 'Pozvat uživatele',
+ createUser: 'Vytvořit uživatele',
+ sendInvite: 'Odeslat pozvánku',
+ backToUsers: 'Zpět na seznam uživatelů',
+ inviteEmailCopySubject: 'Umbraco: Pozvánka',
+ inviteEmailCopyFormat:
+ "\n \n \n \n \n \n \n \n
\n \n ",
+ defaultInvitationMessage: 'Zasílám pozvání...',
+ deleteUser: 'Smazat uživatele',
+ deleteUserConfirmation: 'Opravdu chcete smazat tento uživatelský účet?',
+ stateAll: 'Vše',
+ stateActive: 'Aktivní',
+ stateDisabled: 'Zakázané',
+ stateLockedOut: 'Uzamčeno',
+ stateInvited: 'Pozváno',
+ stateInactive: 'Neaktivní',
+ sortNameAscending: 'Jméno (A-Z)',
+ sortNameDescending: 'Jméno (Z-A)',
+ sortCreateDateAscending: 'Nejstarší',
+ sortCreateDateDescending: 'Nejnovější',
+ sortLastLoginDateDescending: 'Poslední přihlášení',
+ noUserGroupsAdded: 'Nebyly přidány žádné skupiny uživatelů',
+ },
+ validation: {
+ validation: 'Validace',
+ validateAsEmail: 'Ověřit jako e-mailovou adresu',
+ validateAsNumber: 'Ověřit jako číslo',
+ validateAsUrl: 'Ověřit jako URL',
+ enterCustomValidation: '...nebo zadat vlastní ověření',
+ fieldIsMandatory: 'Pole je povinné',
+ mandatoryMessage: 'Zadat chybovou zprávu pro vlastní validaci (volitelné)',
+ validationRegExp: 'Zadat regulární výraz',
+ validationRegExpMessage: 'Zadat chybovou zprávu pro vlastní validaci (volitelné)',
+ minCount: 'Musíte přidat alespoň',
+ maxCount: 'Můžete jen mít',
+ items: 'položky',
+ itemsSelected: 'vybrané položky',
+ invalidDate: 'Neplatné datum',
+ invalidNumber: 'Není číslo',
+ invalidEmail: 'Neplatný e-mail',
+ invalidNull: 'Hodnota nemůže být nulová',
+ invalidEmpty: 'Hodnota nemůže být prázdná',
+ invalidPattern: 'Hodnota je neplatná, neodpovídá správnému vzoru',
+ customValidation: 'Vlastní ověření',
+ entriesShort: 'Minimálně %0% záznamů, vyžaduje %1% více.',
+ entriesExceed: 'Maximálně %0% záznamů, %1% příliš mnoho.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Hodnota je nastavena na doporučenou hodnotu: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Očekávaná hodnota '%1%' pro '%2%' v konfiguračním souboru '%3%', ale nalezeno '%0%'.",
+ checkErrorMessageUnexpectedValue: "Nalezena neočekávaná hodnota '%0%' pro '%2%' v konfiguračním souboru '%3%'.",
+ macroErrorModeCheckSuccessMessage: "MacroErrors jsou nastaveny na '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MakroErrors jsou nastaveny na '%0%', což zabrání úplnému načtení některých nebo všech stránek na vašem webu, pokud dojde k chybám v makrech. Náprava nastaví hodnotu na '%1%'.",
+ httpsCheckValidCertificate: 'Certifikát vašeho webu je platný.',
+ httpsCheckInvalidCertificate: "Chyba ověření certifikátu: '%0%'",
+ httpsCheckExpiredCertificate: 'Platnost SSL certifikátu vašeho webu vypršela.',
+ httpsCheckExpiringCertificate: 'Platnost certifikátu SSL vašeho webu vyprší za %0% dní.',
+ healthCheckInvalidUrl: "Chyba při pingování adresy URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Aktuálně prohlížíte web pomocí schématu HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Režim kompilace ladění je zakázán.',
+ compilationDebugCheckErrorMessage:
+ 'Režim ladění je aktuálně povolen. Před spuštěním webu se doporučuje toto nastavení deaktivovat.',
+ clickJackingCheckHeaderFound:
+ 'Bylo nalezeno záhlaví nebo metaznačka X-Frame-Options, které určuje, zda může být obsah webu zobrazen na jiném webu pomocí IFRAME.',
+ clickJackingCheckHeaderNotFound:
+ 'Nebylo nalezeno záhlaví nebo metaznačka X-Frame-Options, které určuje, zda může být obsah webu zobrazen na jiném webu pomocí IFRAME.',
+ noSniffCheckHeaderFound:
+ 'Bylo nalezeno záhlaví nebo metaznačka X-Content-Type-Options použitá k ochraně před zranitelnostmi čichání MIME.',
+ noSniffCheckHeaderNotFound:
+ 'Záhlaví nebo metaznačky X-Content-Type-Options použité k ochraně před zranitelnostmi čichání MIME nebyly nalezeny.',
+ hSTSCheckHeaderFound:
+ 'Záhlaví Strict-Transport-Security, také známo jako HSTS-header, bylo nalezeno.',
+ hSTSCheckHeaderNotFound: 'záhlaví Strict-Transport-Security nebylo nalezeno.',
+ xssProtectionCheckHeaderFound: 'Záhlaví X-XSS-Protection bylo nalezeno.',
+ xssProtectionCheckHeaderNotFound: 'Záhlaví X-XSS-Protection bylo nalezeno.',
+ excessiveHeadersFound:
+ 'Byly nalezeny následující záhlaví odhalující informace o technologii webových stránek: %0%.',
+ excessiveHeadersNotFound: 'Nebyly nalezeny žádné hlavičky odhalující informace o technologii webových stránek.',
+ smtpMailSettingsConnectionSuccess: 'Nastavení SMTP jsou správně nakonfigurována a služba funguje jak má.',
+ notificationEmailsCheckSuccessMessage: 'E-mail s upozorněním byl nastaven na %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'E-mail s oznámením je stále nastaven na výchozí hodnotu %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Výsledky plánovaných kontrol Umbraco Health Checks provedených na %0% v %1% jsou následující:
Kontrola vyhodnocuje různé oblasti vašeho webu z hlediska nastavení osvědčených postupů, konfigurace, potenciálních problémů atd. Problémy lze snadno vyřešit stisknutím tlačítka. Můžete přidat své vlastní kontroly, podívejte se na dokumentaci pro více informací o vlastních kontrolách.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Zakázat sledování URL',
+ enableUrlTracker: 'Povolit sledování URL',
+ culture: 'Jazyk',
+ originalUrl: 'Originální URL',
+ redirectedTo: 'Přesměrováno na',
+ redirectUrlManagement: 'Správa URL přesměrování',
+ panelInformation: 'Na tuto položku obsahu přesměrovávají následující adresy URL:',
+ noRedirects: 'Nebyla provedena žádná přesměrování',
+ noRedirectsDescription:
+ 'Jakmile bude publikovaná stránka přejmenována nebo přesunuta, bude automaticky provedeno přesměrování na novou stránku.',
+ redirectRemoved: 'Přesměrování bylo odstraněno.',
+ redirectRemoveError: 'Chyba při odebírání URL přesměrování.',
+ redirectRemoveWarning: 'Toto odstraní přesměrování',
+ confirmDisable: 'Opravdu chcete zakázat sledování URL adres?',
+ disabledConfirm: 'Sledování URL adres je nyní zakázáno.',
+ disableError: 'Při deaktivaci sledování URL adres došlo k chybě, další informace naleznete v logu.',
+ enabledConfirm: 'Sledování URL adres je nyní povoleno.',
+ enableError: 'Chyba při povolení sledování URL adres, další informace lze nalézt v logu.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Žádné položky ze slovníku na výběr',
+ },
+ textbox: {
+ characters_left: 'Zbývá %0% znaků.',
+ characters_exceed: 'Maximálně %0% znaků, %1% je moc.',
+ },
+ recycleBin: {
+ contentTrashed: 'Obsah s ID: {0} v koši souvisí s původním nadřazeným obsahem s ID: {1}',
+ mediaTrashed: 'Média s ID: {0} v koši souvisí s původním nadřazeným médiem s ID: {1}',
+ itemCannotBeRestored: 'Tuto položku nelze automaticky obnovit',
+ itemCannotBeRestoredHelpText:
+ 'Neexistuje žádné místo, kde lze tuto položku automaticky obnovit. Položku můžete přesunout ručně pomocí stromu níže.',
+ wasRestored: 'byla obnovena pod',
+ },
+ relationType: {
+ direction: 'Směr',
+ parentToChild: 'Nadřazený s potomkem',
+ bidirectional: 'Obousměrný',
+ parent: 'Nadřazená',
+ child: 'Potomek',
+ count: 'Počet',
+ relations: 'Vazby',
+ created: 'Vytvořeno',
+ comment: 'Komentář',
+ name: 'Název',
+ noRelations: 'Žádné vazby pro tento typ vazby.',
+ tabRelationType: 'Typ vazby',
+ tabRelations: 'Vazby',
+ },
+ dashboardTabs: {
+ contentIntro: 'Začínáme',
+ contentRedirectManager: 'Správa přesměrování',
+ mediaFolderBrowser: 'Obsah',
+ settingsWelcome: 'Vítejte',
+ settingsExamine: 'Správa Examine',
+ settingsPublishedStatus: 'Stav publikování',
+ settingsModelsBuilder: 'Tvůrce modelů',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profilování',
+ memberIntro: 'Začínáme',
+ formsInstall: 'Instalovat Umbraco formuláře',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Jít zpět',
+ activeListLayout: 'Aktivní rozvržení:',
+ jumpTo: 'Skočit do',
+ group: 'skupina',
+ passed: 'prošlo',
+ warning: 'varování',
+ failed: 'selhalo',
+ suggestion: 'návrh',
+ checkPassed: 'Kontrola prošla',
+ checkFailed: 'Kontrola selhala',
+ openBackofficeSearch: 'Otevřít hledání v backoffice',
+ openCloseBackofficeHelp: 'Otevřít/zavřít nápovědu backoffice',
+ openCloseBackofficeProfileOptions: 'Otevřít/zavřít možnosti vašeho profilu',
+ openContextMenu: 'Otevřít kontextové menu pro',
+ currentLanguage: 'Aktuální jazyk',
+ switchLanguage: 'Přepnout jazyk na',
+ createNewFolder: 'Vytvořit novou složku',
+ newPartialView: 'Částečná šablona',
+ newPartialViewMacro: 'Makro částečné šablony',
+ newMember: 'Člen',
+ newDataType: 'Datový typ',
+ redirectDashboardSearchLabel: 'Prohledat přesměrování',
+ userGroupSearchLabel: 'Prohledat skupiny uživatelů',
+ userSearchLabel: 'Prohledat uživatele',
+ createItem: 'Vytvořit položku',
+ create: 'Vytvořit',
+ edit: 'Upravit',
+ name: 'Název',
+ },
+ references: {
+ tabName: 'Závislosti',
+ DataTypeNoReferences: 'Tento datový typ nemá žádné závislosti.',
+ labelUsedByDocumentTypes: 'Použito v dokumentových typech',
+ labelUsedByMediaTypes: 'Použito v typech médií',
+ labelUsedByMemberTypes: 'Použito v typech členů',
+ usedByProperties: 'Použito v ',
+ labelUsedByDocuments: 'Použito v dokumentech',
+ labelUsedByMembers: 'Použito ve členech',
+ labelUsedByMedia: 'Použito v médiích',
+ },
+ logViewer: {
+ logLevels: 'Úrovně logování',
+ selectAllLogLevelFilters: 'Vybrat vše',
+ deselectAllLogLevelFilters: 'Odznačit vše',
+ savedSearches: 'Uložená vyhledávání',
+ totalItems: 'Celkem položek',
+ timestamp: 'Časové razítko',
+ level: 'Úroveň',
+ machine: 'Stroj',
+ message: 'Zpráva',
+ exception: 'Výjimka',
+ properties: 'Vlastnosti',
+ searchWithGoogle: 'Vyhledat na Googlu',
+ searchThisMessageWithGoogle: 'Vyhledat zprávu na Googlu',
+ searchWithBing: 'Vyhledat na Bing',
+ searchThisMessageWithBing: 'Vyhledat zprávu na Bing',
+ searchOurUmbraco: 'Prohledat naše Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Vyhledat tuto zprávu na našich fórech a dokumentech Umbraco',
+ searchOurUmbracoWithGoogle: 'Vyhledat Our Umbraco na Googlu',
+ searchOurUmbracoForumsUsingGoogle: 'Prohledat Our Umbraco fóra pomocí Googlu',
+ searchUmbracoSource: 'Prohledat Umbraco Source',
+ searchWithinUmbracoSourceCodeOnGithub: 'Vyhledat ve zdrojovém kódu Umbraco na Github',
+ searchUmbracoIssues: 'Prohledat Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Prohledat Umbraco Issues na Github',
+ deleteThisSearch: 'Smazat toto vyhledávání',
+ findLogsWithRequestId: 'Najít logy s ID požadavku',
+ findLogsWithNamespace: 'Najít logy se jmenným prostorem',
+ findLogsWithMachineName: 'Najít logy s názvem stroje',
+ open: 'Otevřít',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Kopírovat %0%',
+ labelForArrayOfItemsFrom: '%0% z %1%',
+ labelForRemoveAllEntries: 'Odebrat všechny položky',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Otevřít akce vlastností',
+ },
+ nuCache: {
+ refreshStatus: 'Stav obnovení',
+ memoryCache: 'Cache paměť',
+ memoryCacheDescription:
+ '\n Toto tlačítko umožňuje znovu načíst mezipaměť úplným opětovným načtením z databáze (ale tato mezipaměť databáze nebude znovu vytvořena). To je poměrně rychlé. Použijte jej, pokud si myslíte, že mezipaměť paměti nebyla po některých událostech správně obnovena - což by naznačovalo menší problém Umbraco. (poznámka: spustí opětovné načtení na všech serverech v prostředí LB).\n ',
+ reload: 'Znovu načíst',
+ databaseCache: 'Cache databáze',
+ databaseCacheDescription:
+ '\n Toto tlačítko umožňuje znovu vytvořit mezipaměť databáze, tj. obsah tabulky cmsContentNu. Znovuvytvoření může být náročné. Použijte jej, když nestačí obnovení stránky, a domníváte se, že mezipaměť databáze nebyla správně vygenerována - což by naznačovalo možný kritický problém Umbraco.\n ',
+ rebuild: 'Obnovit',
+ internals: 'Internals',
+ internalsDescription:
+ '\n Toto tlačítko umožňuje spustit kolekci snímků NuCache (po spuštění fullCLR GC).\n Pokud nevíte, co to znamená, pravděpodobně to nebudete muset používat.\n ',
+ collect: 'Sběr',
+ publishedCacheStatus: 'Stav publikované mezipaměti',
+ caches: 'Mezipaměti',
+ },
+ profiling: {
+ performanceProfiling: 'Profilování výkonu',
+ performanceProfilingDescription:
+ '\n
Umbraco aktuálně běží v režimu ladění. To znamená, že můžete použít vestavěný profiler výkonu k vyhodnocení výkonu při vykreslování stránek.
Pokud chcete aktivovat profiler pro konkrétní vykreslení stránky, jednoduše při požadavku na stránku jednoduše přidejte umbDebug=true do URL.
Pokud chcete, aby byl profiler ve výchozím nastavení aktivován pro všechna vykreslení stránky, můžete použít přepínač níže. Ve vašem prohlížeči nastaví soubor cookie, který automaticky aktivuje profiler. Jinými slovy, profiler bude ve výchozím nastavení aktivní pouze ve vašem prohlížeči, ne v ostatních.
\n ',
+ activateByDefault: 'Ve výchozím stavu aktivovat profiler',
+ reminder: 'Přátelské připomenutí',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Hodiny tréninkových videí Umbraco jsou blíž než si myslíte',
+ trainingDescription:
+ '\n
Chcete ovládnout Umbraco? Stačí strávit pár minut sledování jednoho z těchto videí o používání Umbraco. Nebo navštivte umbraco.tv, kde najdete ještě více videí o Umbraco
\n ',
+ getStarted: 'Chcete-li začít',
+ },
+ settingsDashboard: {
+ start: 'Začněte zde',
+ startDescription:
+ 'Tato část obsahuje stavební bloky pro váš web Umbraco. Podle níže uvedených odkazů se dozvíte více o práci s položkami v části Nastavení',
+ more: 'Zjistit více',
+ bulletPointOne:
+ '\n Další informace o práci s položkami naleznete v části Nastavení v sekci Dokumentace v Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Zeptejte se na fóru komunity\n ',
+ bulletPointThree:
+ '\n Podívejte se na naše výuková videa (některá jsou zdarma, jiná vyžadují předplatné)\n ',
+ bulletPointFour:
+ '\n Další informace o našich nástrojích zvyšujících produktivitu a komerční podpoře\n ',
+ bulletPointFive:
+ '\n Zjistěte více o možnostech školení a certifikace\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Vítejte v přátelském CMS',
+ fallbackDescription:
+ 'Děkujeme, že jste si vybrali Umbraco - myslíme si, že by to mohl být začátek něčeho krásného. I když se to může zpočátku zdát ohromující, udělali jsme hodně pro to, aby byla křivka učení co nejhladší a nejrychlejší.',
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco formuláře',
+ formsDescription:
+ 'Vytvářejte formuláře pomocí intuitivního rozhraní drag and drop. Od jednoduchých kontaktních formulářů, které odesílají e-maily, až po pokročilé dotazníky, které se integrují do systémů CRM. Vaši klienti to budou milovat!',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/cy-gb.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/cy-gb.ts
new file mode 100644
index 0000000000..a3b0dc27b5
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/cy-gb.ts
@@ -0,0 +1,2527 @@
+/**
+ * Creator Name: Method4 Ltd
+ * Creator Link: https://www.method4.co.uk/
+ *
+ * Language Alias: cy
+ * Language Int Name: Welsh (UK)
+ * Language Local Name: Cymraeg (UK)
+ * Language LCID: 1106
+ * Language Culture: cy-GB
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Diwylliannau ac Enwau Gwesteia',
+ auditTrail: 'Trywydd Archwilio',
+ browse: 'Dewis Nod',
+ changeDocType: 'Newid Math o Ddogfen',
+ changeDataType: 'Newid Math o Data',
+ copy: 'Copïo',
+ create: 'Creu',
+ export: 'Allforio',
+ createPackage: 'Creu Pecyn',
+ createGroup: 'Creu grŵp',
+ delete: 'Dileu',
+ disable: 'Analluogi',
+ editSettings: 'Golygu gosodiadau',
+ emptyrecyclebin: 'Gwagu bin ailgylchu',
+ enable: 'Galluogi',
+ exportDocumentType: 'Allforio Math o Ddogfen',
+ importdocumenttype: 'Mewnforio Math o Ddogfen',
+ importPackage: 'Mewnforio Pecyn',
+ liveEdit: 'Golygu mewn Cynfas',
+ logout: 'Gadael',
+ move: 'Symud',
+ notify: 'Hysbysiadau',
+ protect: 'Cyrchiad cyhoeddus',
+ publish: 'Cyhoeddi',
+ unpublish: 'Dadgyhoeddi',
+ refreshNode: 'Ail-lwytho',
+ republish: 'Ail-gyhoeddi yr holl safle',
+ remove: 'Dileu',
+ rename: 'Ailenwi',
+ restore: 'Adfer',
+ chooseWhereToCopy: 'Dewis ble i copïo',
+ chooseWhereToMove: 'Dewis ble i symud',
+ toInTheTreeStructureBelow: 'Yn y strwythyr goeden isod',
+ infiniteEditorChooseWhereToCopy: "Dewis ble i gopïo'r eitem(au) a ddewiswyd",
+ infiniteEditorChooseWhereToMove: 'Dewis ble i symud yr eitem(au) a ddewiswyd',
+ wasMovedTo: 'wedi symud i',
+ wasCopiedTo: 'wedi copïo i',
+ wasDeleted: 'wedi dileu',
+ rights: 'Hawliau',
+ rollback: 'Rolio yn ôl',
+ sendtopublish: 'Anfon I Gyhoeddi',
+ sendToTranslate: 'Anfon I Gyfieithu',
+ setGroup: 'Gosod grŵp',
+ sort: 'Trefnu',
+ translate: 'Cyfieithu',
+ update: 'Diweddaru',
+ setPermissions: 'Gosod Hawliau',
+ unlock: 'Datgloi',
+ createblueprint: 'Creu Templed Gynnwys',
+ resendInvite: 'Ail-anfon Gwahoddiad',
+ editContent: 'Golygu cynnwys',
+ chooseWhereToImport: 'Dewiswch ble i fewnforio',
+ toggleHideUnavailable: 'Cuddio opsiynau nad ydynt ar gael',
+ },
+ actionCategories: {
+ content: 'Cynnwys',
+ administration: 'Gweinyddu',
+ structure: 'Strwythyr',
+ other: 'Arall',
+ },
+ actionDescriptions: {
+ assignDomain: 'Caniatáu hawl i osod to assign diwylliannau ac enwau gwesteia',
+ auditTrail: 'Caniatáu hawl i weld cofnod hanes nod',
+ browse: 'Caniatáu hawl i weld nod',
+ changeDocType: 'Caniatáu hawl i newid math o ddogfen ar gyfer nod',
+ copy: 'Caniatáu hawl i gopïo nod',
+ create: 'Caniatáu hawl i greu nodau',
+ delete: 'Caniatáu hawl i ddileu nodau',
+ move: 'Caniatáu hawl i symud nodau',
+ protect: 'Caniatáu hawl i osod a newid cyrchiad cyhoeddus ar gyfer nod',
+ publish: 'Caniatáu hawl i gyhoeddi nod',
+ unpublish: 'Caniatáu hawl i dadgyhoeddi nod',
+ rights: 'Caniatáu hawl i newid hawliau ar gyfer nod',
+ rollback: 'Caniatáu hawl i rolio nod yn ôl at gyflwr blaenorol',
+ sendtopublish: 'Caniatáu hawl i anfon nod am gymeradwyo cyn cyhoeddi',
+ sendToTranslate: 'Caniatáu hawl i anfon nod am gyfieithiad',
+ sort: 'Caniatáu hawl i newid trefn nodau',
+ translate: 'Caniatáu hawl i gyfiethu nod',
+ update: 'Caniatáu hawl i achub nod',
+ createblueprint: 'Caniatáu hawl i greu Templed Cynnwys',
+ notify: 'Caniatáu mynediad i osod hysbysiadau ar gyfer nodau cynnwys',
+ },
+ apps: {
+ umbContent: 'Cynnwys',
+ umbInfo: 'Gwybodaeth',
+ },
+ assignDomain: {
+ permissionDenied: 'Dim hawl.',
+ addNew: 'Ychwanegu parth newydd',
+ addCurrent: 'Ychwanegu parth cyfredol',
+ remove: 'dileu',
+ invalidNode: 'Nod annilys.',
+ invalidDomain: 'Fformat parth annilys.',
+ duplicateDomain: "Parth wedi'i neilltuo eisoes.",
+ language: 'Iaith',
+ domain: 'Parth',
+ domainCreated: "Parth newydd '%0%' wedi'i greu",
+ domainDeleted: "Parth '%0%' wedi dileu",
+ domainExists: "Parth '%0%' wedi neilltuo eisoes",
+ domainUpdated: "Parth '%0%' wedi diweddaru",
+ orEdit: 'Golygu Parthau Cyfredol',
+ domainHelpWithVariants:
+ 'Parthau dilys yw: "enghraifft.com", "www.enghraifft.com", "enghraifft.com:8080" neu "https://www.enghraifft.com/".\n Mae llwybrau un-lefel mewn parthau wedi\'u cefnogi, e.e. "enghraifft.com/cy" neu "/cy".',
+ inherit: 'Etifeddu',
+ setLanguage: 'Diwylliant',
+ setLanguageHelp:
+ "Gosod y diwylliant ar gyfer nodau o dan y nod bresennol, neu etifeddu diwylliant o nodau rhiant. Bydd hyn hefyd \n yn berthnasol i'r nod bresennol, oni bai fod parth isod yn berthnasol hefyd.",
+ setDomains: 'Parthau',
+ },
+ buttons: {
+ clearSelection: 'Clirio dewisiad',
+ select: 'Dewis',
+ somethingElse: 'Gwneud rhywbeth arall',
+ bold: 'Trwm',
+ deindent: 'Canslo Mewnoliad Paragraff',
+ formFieldInsert: 'Mewnosod maes ffurflen',
+ graphicHeadline: 'Mewnosod pennawd graffig',
+ htmlEdit: 'Golygu Html',
+ indent: 'Mewnoli Paragraff',
+ italic: 'Italig',
+ justifyCenter: 'Canoli',
+ justifyLeft: 'Unioni Chwith',
+ justifyRight: 'Unioni Dde',
+ linkInsert: 'Mewnosod Dolen',
+ linkLocal: 'Mewnosod dolen leol (angor)',
+ listBullet: 'Rhestr Bwled',
+ listNumeric: 'Rhestr rhifol',
+ macroInsert: 'Mewnosod macro',
+ pictureInsert: 'Mewnosod llun',
+ publishAndClose: 'Chyhoeddi a cau',
+ publishDescendants: 'Cyhoeddi efo disgynnydd',
+ relations: 'Golygu perthnasau',
+ returnToList: "Dychwelyd i'r rhestr",
+ save: 'Achub',
+ saveAndClose: 'Achub a cau',
+ saveAndPublish: 'Achub a chyhoeddi',
+ saveToPublish: 'Achub ac anfon am gymeradwyo',
+ saveListView: 'Achub gwedd rhestr',
+ schedulePublish: 'Amserlenni',
+ saveAndPreview: 'Save and preview',
+ showPageDisabled: "Rhagolwg wedi analluogi gan nad oes templed wedi'i neilltuo",
+ styleChoose: 'Dewis arddull',
+ styleShow: 'Dangos arddulliau',
+ tableInsert: 'Mewnosod tabl',
+ generateModelsAndClose: 'Cynhyrchu modelau a cau',
+ saveAndGenerateModels: 'Achub a chynhyrchu modelau',
+ undo: 'Dadwneud',
+ redo: 'Ail-wneud',
+ deleteTag: 'Dileu tag',
+ confirmActionCancel: 'Canslo',
+ confirmActionConfirm: 'Cadarnhau',
+ morePublishingOptions: 'Mwy opsiynau cyhoeddi',
+ submitChanges: 'Cyflwyno',
+ },
+ auditTrailsMedia: {
+ delete: "Cyfrwng wedi'i dileu",
+ move: "Cyfrwng wedi'i symud",
+ copy: "Cyfrwng wedi'i copïo",
+ save: "Cyfrwng wedi'i achub",
+ },
+ auditTrails: {
+ atViewingFor: 'Dangos am',
+ delete: "Cynnwys wedi'i dileu",
+ unpublish: "Cynnwys wedi'i dadgyhoeddi",
+ unpublishvariant: "Cynnwys wedi'i dadgyhoeddi am y ieithoedd: %0% ",
+ publish: "Cynnwys wedi'i Achub a Chyhoeddi",
+ publishvariant: "Cynnwys wedi'i Achub a Chyhoeddi am y ieithoedd: %0% ",
+ save: "Cynnwys wedi'i achub",
+ savevariant: "Cynnwys wedi'i achub am y ieithoedd: %0%",
+ move: "Cynnwys wedi'i symud",
+ copy: "Cynnwys wedi'i copïo",
+ rollback: "Cynnwys wedi'i rolio yn ôl",
+ sendtopublish: "Cynnwys wedi'i anfon i Gyhoeddi",
+ sendtopublishvariant: "Cynnwys wedi'i anfon i gyhoeddi am y ieithoedd: %0%",
+ sort: 'Trefnu eitemau blant cyflawnwyd gan ddefnyddiwr',
+ custom: '%0%',
+ smallCopy: 'Copïo',
+ smallPublish: 'Cyhoeddi',
+ smallPublishVariant: 'Cyhoeddi',
+ smallMove: 'Symud',
+ smallSave: 'Achub',
+ smallSaveVariant: 'Achub',
+ smallDelete: 'Dileu',
+ smallUnpublish: 'Dadgyhoeddi',
+ smallUnpublishVariant: 'Dadgyhoeddi',
+ smallRollBack: 'Rolio yn ôl',
+ smallSendToPublish: 'Anfon i Gyhoeddi',
+ smallSendToPublishVariant: 'Anfon i Gyhoeddi',
+ smallSort: 'Tefnu',
+ smallCustom: 'Arferu',
+ historyIncludingVariants: 'Hanes (pob amrywiad)',
+ contentversionpreventcleanup: "Mae glanhau wedi'i analluogi ar gyfer y fersiwn: %0%",
+ contentversionenablecleanup: "Mae glanhau wedi'i alluogi ar gyfer fersiwn:: %0%",
+ smallContentVersionPreventCleanup: 'Achub',
+ smallContentVersionEnableCleanup: 'Achub',
+ },
+ codefile: {
+ createFolderIllegalChars: "Mae'r enw'r ffolder methu cynnwys nodau anghyfreithlon.",
+ deleteItemFailed: 'Methwyd dileu eitem: %0%',
+ },
+ content: {
+ isPublished: 'Wedi Cyhoeddi',
+ about: 'Am y dudlaen yma',
+ alias: 'Enw arall',
+ alternativeTextHelp: "(sut fyddwch chi'n disgrifio'r llun dros y ffôn)",
+ alternativeUrls: 'Dolenni Amgen',
+ clickToEdit: "Cliwich i olygu'r eitem yma",
+ createBy: 'Creuwyd gan',
+ createByDesc: 'Awdur gwreiddiol',
+ updatedBy: 'Diweddarwyd gan',
+ createDate: 'Creuwyd',
+ createDateDesc: 'Dyddiad/amser creuwyd y ddogfen yma',
+ documentType: 'Math o Ddogfen',
+ editing: 'Yn golygu',
+ expireDate: 'Dileu am',
+ itemChanged: "Mae'r eitem yma wedi cael ei newid ar ôl cyhoeddi",
+ itemNotPublished: "Nid yw'r eitem yma wedi cael ei gyhoeddi",
+ lastPublished: 'Cyhoeddiad ddiwethaf',
+ noItemsToShow: 'Nid oes unrhyw eitemau i ddangos',
+ listViewNoItems: 'Nid oes unrhyw eitemau i ddangos yn y rhestr.',
+ listViewNoContent: "Nid oes unrhyw gynnwys wedi'i ychwanegu",
+ listViewNoMembers: "Nid oes unrhyw aelodau wedi'u ychwanegu",
+ mediatype: 'Math o Gyfrwng',
+ mediaLinks: 'Dolen i eitem gyfrwng(au)',
+ membergroup: 'Grŵp Aelod',
+ memberrole: 'Rôl',
+ membertype: 'Math o Aelod',
+ noChanges: "Dim newidiadau wedi'u gwneud",
+ noDate: "Dim dyddiad wedi'i ddewis",
+ nodeName: 'Teitl tudalen',
+ noMediaLink: 'Does dim dolen gan yr eitem gyfrwng yma',
+ noProperties: 'Ni all unrhyw gynnwys cael ei hychwanegu am eitem hon',
+ otherElements: 'Priodweddau',
+ parentNotPublished:
+ "Mae'r ddogfen yma wedi'i gyhoeddi ond nid yw'n weladwy gan nad yw'r rhiant '%0%' wedi'i gyhoeddi",
+ parentCultureNotPublished:
+ "Mae'r diwylliant yma yn cyhoeddedig ond ddim yn weladwy oherwydd mae'n anghyhoeddedig ar rhiant '%0%'",
+ parentNotPublishedAnomaly: "Mae'r ddogfen yma wedi'i gyhoeddi ond nid yw'n bodoli yn y storfa",
+ getUrlException: 'Ni ellir nôl y url',
+ routeError: "Mae'r ddogfen yma wedi'i gyhoeddi ond byddai'r url yn gwrthdaro gyda chynnwys %0%",
+ routeErrorCannotRoute: "Mae'r ddogfen yma wedi'i gyhoeddi ond mae'r url methu cael ei cyfeirio",
+ publish: 'Cyhoeddi',
+ published: 'Wedi cyhoeddi',
+ publishedPendingChanges: 'Wedi cyhoeddi (newidiadau nes arddodiad)',
+ publishStatus: 'Statws Cyhoeddi',
+ publishDescendantsHelp:
+ "Click Cyhoeddi efo disgynnyddion i cyhoeddi %0% ac yr holl eitemau cynnwys o dan ac a thrwy hynny wneud eu cynnwys ar gael i'r cyhoedd.",
+ publishDescendantsWithVariantsHelp:
+ "Click Cyhoeddi efo disgynnyddion i cyhoeddi y ieithoedd a ddewiswyd ac yr un ieithoedd o'r eitemau o dan a thrwy hynny wneud eu cynnwys ar gael i'r cyhoedd.",
+ releaseDate: 'Cyhoeddi am',
+ unpublishDate: 'Dadgyhoeddi am',
+ removeDate: 'Clirio Dyddiad',
+ setDate: 'Gosod dyddiad',
+ sortDone: 'Trefn wedi diweddaru',
+ sortHelp:
+ 'Er mwyn trefnu\'r nodau, llusgwch y nodau neu cliciwch un o benynnau\'r colofnau. Gallwch ddewis nifer o nodau gan ddal y botwm "shift" neu "control" wrth ddewis',
+ statistics: 'Ystadegau',
+ titleOptional: 'Teitl (dewisol)',
+ altTextOptional: 'Testyn amgen (dewisol)',
+ captionTextOptional: 'Capsiwn (dewisol)',
+ type: 'Math',
+ unpublish: 'Dadgyhoeddi',
+ unpublished: 'Wedi dadgyhoeddi',
+ notCreated: 'Heb ei greu',
+ updateDate: 'Golygwyd ddiwethaf',
+ updateDateDesc: 'Dyddiad/amser golygwyd y ddogfen yma',
+ uploadClear: 'Dileu ffeil(iau)',
+ uploadClearImageContext: "Cliciwch yma i dileu'r llun oddi wrth y eitem cyfrwng",
+ uploadClearFileContext: "Cliciwch yma i dileu'r ffeil oddi wrth y eitem cyfrwng",
+ urls: 'Dolen i ddogfen',
+ memberof: 'Aeold o grŵp(iau)',
+ notmemberof: "Ddim yn aelod o'r grŵp(iau)",
+ childItems: 'Eitemau blentyn',
+ target: 'Targed',
+ scheduledPublishServerTime: 'Mae hyn yn trawsnewid at yr amser ganlynol ar y gweinydd:',
+ scheduledPublishDocumentation:
+ 'Beth mae hyn yn golygu?',
+ nestedContentDeleteItem: "Ydych chi'n sicr eich bod eisiau dileu'r eitem yma?",
+ nestedContentEditorNotSupported:
+ "Mae'r priodwedd %0% yn defnyddio'r golygydd %1% sydd ddim yn cyd-fynd â Chynnwys Amnyth.",
+ nestedContentDeleteAllItems: "Wyt ti'n siŵr fod ti eisiau dileu pob eitem?",
+ nestedContentNoContentTypes: "Nid oes unrhyw fathau o gynnwys wedi'u ffurfweddu ar gyfer yr eiddo hwn.",
+ nestedContentAddElementType: 'Ychwanegu teip elfen',
+ nestedContentSelectElementTypeModalTitle: 'Dewis teip elfen',
+ nestedContentGroupHelpText:
+ 'Dewis y grŵp dylid arddangos ei briodweddau. Os caiff ei adael yn wag, bydd y grŵp cyntaf ar yr elfen yn cael ei defnyddio.',
+ nestedContentTemplateHelpTextPart1: 'Rhowch fynegiad angular i werthuso yn erbyn pib eitem am ei enw. Defnyddiwch',
+ nestedContentTemplateHelpTextPart2: "i ddangos y mynegai'r eitem",
+ addTextBox: 'Ychwanegu blwch testun arall',
+ removeTextBox: "Dileu'r blwch testun yma",
+ contentRoot: 'Gwraidd cynnwys',
+ includeUnpublished: 'Cynnwys eitemau cynnwys heb eu cyhoeddi.',
+ isSensitiveValue:
+ "Mae'r gwerth yma'n gudd. Os ydych chi angen hawl i weld y gwerth yma, cysylltwch â gweinyddwr eich gwefan.",
+ isSensitiveValue_short: "Mae'r gwerth yma'n gudd.",
+ languagesToPublish: 'Pa ieithoedd yr hoffech chi eu cyhoeddi? ',
+ languagesToSendForApproval: 'Pa ieithoedd hoffech chi anfon am gymeradwyaeth?',
+ languagesToSchedule: 'Pa ieithoedd yr hoffech chi eu hamserlennu?',
+ languagesToUnpublish:
+ "Dewiswch yr ieithoedd i'w anghyhoeddi. Bydd anghyhoeddi iaith orfodol yn anghyhoeddi pob iaith.",
+ variantsWillBeSaved: 'Bydd pob amrywiad newydd yn cael ei arbed.',
+ variantsToPublish: "P'un amrywiadau wyt ti eisiau cyhoeddi?",
+ variantsToSave: 'Dewiswch pa amrywiadau wyt ti eisiau arbed.',
+ publishRequiresVariants: "Mae'r amrywiadau canlynol yn ofynnol er mwyn i gyhoeddi:",
+ notReadyToPublish: 'Ni ddim yn barod i Gyhoeddi',
+ readyToPublish: 'Barod i Gyhoeddi?',
+ readyToSave: 'Barod i Arbed?',
+ resetFocalPoint: 'Ailosod pwynt canolog',
+ sendForApproval: 'Anfonwch am gymeradwyaeth',
+ schedulePublishHelp: "Dewiswch y dyddiad a'r amser i gyhoeddi a / neu anghyhoeddi'r eitem gynnwys.",
+ createEmpty: 'Creu newydd',
+ createFromClipboard: "Gludo o'r clipfwrdd",
+ nodeIsInTrash: "Mae'r eitem yma yn y Bin Ailgylchu",
+ nestedContentNoGroups:
+ "Nid yw'r math o elfen a ddewiswyd yn cynnwys unrhyw grwpiau a gefnogir (nid yw tabiau'n cael eu cefnogi gan y golygydd hwn, naill ai eu newid i grwpiau neu ddefnyddio golygydd y Rhestr Bloc).",
+ variantSaveNotAllowed: 'Ni chaniateir arbed',
+ variantPublishNotAllowed: 'Ni chaniateir cyhoeddi',
+ variantSendForApprovalNotAllowed: 'Ni chaniateir anfon am gymeradwyaeth',
+ variantScheduleNotAllowed: 'Ni chaniateir amserlennu',
+ variantUnpublishNotAllowed: 'Ni chaniateir dad-gyhoeddi',
+ saveModalTitle: 'Achub',
+ },
+ blueprints: {
+ createBlueprintFrom: "Creu Templed Cynnwys newydd o '%0%'",
+ blankBlueprint: 'Gwag',
+ selectBlueprint: 'Dewis Templed Cynnwys',
+ createdBlueprintHeading: "Templed Cynnwys wedi'i greu",
+ createdBlueprintMessage: "Creuwyd Templed Cynnwys o '%0%'",
+ duplicateBlueprintMessage: "Mae Templed Cynnwys gyda'r un enw yn bodoli eisoes",
+ blueprintDescription:
+ "Mae Templed Cynnwys yn gynnwys sydd wedi'i ddiffinio o flaen llaw y gellir ei ddewis gan olygwr i'w ddefnyddio fel sail ar gyfer creu cynnwys newydd",
+ },
+ media: {
+ clickToUpload: 'Cliciwch i lanlwytho',
+ orClickHereToUpload: 'neu cliciwch yma i ddewis ffeiliau',
+ disallowedFileType: "Ni ellir lanlwytho'r ffeil yma, nid yw math y ffeil yn wedi'i gymeradwyo",
+ maxFileSize: 'Maint ffeil uchaf',
+ mediaRoot: 'Gwraidd gyfrwng',
+ moveToSameFolderFailed: 'Ni all y ffolderi rhiant a chyrchfan fod yr un peth',
+ createFolderFailed: 'Methwyd creu ffolder o dan id rhiant %0%',
+ renameFolderFailed: "Methwyd ailenwi'r ffolder gyda id %0%",
+ dragAndDropYourFilesIntoTheArea: "Llusgo a gollwng eich ffeil(iau) i mewn i'r ardal",
+ uploadNotAllowed: 'Ni chaniateir llwytho i fyny yn y lleoliad hwn.',
+ disallowedMediaType: "Ni ellir lanlwytho'r ffeil yma, ni chaniateir y math cyfrwng gydag alias '%0%' yma",
+ invalidFileName: "Ni ellir lanlwytho'r ffeil yma, nid oes ganddi enw ffeil dilys",
+ fileSecurityValidationFailure: 'Mae un neu fwy o ddilysiadau diogelwch ffeil wedi methu',
+ },
+ member: {
+ createNewMember: 'Creu aelod newydd',
+ allMembers: 'Pob Aelod',
+ memberGroupNoProperties: 'Nid oes gan grwpiau aelodau unrhyw eiddo ychwanegol ar gyfer golygu.',
+ duplicateMemberLogin: "Mae aelod gyda'r mewngofnodi hwn yn bodoli yn barod",
+ memberHasGroup: "Mae'r aelod yn y grŵp '%0%' yn barod",
+ memberHasPassword: 'Mae gan yr aelod gyfrinair yn barod',
+ memberLockoutNotEnabled: "Nid yw cloi allan wedi'i alluogi ar gyfer yr aelod hwn",
+ memberNotInGroup: "Nid yw'r aelod yn y grŵp '%0%'",
+ '2fa': 'Prawf Dilysu Dau Gam',
+ },
+ contentType: {
+ copyFailed: "Wedi methu copïo'r fath cynnwys",
+ moveFailed: 'Wedi methu symud y fath cynnwys',
+ },
+ mediaType: {
+ copyFailed: "Wedi methu copïo'r fath cyfrwng",
+ moveFailed: 'Wedi methu symud y fath cyfrwng',
+ autoPickMediaType: 'Dewis awtomatig',
+ },
+ memberType: {
+ copyFailed: "Wedi methu copïo'r fath aelod",
+ },
+ create: {
+ chooseNode: 'Ble hoffwch greu eitem newydd %0%',
+ createUnder: 'Creu eitem o dan',
+ createContentBlueprint: 'Dewiswch y fath o ddogfen hoffwch greu templed dogfen ar ei gyfer',
+ enterFolderName: 'Rhoi enw ffolder i mewn',
+ updateData: 'Dewiswch fath a theitl',
+ noDocumentTypes:
+ "Nid oes unrhyw fathau o ddogfennau caniataol ar gael am greu cynnwys fan hyn. Rhaid i chi alluogi'r rhain yn Mathau o Ddogfennau o fewn y adran Gosodiadau, gan olygu y opsiwn Mathau o nod blentyn caniataol o dan Caniatadau",
+ noDocumentTypesAtRoot:
+ 'Nid oes unrhyw fathau o ddogfennau ar gael. Rhaid i chi creu rhain yn Mathau o Ddogfennau tu fewn y adran Gosodiadau.',
+ noDocumentTypesWithNoSettingsAccess:
+ "Nid yw'r dudalen a ddewiswyd yn y goeden gynnwys yn caniatáu i unrhyw dudalennau gael eu creu oddi tani.",
+ noDocumentTypesEditPermissions: 'Golygu caniatâd ar gyfer y math hwn o ddogfen',
+ noDocumentTypesCreateNew: 'Creu Math o Ddogfen newydd',
+ noDocumentTypesAllowedAtRoot:
+ "Nid oes unrhyw fathau o ddogfennau caniataol ar gael am greu cynnwys fan hyn. Rhaid i chi alluogi'r rhain yn Mathau o Ddogfennau o fewn y adran Gosodiadau, gan olygu y opsiwn Caniatáu fel gwraidd o dan Caniatadau",
+ noMediaTypes:
+ 'Nid oes unrhyw fathau o gyfrwng caniataol ar gael. Rhaid i chi alluogi\'r rhain yn yr adran gosodiadau o dan "mathau o gyfrwng".',
+ noMediaTypesWithNoSettingsAccess:
+ "Nid yw'r cyfryngau a ddewiswyd yn y goeden yn caniatáu i unrhyw gyfryngau eraill gael eu creu oddi tano.",
+ noMediaTypesEditPermissions: 'Golygu caniatâd ar gyfer y math hwn o gyfryngau',
+ documentTypeWithoutTemplate: 'Math o Ddogfen heb dempled',
+ documentTypeWithTemplate: 'Math o Ddogfen efo dempled',
+ documentTypeWithTemplateDescription:
+ 'Y diffiniad data ar gyfer tudalen gynnwys y gellir ei chreu gan olygyddion yn y goeden gynnwys ac sydd ar gael yn uniongyrchol trwy URL.',
+ documentType: 'Math o Ddogfen',
+ documentTypeDescription:
+ "Y diffiniad data ar gyfer cydran gynnwys y gellir ei chreu gan olygyddion yn y goeden gynnwys a'i ddewis ar dudalennau eraill ond nid oes ganddo URL uniongyrchol.",
+ elementType: 'Math o Elfen',
+ elementTypeDescription:
+ "Yn diffinio'r sgema ar gyfer set o eiddo ailadroddus, er enghraifft, mewn golygydd eiddo 'Rhestr Bloc' neu 'Cynnwys Amnyth'.",
+ composition: 'Cyfansoddiad',
+ compositionDescription:
+ "Yn diffinio set o eiddo, y gellir ei hailddefnyddio, a'i chynnwys yn y diffiniad o sawl Math o Ddogfen arall. Er enghraifft, set o 'Gosodiadau Tudalen Cyffredin'.",
+ folder: 'Ffolder',
+ folderDescription:
+ "Yn cael ei defnyddio i drefnu'r Mathau o Ddogfennau, Cyfansoddiadau a Mathau Elfen a grëir yn y goeden Math o Ddogfen hon.",
+ newFolder: 'Ffolder newydd',
+ newDataType: 'Math o ddata newydd',
+ newJavascriptFile: 'Ffeil JavaScript newydd',
+ newEmptyPartialView: 'Rhan-wedd wag newydd',
+ newPartialViewMacro: 'Macro rhan-wedd newydd',
+ newPartialViewFromSnippet: 'Rhan-wedd newydd o damaid',
+ newPartialViewMacroFromSnippet: 'Macro rhan-wedd wag newydd o damaid',
+ newPartialViewMacroNoMacro: 'Macro rhan-wedd newydd (heb macro)',
+ newStyleSheetFile: 'Ffeil ddalen arddull newydd',
+ newRteStyleSheetFile: 'Ffeil ddalen arddull Golygydd Testun Cyfoethog newydd',
+ },
+ dashboard: {
+ browser: 'Pori eich gwefan',
+ dontShowAgain: '- Cuddio',
+ nothinghappens: "Os nad yw Umbraco yn agor, efallai byddwch angen galluogi popups o'r safle yma",
+ openinnew: 'wedi agor mewn ffenestr newydd',
+ restart: 'Ailgychwyn',
+ visit: 'Ymweld â',
+ welcome: 'Croeso',
+ },
+ prompt: {
+ stay: 'Aros',
+ discardChanges: 'Hepgor newidiadau',
+ unsavedChanges: 'Mae gennych chi newidiadau sydd heb eu achub',
+ unsavedChangesWarning:
+ "Ydych chi'n sicr eich bod eisiau llywio i ffwrdd o'r dudalen yma? - mae gennych chi newidiadau sydd heb eu achub",
+ confirmListViewPublish: 'Bydd cyhoeddi yn gwneud yr eitemau a ddewiswyd yn weladwy ar y wefan.',
+ confirmListViewUnpublish: "Bydd anghyhoeddi yn tynnu'r eitemau a ddewiswyd a'u holl ddisgynyddion o'r safle.",
+ confirmUnpublish: "Bydd dadgyhoeddi yn dileu'r dudalen yma a phob un o'i phlant o'r safle.",
+ doctypeChangeWarning:
+ "Mae gennych chi newidiadau heb eu cadw. Bydd gwneud newidiadau i'r Math o Ddogfen yn taflu'r newidiadau i ffwrdd.",
+ },
+ bulk: {
+ done: 'Wedi gwneud',
+ deletedItem: 'Wedi dileu eitem %0%',
+ deletedItems: 'Wedi dileu %0% eitem',
+ deletedItemOfItem: 'Wedi dileu %0% allan o %1% eitem',
+ deletedItemOfItems: 'Wedi dileu %0% allan o %1% o eitemau',
+ publishedItem: 'Wedi cyhoeddi eitem %0%',
+ publishedItems: 'Wedi cyhoeddi %0% o eitemau',
+ publishedItemOfItem: 'Wedi cyhoeddi %0% allan o %1% eitem',
+ publishedItemOfItems: 'Wedi cyhoeddi %0% allan o %1% eitemau',
+ unpublishedItem: 'Wedi dadgyhoeddi eitem %0%',
+ unpublishedItems: 'Wedi dadgyhoeddi %0% o eitemau',
+ unpublishedItemOfItem: 'Wedi dadgyhoeddi %0% allan o %1% eitem',
+ unpublishedItemOfItems: 'Wedi dadgyhoeddi %0% allan o %1% o eitemau',
+ movedItem: 'Wedi symud eitem %0%',
+ movedItems: 'Wedi symud %0% o eitemau',
+ movedItemOfItem: 'Wedi symud %0% allan o %1% eitem',
+ movedItemOfItems: 'Wedi symud %0% allan o %1% o eitemau',
+ copiedItem: 'Wedi copïo eitem %0%',
+ copiedItems: 'Wedi copïo %0% o eitemau',
+ copiedItemOfItem: 'Wedi copïo %0% allan o %1% eitem',
+ copiedItemOfItems: 'Wedi copïo %0% allan o %1% eitemau',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Teitl y ddolen',
+ urlLinkPicker: 'Dolen',
+ anchorLinkPicker: 'Angor / llinyn ymholi',
+ anchorInsert: 'Enw',
+ closeThisWindow: "Cau'r ffenestr yma",
+ confirmdelete: "Ydych chi'n sicr eich bod eisiau dileu",
+ confirmdeleteNumberOfItems:
+ "Wyt ti'n siŵr fod ti eisiau dileu %0% yn seiliedig ar %1%",
+ confirmdisable: "Ydych chi'n sicr eich bod eisiau analluogi",
+ confirmremove: "Wyt ti'n siŵr fod ti eisiau dileu",
+ confirmremoveusageof: "Ydych chi'n siŵr bod chi am gael gwared ar y defnydd o %0%",
+ confirmlogout: "Ydych chi'n sicr?",
+ confirmSure: "Ydych chi'n sicr?",
+ cut: 'Torri',
+ editDictionary: 'Golygu Eitem Geiriadur',
+ editLanguage: 'Golygu Iaith',
+ editSelectedMedia: 'Golygu cyfrwng a dewiswyd',
+ editWebhook: 'Golygu bachyn gwe',
+ insertAnchor: 'Mewnosod dolen leol',
+ insertCharacter: 'Mewnosod nod',
+ insertgraphicheadline: 'Mewnosod pennawd graffig',
+ insertimage: 'Mewnosod llun',
+ insertlink: 'Mewnosod dolen',
+ insertMacro: 'Cliciwch i ychwanegu Macro',
+ inserttable: 'Mewnosod tabl',
+ languagedeletewarning: "Bydd hyn yn dileu'r iaith",
+ languageChangeWarning:
+ "Gall newid y diwylliant ar gyfer iaith fod yn weithrediad drud a bydd yn arwain at ailadeiladu'r storfa cynnwys a'r mynegeion",
+ lastEdited: 'Golygwyd ddiwethaf',
+ link: 'Dolen',
+ linkinternal: 'Dolen fewnol',
+ linklocaltip: 'Wrth ddefnyddio dolenni leol, defnyddiwch "#" o flaen y ddolen',
+ linknewwindow: 'Agor mewn ffenestr newydd?',
+ macroDoesNotHaveProperties: "Nid yw'r macro yma yn cynnwys unrhyw briodweddau gallwch chi olygu",
+ paste: 'Gludo',
+ permissionsEdit: 'Golygu hawliau ar gyfer',
+ permissionsSet: 'Gosod hawliau ar gyfer',
+ permissionsSetForGroup: 'Gosod hawliau ar gyfer %0% ar gyfer y grŵp defnyddwyr %1%',
+ permissionsHelp: 'Dewiswch y grŵpiau defnyddwyr yr ydych eisiau gosod hwaliau ar eu cyfer',
+ recycleBinDeleting:
+ "Mae'r eitemau yn y bin ailgylchu yn cael eu dileu. Peidiwch â chau'r ffenestr yma wrth i'r gweithrediad gymryd lle",
+ recycleBinIsEmpty: "Mae'r bin ailgylchu yn awr yn wag",
+ recycleBinWarning: "Pan gaiff eitemau eu dileu o'r bin ailgylchu, byddent yn diflannu am byth",
+ regexSearchError:
+ "Mae problem gyda gwasanaeth gwe regexlib.com ar hyn o bryd, nid oes gennym reolaeth dros hyn. Mae'n ddrwg iawn gennym ni am yr anghyfleustra.",
+ regexSearchHelp:
+ "Chwiliwch am fynegiad cyson er mwyn ychwanegu dilysiad i faes ffurflen. Enghraifft: 'email, 'zip-code' 'url'",
+ removeMacro: 'Dileu Macro',
+ requiredField: 'Maes Gofynnol',
+ sitereindexed: "Safle wedi'i ail-fynegi",
+ siterepublished:
+ "Mae storfa'r wefan wedi'i ddiweddaru. Mae holl gynnwys cyhoeddi wedi'i ddiweddaru, ac mae'r holl gynnwys sydd heb ei gyhoeddi yn dal i fod heb ei gyhoeddi",
+ siterepublishHelp:
+ "Bydd storfa'r wefan yn cael ei adnewyddu. Bydd holl gynnwys cyhoeddi yn cael ei ddiweddaru, ac bydd holl gynnwys sydd heb ei gyhoeddi yn dal i fod heb ei gyhoeddi.",
+ tableColumns: 'Nifer o golofnau',
+ tableRows: 'Nifer o resi',
+ thumbnailimageclickfororiginal: 'Cliciwch ar y llun i weld y maint llawn',
+ treepicker: 'Dewis eitem',
+ viewCacheItem: 'Gweld Eitem Storfa',
+ relateToOriginalLabel: 'Perthnasu at y gwreiddiol',
+ includeDescendants: 'Cynnwys disgynyddion',
+ theFriendliestCommunity: 'Y gymuned fwyaf cyfeillgar',
+ linkToPage: 'Dolen i dudalen',
+ openInNewWindow: 'Agor y ddolen ddogfen mewn ffenestr neu tab newydd',
+ linkToMedia: 'Dolen i gyfrwng',
+ selectContentStartNode: 'Dewis nod cychwyn cynnwys',
+ selectEvent: 'Dewis digwyddiad',
+ selectMedia: 'Dewis cyfrwng',
+ selectMediaType: 'Dewis y math o gyfrwng',
+ selectIcon: 'Dewis eicon',
+ selectItem: 'Dewis eitem',
+ selectLink: 'Dewis dolen',
+ selectMacro: 'Dewis macro',
+ selectContent: 'Dewis cynnwys',
+ selectContentType: 'Dewiswch y math o gynnwys',
+ selectMediaStartNode: 'Dewis nod cychwyn cyfrwng',
+ selectMember: 'Dewis aelod',
+ selectMemberGroup: 'Dewis grŵp aelod',
+ selectMemberType: 'Dewiswch fath aelod',
+ selectNode: 'Dewis nod',
+ selectSections: 'Dewis adran',
+ selectUser: 'Dewis defnyddiwr',
+ selectUsers: 'Dewis defnyddwyr',
+ noIconsFound: "Dim eiconau wedi'u darganfod",
+ noMacroParams: 'Does dim paramedrau ar gyfer y macro yma',
+ noMacros: 'Does dim macro ar gael i fewnosod',
+ externalLoginProviders: 'Darparwyr mewngofnodi allanol',
+ exceptionDetail: 'Manylion Eithriad',
+ stacktrace: 'Trywydd stac',
+ innerException: 'Eithriad Fewnol',
+ linkYour: 'Dolenni eich',
+ unLinkYour: 'Dad-ddolenni eich',
+ account: 'cyfrif',
+ selectEditor: 'Dewiswch olygwr',
+ selectEditorConfiguration: 'Dewiswch ffurfweddiad',
+ selectSnippet: 'Dewiswch damaid',
+ variantdeletewarning:
+ "Bydd hyn yn dileu'r nod a'i holl ieithoedd. Os mai dim ond un iaith yr ydych am ei dileu, ewch i'w anghyhoedd yn lle.",
+ propertyuserpickerremovewarning: 'Bydd hyn yn cael gwared ar y defnyddiwr %0%.',
+ userremovewarning: "bydd hyn yn cael gwared ar y defnyddiwr %0% o'r grŵp %1%",
+ yesRemove: 'Ydw, dileu',
+ selectLanguages: 'Dewiswch ieithoedd',
+ deleteLayout: "Rydych chi'n dileu'r gosodiad",
+ deletingALayout:
+ "Bydd addasu'r gosodiad yn arwain at golli data ar gyfer unrhyw gynnwys presennol sy'n seiliedig ar y ffurfweddiad hwn.",
+ },
+ dictionary: {
+ noItems: 'Nid oes unrhyw eitemau geiriadur.',
+ importDictionaryItemHelp:
+ '\n I fewnforio eitem geiriadur, dewch o hyd i\'r ffeil ".udt" ar eich cyfrifiadur trwy glicio\n ar y botwm "Mewnforio" (bydd gofyn i chi am gadarnhad ar y sgrin nesaf)\n ',
+ itemDoesNotExists: 'Nid yw eitem geiriadur yn bodoli.',
+ parentDoesNotExists: 'Nid yw eitem rhiant yn bodoli.',
+ noItemsInFile: 'Nid oes unrhyw eitemau geiriadur yn y ffeil hon.',
+ noItemsFound: 'Ni chanfuwyd unrhyw eitemau geiriadur.',
+ createNew: 'Creu eitem geiriadur',
+ },
+ dictionaryItem: {
+ description:
+ "Golygwch y fersiynau iaith gwahanol ar gyfer yr eitem geiriadur '%0%' islaw Gallwch ychwanegu ieithoedd ychwanegol o dan 'ieithoedd' yn y ddewislen ar y chwith",
+ displayName: 'Enw Diwylliant',
+ changeKeyError: "Mae'r allwedd '%0%' yn bodoli eisoes.",
+ overviewTitle: 'Trosolwg Geiriadur',
+ },
+ examineManagement: {
+ configuredSearchers: "Chwilwyr wedi'u Ffurfweddu",
+ configuredSearchersDescription:
+ "Yn dangos priodweddau ac offer ar gyfer unrhyw Chwiliwr wedi'i ffurfweddu (h.y. fel chwiliwr aml-fynegai)",
+ fieldValues: 'Gwerthoedd maes',
+ healthStatus: 'Statws iechyd',
+ healthStatusDescription: 'Statws iechyd y mynegai ac os gellir ei ddarllen',
+ indexers: 'Mynegewyr',
+ indexInfo: 'Gwybodaeth mynegai',
+ indexInfoDescription: "Yn rhestru priodweddau'r mynegai",
+ manageIndexes: 'Rheoli mynegeion Examine',
+ manageIndexesDescription:
+ "Yn caniatáu ichi weld manylion pob mynegai ac yn darparu rhai offer ar gyfer rheoli'r mynegeion",
+ rebuildIndex: 'Ailadeiladu mynegai ',
+ rebuildIndexWarning:
+ "\n Bydd hyn yn achosi i'r mynegai gael ei ailadeiladu. \n Yn dibynnu ar faint o gynnwys sydd yn eich gwefan, gallai hyn gymryd cryn amser. \n Ni argymhellir ailadeiladu mynegai ar adegau o draffig gwefan uchel neu pan fydd golygyddion yn golygu cynnwys.\n ",
+ searchers: 'Chwilwyr',
+ searchDescription: 'Chwiliwch y mynegai a gweld y canlyniadau',
+ tools: 'Offer',
+ toolsDescription: "Offer i reoli'r mynegai",
+ fields: 'meysydd',
+ indexCannotRead: 'Ni ellir darllen yr mynegai a bydd angen ei ailadeiladu',
+ processIsTakingLonger:
+ "Mae'r broses yn cymryd mwy o amser na'r disgwyl, gwiriwch y log Umbraco i weld os mae wedi bod unrhyw wall yn ystod y gweithrediad hwn",
+ indexCannotRebuild: "Ni ellir ailadeiladu'r mynegai hwn oherwydd nad yw wedi'i aseinio",
+ iIndexPopulator: 'IIndexPopulator',
+ contentInIndex: 'Cynnwys yn y mynegai',
+ noResults: 'Ni ddarganfuwyd unrhyw ganlyniadau',
+ searchResultsFound: 'Dangos %0% - %1% o %2% canlyniad(au) - Tudalen %3% o %4%',
+ },
+ placeholders: {
+ username: 'Darparwch eich enw defnyddiwr',
+ password: 'Darparwch eich cyfrinair',
+ confirmPassword: 'Cadarnhewch eich cyfrinair',
+ nameentity: 'Enwch y %0%...',
+ entername: 'Darparwch enw...',
+ enteremail: 'Darparwch ebost...',
+ enterusername: 'Darparwch enw defnyddiwr...',
+ label: 'Label...',
+ enterDescription: 'Darparwch ddisgrifiad...',
+ search: 'Teipiwch i chwilio...',
+ filter: 'Teipiwch i hidlo...',
+ enterTags: 'Teipiwch i ychwanegu tagiau (gwasgwch enter ar ôl pob tag)...',
+ email: 'Darparwch eich ebost',
+ enterMessage: 'Darparwch neges...',
+ usernameHint: 'Mae eich enw defnyddiwr fel arfer eich cyfeiriad ebost',
+ anchor: '#gwerth neu ?allwedd=gwerth',
+ enterAlias: 'Darparwch enw arall...',
+ generatingAlias: 'Yn generadu enw arall...',
+ a11yCreateItem: 'Creu eitem',
+ a11yEdit: 'Golygu',
+ a11yName: 'Enw',
+ },
+ editcontenttype: {
+ createListView: 'Creu gwedd rhestr pwrpasol',
+ removeListView: 'Dileu gwedd rhestr pwrpasol',
+ aliasAlreadyExists: "Mae math o gynnwys, math o gyfrwng neu math o aeold gyda'r enw arall yma'n bodoli eisoes",
+ },
+ renamecontainer: {
+ renamed: 'Wedi ailenwi',
+ enterNewFolderName: 'Darparwch enw ffolder newydd yma',
+ folderWasRenamed: '%0% wedi ailenwi i %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Ychwanegu cyn-werth',
+ dataBaseDatatype: 'Math o ddata cronfa ddata',
+ guid: 'GUID golygydd priodwedd',
+ renderControl: 'Golygydd priodwedd',
+ rteButtons: 'Botymau',
+ rteEnableAdvancedSettings: 'Galluogi gosodiadau datblygedig ar gyfer',
+ rteEnableContextMenu: 'Galluogi dewislen cyd-destun',
+ rteMaximumDefaultImgSize: "Maint fwyaf diofyn llun wedi'i fewnosod",
+ rteRelatedStylesheets: 'Taflenni arddull perthnasol',
+ rteShowLabel: 'Dangos label',
+ rteWidthAndHeight: 'Lled ac uchder',
+ selectFolder: 'Dewiswch y ffolder i symud',
+ inTheTree: "i'r strwythyr goeden isod",
+ wasMoved: 'wedi symud o dan',
+ hasReferencesDeleteConsequence:
+ "Bydd dileu %0% yn dileu'r briodweddau a'i data o'r eitemau canlynol",
+ acceptDeleteConsequence:
+ "Rwy'n deall y weithred hon yn dileu'r holl briodweddau a data sy'n seiliedig ar Fath o Ddata hon",
+ canChangePropertyEditorHelp:
+ "Mae newid golygydd eiddo ar fath o ddata, â gwerthoedd wedi'u storio, wedi'i analluogi. I ganiatáu hyn gallwch newid y gosodiad Umbraco:CMS:DataTypes:CanBeChanged yn appssettings.json.",
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ "Mae eich data wedi'i achub, ond cyn i chi allu cyhoeddi'r dudalen yma, mae yna wallau yr ydych angen eu gwirio yn gyntaf:",
+ errorChangingProviderPassword:
+ "Nid yw'r darparwr aeoldaeth bresennol yn cefnogi newid cyfrinair (EnablePasswordRetrieval angen cael ei osod i true)",
+ errorExistsWithoutTab: '%0% yn bodoli eisoes',
+ errorHeader: 'Roedd yna wallau:',
+ errorHeaderWithoutTab: 'Roedd yna wallau:',
+ errorInPasswordFormat:
+ "Dylai'r cyfrinair fod o leiaf %0% nod o hyd a chynnwys o leiaf %1% nod(au) sydd ddim yn llythyren na rhif",
+ errorIntegerWithoutTab: '%0% angen bod yn gyfanrif',
+ errorMandatory: "Mae'r maes %0% yn y tab %1% yn ofynnol",
+ errorMandatoryWithoutTab: '%0% yn faes ofynnol',
+ errorRegExp: '%0% yn %1% mewn fformat annilys',
+ errorRegExpWithoutTab: '%0% mewn fformat annilys',
+ },
+ errors: {
+ receivedErrorFromServer: "Derbynwyd gwall o'r gweinydd",
+ dissallowedMediaType: "Mae'r math o ffeil yma wedi'i wahardd gan y gweinyddwr",
+ codemirroriewarning:
+ "NODYN! Er bod CodeMirror wedi'i alluogi gan y ffurfwedd, mae o wedi'i analluogi mewn Internet Explorer gan nad yw'n ddigon cadarn.",
+ contentTypeAliasAndNameNotNull: 'Darparwch yr enw ac yr enw arall ar y math o briodwedd newydd!',
+ filePermissionsError: 'Mae yna broblem gyda hawliau darllen/ysgrifennu i ffeil neu ffolder penodol',
+ macroErrorLoadingPartialView: 'Gwall yn llwytho sgript Rhan-Wedd (ffeil: %0%)',
+ missingTitle: 'Darparwch deitl',
+ missingType: 'Dewiswch fath',
+ pictureResizeBiggerThanOrg:
+ "Rydych ar fîn gwneud y llun yn fwy 'na'r maint gwreiddiol. Ydych chi'n sicr eich bod eisiau parhau?",
+ startNodeDoesNotExists: "Nod gychwynnol wedi'i ddileu, cysylltwch â'ch gweinyddwr",
+ stylesMustMarkBeforeSelect: 'Marciwch gynnwys cyn newid arddull',
+ stylesNoStylesOnPage: 'Dim arddulliau gweithredol ar gael',
+ tableColMergeLeft: 'Symudwch y cyrchwr ar ochr chwith y ddwy gell yr ydych eisiau cyfuno',
+ tableSplitNotSplittable: 'Ni allwch hollti cell sydd heb ei gyfuno.',
+ propertyHasErrors: 'Mae gan briodwedd hon gwallau',
+ defaultError: 'Mae methiant anhysbys wedi digwydd',
+ concurrencyError: "Methiant cydsyniadau optimistaidd, gwrthrych wedi'i addasu",
+ },
+ general: {
+ options: 'Dewisiadau',
+ about: 'Amdano',
+ action: 'Gweithred',
+ actions: 'Gweithredoedd',
+ add: 'Ychwanegu',
+ alias: 'Enw arall',
+ all: 'Holl',
+ areyousure: "Ydych chi'n sicr?",
+ back: 'Yn ôl',
+ backToOverview: "Yn ôl i'r trosolwg",
+ border: 'Ffin',
+ by: 'wrth',
+ cancel: 'Canslo',
+ cellMargin: 'Ymyl cell',
+ choose: 'Dewis',
+ clear: 'Clirio',
+ close: 'Cau',
+ closewindow: 'Cau Ffenest',
+ closepane: 'Cau Cwarel',
+ comment: 'Sylw',
+ confirm: 'Cadarnhau',
+ constrain: 'Gorfodi',
+ constrainProportions: 'Gorfodi cyfraneddau',
+ content: 'Cynnwys',
+ continue: 'Bwrw ymlaen',
+ copy: 'Copïo',
+ create: 'Creu',
+ cropSection: 'Adran tocio',
+ database: 'Cronfa ddata',
+ date: 'Dyddiad',
+ default: 'Diofyn',
+ delete: 'Dileu',
+ deleted: 'Wedi dileu',
+ deleting: 'Yn dileu...',
+ design: 'Cynllun',
+ dictionary: 'Geiriadur',
+ dimensions: 'Dimensiynau',
+ discard: 'Gwaredu',
+ down: 'I lawr',
+ download: 'Lawrlwytho',
+ edit: 'Golygu',
+ edited: 'Golygwyd',
+ elements: 'Elfennau',
+ email: 'Ebost',
+ error: 'Gwall',
+ field: 'Maes',
+ findDocument: 'Canfod',
+ first: 'Cyntaf',
+ focalPoint: 'Canolbwynt',
+ general: 'Cyffredinol',
+ generic: 'Generig',
+ groups: 'Grŵpiau',
+ group: 'Grŵp',
+ height: 'Uchder',
+ help: 'Help',
+ hide: 'Cuddio',
+ history: 'Hanes',
+ icon: 'Eicon',
+ id: 'Id',
+ import: 'Mewnforio',
+ excludeFromSubFolders: 'Search only this folder Chwilio yn ffolder hwn yn unig',
+ info: 'Gwybodaeth',
+ innerMargin: 'Ymyl mewnol',
+ insert: 'Mewnosod',
+ install: 'Gosod',
+ invalid: 'Annilys',
+ justify: 'Unioni',
+ label: 'Label',
+ language: 'Iaith',
+ last: 'Olaf',
+ layout: 'Gosodiad',
+ links: 'Dolenni',
+ loading: 'Yn llwytho',
+ locked: 'Wedi cloi',
+ login: 'Mewngofnodi',
+ logoff: 'Allgofnodi',
+ logout: 'Allgofnodi',
+ macro: 'Macro',
+ mandatory: 'Gofynnol',
+ message: 'Neges',
+ move: 'Symud',
+ name: 'Enw',
+ new: 'Newydd',
+ next: 'Nesaf',
+ no: 'Na',
+ of: 'o',
+ off: 'I ffwrdd',
+ ok: 'Iawn',
+ open: 'Agor',
+ on: 'Ymlaen',
+ or: 'neu',
+ orderBy: 'Trefnu wrth',
+ password: 'Cyfrinair',
+ path: 'Llwybr',
+ pleasewait: 'Un eiliad os gwelwch yn dda...',
+ previous: 'Blaenorol',
+ properties: 'Priodweddau',
+ rebuild: 'Ailadeiladu',
+ reciept: 'Ebost i dderbyn data ffurflen',
+ recycleBin: 'Bin Ailgylchu',
+ recycleBinEmpty: 'Mae eich bin ailgylchu yn wag',
+ reload: 'Ail-lwytho',
+ remaining: 'Ar ôl',
+ remove: 'Dileu',
+ rename: 'Ailenwi',
+ renew: 'Adnewyddu',
+ required: 'Gofynnol',
+ retrieve: 'Adfer',
+ retry: 'Ceisio eto',
+ rights: 'Hawliau',
+ scheduledPublishing: 'Cyhoeddi ar amserlen',
+ search: 'Chwilio',
+ searchNoResult: "Mae'n ddrwg gennym ni, ni all ganfod beth roeddwch chi'n chwilio amdano.",
+ noItemsInList: "Dim eitemau wedi'u hychwanegu",
+ server: 'Gweinydd',
+ settings: 'Gosodiadau',
+ show: 'Dangos',
+ showPageOnSend: 'Dangos y dudlaen wrth Anfon',
+ size: 'Maint',
+ sort: 'Trefnu',
+ status: 'Statws',
+ submit: 'Cyflwyno',
+ success: 'Llwyddiant',
+ type: 'Math',
+ typeToSearch: 'Math i chwilio...',
+ under: 'o dan',
+ up: 'I fyny',
+ update: 'Diweddaru',
+ upgrade: 'Uwchraddio',
+ upload: 'Lanlwytho',
+ url: 'Url',
+ user: 'Defnyddiwr',
+ username: 'Enw defnyddiwr',
+ value: 'Gwerth',
+ view: 'Gwedd',
+ welcome: 'Croeso...',
+ width: 'Lled',
+ yes: 'Ie',
+ folder: 'Ffolder',
+ searchResults: 'Canlyniadau chwilio',
+ reorder: 'Ail-drefnu',
+ reorderDone: 'Rydw i wedi gorffen ail-drefnu',
+ preview: 'Rhagolwg',
+ changePassword: 'Newid cyfrinair',
+ to: 'i',
+ listView: 'Gwedd rhestr',
+ saving: 'Yn achub...',
+ current: 'presennol',
+ embed: 'Mewnblannu',
+ selected: 'dewiswyd',
+ other: 'Arall',
+ articles: 'Erthyglau',
+ videos: 'Fideos',
+ avatar: 'Avatar am',
+ media: 'Cyfryngau',
+ nodeName: 'Enw Nôd',
+ readMore: 'Darllen fwy',
+ revert: 'Dychwelyd',
+ shared: 'Cyfrannol',
+ typeName: 'Enw Fath',
+ validate: 'Dilysu',
+ header: 'Pennawd',
+ systemField: 'maes system',
+ lastUpdated: 'Diweddarwyd Diwethaf',
+ change: 'Newid',
+ umbracoInfo: 'Gwybodaeth Umbraco',
+ skipToMenu: "Neidio i'r dewislen",
+ skipToContent: "Neidio i'r cynnwys",
+ primary: 'Prif',
+ },
+ colors: {
+ blue: 'Glas',
+ },
+ shortcuts: {
+ addTab: 'Ychwanegu tab',
+ addGroup: 'Ychwanegu grŵp',
+ addProperty: 'Ychwanegu priodwedd',
+ addEditor: 'Ychwanegu golygydd',
+ addTemplate: 'Ychwanegu templed',
+ addChildNode: 'Ychwanegu nod blentyn',
+ addChild: 'Ychwanegu plentyn',
+ editDataType: 'Golygu math o ddata',
+ navigateSections: 'Llywio adrannau',
+ shortcut: 'Llwybrau byr',
+ showShortcuts: 'dangos llwybrau byr',
+ toggleListView: 'Toglo gwedd rhestr',
+ toggleAllowAsRoot: 'Toglo caniatáu fel gwraidd',
+ commentLine: 'Sylwi/Dad-sylwi llinellau',
+ removeLine: 'Dileu llinell',
+ copyLineUp: 'Copïo llinellau i fyny',
+ copyLineDown: 'Copïo llinellau i lawr',
+ moveLineUp: 'Symud Llinellau I Fyny',
+ moveLineDown: 'Symud Llinellau I Lawr',
+ generalHeader: 'Cyffredinol',
+ editorHeader: 'Golygydd',
+ toggleAllowCultureVariants: 'Toglo caniatáu amrywiadau diwylliant',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Lliw cefndir',
+ bold: 'Trwm',
+ color: 'Lliw ffont',
+ font: 'Ffont',
+ text: 'Testun',
+ },
+ headers: {
+ page: 'Tudalen',
+ },
+ installer: {
+ databaseErrorWebConfig: "Methu cadw'r ffeil web.config. Addaswch y llinyn cysylltu â llaw os gwelwch yn dda.",
+ databaseErrorCannotConnect: "Ni all y gosodydd gysylltu â'r gronfa ddata.",
+ databaseFound: "Canfwyd eich cronfa ddata ac mae'n cael ei adnabod fel",
+ databaseHeader: 'Ffurfwedd gronfa ddata',
+ licenseText:
+ "Trwy glicio ar y botwm nesaf (neu addasu'r umbracoConfigurationStatus yn web.config), rydych chi'n derbyn y drwydded ar gyfer y feddalwedd hon fel y nodir yn y blwch isod. Sylwch fod y dosbarthiad Umbraco hwn yn cynnwys dwy drwydded wahanol, y drwydded MIT ffynhonnell agored ar gyfer y fframwaith a thrwydded radwedd Umbraco sy'n cwmpasu'r UI.",
+ theEndInstallFailed: '.\n ',
+ databaseInstall: '\n Gwasgwch y botwm gosod i osod y gronfa ddata %0% Umbraco\n ',
+ databaseInstallDone:
+ "Mae Umbraco %0% yn awr wedi copïo i'ch gronfa ddata. Gwasgwch Nesaf i fwrw ymlaen.",
+ databaseNotFound:
+ '
Cronfa ddata heb ei ganfod! Gwiriwch fod y gwybodaeth yn y "llinyn gyswllt" o\'r ffeil "web.config" yn gywir.
\n
Er mwyn parhau, newidiwch y ffeil "web.config" (gan ddefnyddio Visual Studio neu eich hoff olygydd testun), rholiwch at y gwaelod, ychwanegwch y llinyn gyswllt ar gyfer eich cronfa ddata yn yr allwedd o\'r enw "UmbracoDbDSN" ac achub y ffeil.
',
+ databaseText:
+ "Er mwyn cwblhau'r cam yma, rhaid i chi berchen gwybodaeth am eich gweinydd gronfa ddata (\"llinyn gyswllt\"). \n Cysylltwch â'ch darparwr gwe (ISP) os oes angen.\n Os ydych chi'n gosod ar beiriant leol neu weinydd, efallai bydd angen gwybodaeth o'ch gweinyddwr system arnoch.",
+ databaseUpgrade:
+ '\n
\n Gwasgwch y botwm uwchraddio i uwchraddio eoch gronfa ddata i Umbraco %0%
\n
\n Peidiwch â phoeni - ni fydd unrhyw gynnwys yn cael ei ddileu a bydd popeth yn parhau i weithio wedyn!\n
\n ',
+ databaseUpgradeDone:
+ "Mae eich cronfa ddata wedi'u uwchraddio at y fersiwn terfynol %0%. Gwasgwch Nesaf i\n barhau. ",
+ databaseUpToDate:
+ "Mae eich cronfa ddata bresennol wedi diweddaru eisoes!. Cliciwch nesaf i barhau gyda'r dewin ffurfwedd",
+ defaultUserChangePass: 'Mae angen newid cyfrinair y defnyddiwr Diofyn!',
+ defaultUserDisabled:
+ "Mae'r defnyddiwr Diofyn wedi'u analluogi neu does dim hawliau i Umbraco!
Does dim angen unrhyw weithredoedd pellach. Cliciwch Nesaf i barhau.",
+ defaultUserPassChanged:
+ "Mae cyfrinair y defnyddiwr Diofyn wedi'i newid yn llwyddiannus ers y gosodiad!
Does dim angen unrhyw weithredoedd pellach. Cliciwch Nesaf i barhau.",
+ defaultUserPasswordChanged: "Mae'r cyfrinair wedi'i newid!",
+ greatStart: 'Cewch gychwyn gwych, gwyliwch ein fideos rhaglith',
+ None: 'Heb osod eto.',
+ permissionsAffectedFolders: "Ffeiliau a ffolderi wedi'u effeithio",
+ permissionsAffectedFoldersMoreInfo: 'Mwy o wybodaeth am osod hawliau ar gyfer Umbraco yma',
+ permissionsAffectedFoldersText: 'Rydych angen caniatáu i ASP.NET newid hawliau ar y ffeiliau/ffolderi canlynol',
+ permissionsAlmostPerfect:
+ "Mae eich gosodiadau hawliau bron a bod yn berffaith!
\n Gallwch redeg Umbraco heb broblemau, ond ni fydd yn bosibl i chi osod pecynnau sydd wedi'u hargymell er mwyn cymryd mantais llawn o Umbraco.",
+ permissionsHowtoResolve: 'Sut i Gywiro',
+ permissionsHowtoResolveLink: 'Cliciwch yma i ddarllen y ferswin destun',
+ permissionsHowtoResolveText:
+ 'Gwyliwch ein fideo tiwtorial ar osod hawliau ffolder ar gyfer Umbraco neu darllenwch y fersiwn destun.',
+ permissionsMaybeAnIssue:
+ "Gall eich gosodiadau hawliau fod yn broblem!\n
\n Gallwch redeg Umbraco heb broblemau, ond ni fydd yn bosibl i chi greu ffolderi neu gosod pecynnau sydd wedi'u hargymell er mwyn cymryd mantais llawn o Umbraco.",
+ permissionsNotReady:
+ 'Nid yw eich gosodiadau hawliau yn barod ar gyfer Umbraco!\n
\n Er mwyn rhedeg Umbraco, bydd angen i chi ddiweddaru eich gosodiadau hawliau.',
+ permissionsPerfect:
+ 'Mae eich gosodiadau hawliau yn berffaith!
\n Rydych yn barod i redeg Umbraco a gosod pecynnau!',
+ permissionsResolveFolderIssues: 'Yn datrys y broblem ffolder',
+ permissionsResolveFolderIssuesLink:
+ 'Dilynwch y ddolen yma ar gyfer mwy o wybodaethar broblemau gyda ASP.NET a chreu ffolderi',
+ permissionsSettingUpPermissions: 'Gosod hawliau ffolderi',
+ permissionsText:
+ '\n Mae Umbraco angen hawliau ysgrifennu/newid er mwyn creu rhai ffolderi ar gyfer cadw ffeiliau fel lluniau a PDFs.\n Mae Umbraco hefyd yn cadw data dros-dro (storfa) ar gyfer mwyhau perfformiad eich gwefan.\n ',
+ runwayFromScratch: 'Rydw i eisiau ail-gychwyn',
+ runwayFromScratchText:
+ '\n Mae eich gwefan yn hollol wag ar hyn o bryd, felly mae hynny\'n berffaith os rydych chi eisiau cychwyn eto a chreu eich mathau o ddogfennau a thempledi eich hunain.\n (dysgwch sut)\n Gallwch ddewis i osod Runway yn hwyrach os hoffwch chi. Ewch at yr adran Datblygwr a dewiswch Pecynnau.\n ',
+ runwayHeader: 'Rydych newydd osod platfform glân Umbraco. Beth hoffwch chi wneud nesaf?',
+ runwayInstalled: "Mae Runway wedi'i osod",
+ runwayInstalledText:
+ '\n Mae gennych chi\'r sylfaen yn ei lle. Dewiswchpa fodylau yr hoffwch osod ar ei phen. \n Dyma ein rhestr o fodylau yr ydym yn argymell, ticiwch y rhai hoffwch chi\'u gosod, neu gwelwch yr holl restr o fodylau\n ',
+ runwayOnlyProUsers: "Dim ond wedi'i argymell ar gyfer defnyddwyr brofiadol",
+ runwaySimpleSite: 'Hoffwn i gychwyn gyda gwefan syml',
+ runwaySimpleSiteText:
+ "\n
\n Mae \"Runway\" yn wefan syml sy'n darparu mathau o ddogfennau a thempledi syml. Gall y gosodwr osod Runway i chi yn awtomatig,\n ond gallwch olygu, estyn neu ei ddileu yn hawdd. Nid yw'n angenrheidiol a gallwch ddefnyddio Umbraco yn berffaith heb. Ond,\n mae Runwayyn cynnig sylfaen hawdd wedi'i seilio ar arferion gorau er mwyn i chi gychwyn yn gyflymach nag erioed.\n Os rydych chi'n dewis gosod Runway, gallwch ddewis blociau adeiliadu syml o'r enw Modylau Runway er mwyn mwyhau eich tudalennau Runway.\n
\n \n Wedi cynnwys gyda Runway: Tudalen Hafan, Tudalen Cychwyn Allan, Tudalen Gosod Modylau. \n Modylau Dewisol: Llywio Dop, Map o'r wefan, Cysylltu, Oriel.\n \n ",
+ runwayWhatIsRunway: 'Beth yw Runway',
+ step1: 'Cam 1/5 Derbyn trwydded',
+ step2: 'Cam 2/5: Ffurfwedd Gronfa Ddata',
+ step3: 'Cam 3/5: Dilysu Hawliau Ffeiliau',
+ step4: 'Cam 4/5: Gwirio Diogelwch Umbraco',
+ step5: 'Cam 5/5: Mae Umbraco yn barod i chi gychwyn',
+ thankYou: 'Diolch am ddewis Umbraco',
+ theEndBrowseSite:
+ '
Porwch eich safle newydd
\nRydych wedi gosod Runway, felly beth am weld sut mae eich gwefan newydd yn edrych.',
+ theEndFurtherHelp:
+ "
Cymorth a gwyboaeth bellach
\nCewch gymorth o'n cymuned gwobrwyol, porwch drwy ein dogfennaeth neu gwyliwch fideos yn rhad ac am ddim ar sut i adeiladu gwefan syml, sut i ddefnyddio pecynnau a chanllaw cyflym i dermeg Umbraco",
+ theEndHeader: "Mae Umbraco wedi'i osod %0% ac mae'n barod i'w ddefnyddio",
+ theEndInstallSuccess:
+ 'Gallwch gychwyn yn syth wrth glicio ar y botwm "Cychwyn Umbraco" isod. Os ydych yn newydd i Umbraco,\ngallwch ddarganfod digonedd o adnoddau ar ein tudalennau cychwyn allan.',
+ theEndOpenUmbraco:
+ "
Cychwyn Umbraco
\nEr mwyn gweinyddu eich gwefan, agorwch swyddfa gefn Umbraco a dechreuwch ychwangeu cynnwys, diweddaru'r templedi a thaflenni arddull neu ychwanegu nodweddion newydd",
+ Unavailable: "Methwyd cysylltu â'r gronfa ddata.",
+ Version3: 'Umbraco Fersiwn 3',
+ Version4: 'Umbraco Fersiwn 4',
+ watch: 'Gwylio',
+ welcomeIntro:
+ 'Bydd y dewin yma yn eich llywio drwy\'r broses o ffurfweddi Umbraco %0% ar gyfer gosodiad ffres neu uwchraddio o ferswin 3.0.\n
\n Gwasgwch "nesaf" i gychwyn y dewin.',
+ },
+ language: {
+ cultureCode: 'Côd Diwylliant',
+ displayName: 'Enw Diwylliant',
+ },
+ lockout: {
+ lockoutWillOccur: 'Rydych wedi segura a bydd allgofnodi awtomatig yn digwydd mewn',
+ renewSession: 'Adnewyddwch rwan er mwyn achub eich gwaith',
+ },
+ login: {
+ greeting0: 'Croeso',
+ greeting1: 'Croeso',
+ greeting2: 'Croeso',
+ greeting3: 'Croeso',
+ greeting4: 'Croeso',
+ greeting5: 'Croeso',
+ greeting6: 'Croeso',
+ instruction: 'Mewngofnodwch isod',
+ signInWith: 'Mewngofnodwch gyda',
+ timeout: 'Sesiwn wedi cyrraedd terfyn amser',
+ userFailedLogin: 'Wps! Mae mewngofnodi wedi methu. Gwiriwch eich manylion a thrio eto.',
+ bottomText:
+ '
',
+ forgottenPassword: 'Wedi anghofio eich cyfrinair?',
+ forgottenPasswordInstruction:
+ "Bydd ebost yn cael ei anfon i'r cyfeiriad darparwyd gyda dolen i ailosod eich cyfrinair",
+ requestPasswordResetConfirmation:
+ "Bydd ebost gyda chyfarwyddiadau ailosod cyfrinair yn cael ei anfon at y cyfeiriad darparwyd os yw'n cyfateb â'n cofnodion",
+ showPassword: 'Dangos cyfrinair',
+ hidePassword: 'Cuddio cyfrinair',
+ returnToLogin: "Dychwelyd i'r ffurflen mewngofnodi",
+ setPasswordInstruction: 'Darparwch gyfrinair newydd',
+ setPasswordConfirmation: "Mae eich cyfrinair wedi'i ddiweddaru",
+ resetCodeExpired: "Mae'r ddolen rydych wedi clicio arno naill ai yn annilys neu wedi dod i ben",
+ resetPasswordEmailCopySubject: 'Umbraco: Ailosod Cyfrinair',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tAilosod cyfrinair wedi dymuno\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tEich enw defnyddiwr ar gyfer swyddfa gefn Umbraco yw: %0%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\n\t\t\n\t",
+ '2faTitle': 'Un cam olaf',
+ '2faText': "Rydych chi wedi galluogi dilysu 2-ffactor ac mae'n rhaid i chi wirio pwy ydych chi.",
+ '2faMultipleText': 'Dewiswch ddarparwr 2 ffactor',
+ '2faCodeInput': 'Cod dilysu',
+ '2faCodeInputHelp': 'Rhowch y cod dilysu os gwelwch yn dda',
+ '2faInvalidCode': "Cod annilys wedi'i nodi",
+ mfaSecurityCodeSubject: 'Umbraco: Cod Diogelwch',
+ mfaSecurityCodeMessage: 'Eich cod diogelwch yw: %0%',
+ },
+ main: {
+ dashboard: 'Dashfwrdd',
+ sections: 'Adrannau',
+ tree: 'Cynnwys',
+ },
+ moveOrCopy: {
+ choose: 'Dewis tudalen uwchben...',
+ copyDone: '%0% wedi copïo i %1%',
+ copyTo: "Dewiswch ble ddylai'r ddogfen %0% gael ei gopïo i isod",
+ moveDone: '%0% wedi ei symud i %1%',
+ moveTo: "Dewiswch ble ddylai'r ddogfen %0% gael ei symud i isod",
+ nodeSelected: "wedi ei ddewis fel gwraidd eich cynnwys newydd, cliciwch 'iawn' isod.",
+ noNodeSelected: "Dim nod wedi'i ddewis eto, dewiswch nod yn y rhestr uchod yn gyntaf cyn clicio 'iawn'",
+ notAllowedByContentType: "Nid yw'r nod bresennol yn cael ei ganiatáu o dan y nod ddewiswyd oherwydd ei fath",
+ notAllowedByPath: "Ni all y nod bresennol gael ei symud i un o'i is-dudalennau",
+ notAllowedAtRoot: 'Ni all y nod bresennol fodoli ar y gwraidd',
+ notValid:
+ "Nid yw'r gweithred wedi'i ganiatáu gan nad oes gennych ddigon o hawliau ar gyfer 1 neu fwy o ddogfennau blentyn.",
+ relateToOriginal: "Perthnasu eitemau wedi'u copïo at y rhai gwreiddiol",
+ },
+ notifications: {
+ editNotifications: 'Golygu eich hysbysiad ar gyfer %0%',
+ notificationsSavedFor: 'Gosodiad hysbysiadau wedi cadw am %0%',
+ notifications: 'Hysbysiadau',
+ },
+ packager: {
+ actions: 'Gweithredoedd',
+ created: 'Creu',
+ createPackage: 'Creu pecyn',
+ chooseLocalPackageText:
+ '\n Dewiswch becyn o\'ch peiriant, gan glicio ar y botwm \n Pori a darganfod y pecyn. Fel arfer, mae gen becynnau Umbraco estyniadau ".umb" neu ".zip".\n ',
+ deletewarning: "Bydd hwn yn dileu'r pecyn",
+ includeAllChildNodes: 'Cynhwyswch yr holl nodau plentyn',
+ packageLicense: 'Trwydded',
+ installed: "Wedi'i osod",
+ installedPackages: "Pecynnau wedi'u gosod",
+ noPackages: "Nid oes gennych unrhyw becynnau wedi'u gosod",
+ noPackagesDescription:
+ "Nid oes gennych unrhyw becynnau wedi'u gosod. Naill ai gosodwch becyn leol wrth ddewis o'ch peiriant, neu porwch drwy pecynnau sydd ar gael wrth ddefnyddio'r eicon 'Pecynnau' yng nghornel dop, dde eich sgrîn",
+ noConfigurationView: 'Nid oes gan y pecyn hwn unrhyw olwg cyfluniad',
+ noPackagesCreated: "Nid oes unrhyw becynnau wedi'u creu eto",
+ packageContent: 'Cynnwys y Pecyn',
+ packageSearch: 'Chwilio am becynnau',
+ packageSearchResults: 'Canlyniadau ar gyfer',
+ packageNoResults: 'Ni allwn ddarganfod unrhyw beth ar gyfer',
+ packageNoResultsDescription: "Ceisiwch chwilio am becyn arall neu porwch drwy'r categorïau",
+ packagesPopular: 'Poblogaidd',
+ packagesNew: 'Pecynnau newydd',
+ packageHas: 'yn cynnwys',
+ packageKarmaPoints: 'pwyntiau karma',
+ packageInfo: 'Gwybodaeth',
+ packageOwner: 'Perchennog',
+ packageContrib: 'Cyfranwyr',
+ packageCreated: 'Creuwyd',
+ packageCurrentVersion: 'Fersiwn bresennol',
+ packageNetVersion: 'Fersiwn .NET',
+ packageDownloads: 'Lawrlwythiadau',
+ packageLikes: 'Hoffi',
+ packageCompatibility: 'Cydweddoldeb',
+ packageCompatibilityDescription:
+ "Mae'r pecyn yma yn gydnaws â'r fersiynau canlynol o Umbraco, fel y mae aelodau'r gymued yn adrodd yn ôl. Ni all warantu cydweddoldeb cyflawn ar gyfer fersiynau sydd wedi'u hadrodd o dan 100%",
+ packageExternalSources: 'Ffynonellau allanol',
+ packageAuthor: 'Awdur',
+ packageDocumentation: 'Dogfennaeth',
+ packageMetaData: 'Meta ddata pecynnau',
+ packageName: 'Enw pecyn',
+ packageNoItemsHeader: 'Does dim eitemau o fewn y pecyn',
+ packageNoItemsText:
+ 'Nid yw\'r pecyn yma yn cynnwys unrhyw eitemau i ddadosod.
\n Gallwch ddileu hyn yn ddiogel o\'r system wrth glicio "dadosod pecyn" isod.',
+ packageOptions: 'Dewisiadau pecyn',
+ packageReadme: 'Readme pecyn',
+ packageRepository: 'Ystorfa pecyn',
+ packageUninstallConfirm: 'Cadarnhau dadosod pecyn',
+ packageUninstalledHeader: 'Pecyn wedi dadosod',
+ packageUninstalledText: 'Cafodd y pecyn ei ddadosod yn llwyddiannus',
+ packageUninstallHeader: 'Dadosod pecyn',
+ packageUninstallText:
+ 'Gallwch ddi-ddewis eitemau dydych chi ddim eisiau dileu, rwan, isod. Wrth glicio "cadarnhau dadosod" bydd yr holl eitemau ddewiswyd yn cael eu dileu. \n Rhybudd: bydd unrhyw ddogfennau, cyfrwng ayyb sy\'n dibynnu ar yr eitemau yr ydych am ddileu yn torri, a gall arwain at system ansefydlog,\n felly dadosodwch gyda gofal. Os oes unrhyw amheuaeth, cysylltwch ag awdur y pecyn.',
+ packageVersion: 'Fersiwn pecyn',
+ verifiedToWorkOnUmbracoCloud: 'Wedi gwirio i weithio ar Umbraco Cloud',
+ installInstructions: 'Cyfarwyddiadau gosod',
+ packagesPromoted: "Wedi'i hyrwyddo",
+ packageMigrationsRun: "Rhedeg ymfudiadau pecyn tra'n aros",
+ packageMigrationsComplete: "Mae mudo pecynnau wedi'u cwblhau'n llwyddiannus.",
+ packageMigrationsNonePending: "Mae'r holl fudiadau pecyn wedi'u cwblhau'n llwyddiannus.",
+ },
+ paste: {
+ doNothing: 'Gludo gyda fformatio llawn (Heb ei argymell)',
+ errorMessage:
+ "Mae'r testun yr ydych yn ceisio gludo yn cynnwys nodauneu fformatio arbennig. Gall hyn gael ei achosi gan ludo testun o Microsoft Word. Gall Umbraco ddileu nodau neu fformatio arbennig yn awtomatig, fel bod y cynnwys sy'n cael ei ludo yn fwy addas ar gyfer y we.",
+ removeAll: 'Gludo fel testun crai heb unrhyw fformatio',
+ removeSpecialFormattering: "Gludo, ond dileu fformatio (Wedi'i hargymell)",
+ },
+ publicAccess: {
+ paGroups: 'Amddiffyniad yn seiliedig grŵp',
+ paGroupsHelp: 'Os ydych chi am ganiatáu mynediad i bob aelod o grwpiau aelodau penodol',
+ paGroupsNoGroups: 'Mae angen i chi greu grŵp aelod cyn y gallwch ddefnyddio dilysiad grŵp',
+ paErrorPage: 'Tudalen Wall',
+ paErrorPageHelp: "Wedi'i ddefnyddio pan mae defnyddwyr wedi mewngofnodi, ond nid oes ganddynt hawliau",
+ paHowWould: 'Dewiswch sut i gyfyngu hawliau at y dudalen yma',
+ paIsProtected: '%0% wedi amddiffyn rwan',
+ paIsRemoved: 'Amddiffyniad wedi dileu o %0%',
+ paLoginPage: 'Tudalen Mewngofnodi',
+ paLoginPageHelp: "Dewiswch y dudalen sy'n cynnwys y ffurflen mewngofnodi",
+ paRemoveProtection: 'Dileu Amddiffyniad',
+ paSelectPages: "Dewiswch y tudalennau sy'n cynnwys ffurflenni mewngofnodi a negeseuon gwall",
+ paRemoveProtectionConfirm:
+ "Ydych chi'n siŵr eich bod chi am gael gwared ar yr amddiffyniad o'r dudalen %0%?",
+ paSelectGroups: "Dewiswch y grwpiau sydd â mynediad i'r dudalen %0%",
+ paSelectMembers: "Dewiswch yr aelodau sydd â mynediad i'r dudalen %0%",
+ paMembers: 'Amddiffyn aelodau penodol',
+ paMembersHelp: 'Os ydych am ganiatáu mynediad i aelodau penodol',
+ },
+ publish: {
+ invalidPublishBranchPermissions: "Caniatâd annigonol gan ddefnyddwyr i gyhoeddi'r holl ddogfennau disgynyddion",
+ contentPublishedFailedIsTrashed: "Methwyd cyhoeddi %0% oherwydd mae'r eitem yn y bin ailgylchu.",
+ contentPublishedFailedAwaitingRelease:
+ "Methwyd cyhoeddi %0% oherwydd mae'r eitem wedi ei amserlenni ar gyfer rhyddhad.",
+ contentPublishedFailedExpired: "Methwyd cyhoeddi %0% oherwydd mae'r eitem wedi terfynu.",
+ contentPublishedFailedInvalid:
+ "Methwyd cyhoeddi %0% oherwydd nid oedd y priodweddau canlynol: %1% yn pasio'r rheolau dilysu.",
+ contentPublishedFailedByEvent: 'Methwyd cyhoeddi %0% oherwydd cafodd y gweithred ei ganslo gan 3-ydd parti.',
+ contentPublishedFailedByParent: 'Methwyd cyhoeddi %0% oherwydd mae yna dudlaen rhiant sydd heb ei gyhoeddi.',
+ contentPublishedFailedByMissingName: '%0% ni ellir ei gyhoeddi, oherwydd ei enw ar goll.',
+ contentPublishedFailedReqCultureValidationError:
+ "Methodd y dilysiad ar gyfer yr iaith ofynnol '%0%'. Roedd yr iaith wedi cael ei arbed ond nid ei chyhoeddi.",
+ inProgress: 'Cyhoeddi ar waith - arhoswch...',
+ inProgressCounter: '%0% allan o %1% o dudalennau wedi eu cyhoeddi...',
+ nodePublish: '%0% wedi ei gyhoeddi',
+ nodePublishAll: "%0% ac eu is-dudalennau wedi'u cyhoeddi",
+ publishAll: 'Cyhoeddi %0% ac ei holl is-dudalennau',
+ publishHelp:
+ "Cliciwch Cyhoeddi er mwyn cyhoeddi %0% a felly yn gwneud i'r cynnwys berthnasol fod ar gael i'r cyhoedd.
\n Gallwch gyhoeddi'r dudalen yma ac ei holl is-dudalennau wrth dicio Cynnwys tudalennau heb eu cyhoeddi isod.\n ",
+ },
+ colorpicker: {
+ noColors: "Nid ydych chi wedi ffurfweddu unrhyw liwiau sydd wedi'u cymeradwyo",
+ },
+ contentPicker: {
+ allowedItemTypes: "Gallwch ond ddewis eitemau o'r math(au): %0%",
+ pickedTrashedItem: "Rydych wedi dewis eitem gynnwys sydd naill ai wedi'i ddileu neu yn y bin ailgylchu",
+ pickedTrashedItems: "Rydych wedi dewis eitemau gynnwys sydd naill ai wedi'u dileu neu yn y bin ailgylchu",
+ specifyPickerRootTitle: 'Nodi gwraidd',
+ defineRootNode: 'Dewiswch nod gwraidd',
+ defineXPathOrigin: 'Nodi gwraidd efo XPath',
+ defineDynamicRoot: 'Nodi Gwraidd Dynamig',
+ configurationStartNodeTitle: 'Nod cychwyn',
+ configurationXPathTitle: 'Ymholiad XPath',
+ },
+ dynamicRoot: {
+ configurationTitle: 'Ymholiad Gwraidd Dynamig',
+ pickDynamicRootOriginTitle: 'Dewiswch darddiad',
+ pickDynamicRootOriginDesc: 'Diffiniwch darddiad eich Ymholiad Gwraidd Dynamig',
+ originRootTitle: 'Gwraidd',
+ originRootDesc: 'Nod gwraidd y sesiwn olygu hon',
+ originParentTitle: 'Rhiant',
+ originParentDesc: 'Nod rhiant y ffynhonnell yn y sesiwn olygu hon',
+ originCurrentTitle: 'Cyfredol',
+ originCurrentDesc: "Y nod cynnwys sy'n ffynhonnell ar gyfer y sesiwn olygu hon",
+ originSiteTitle: 'Gwefan',
+ originSiteDesc: 'Canfod nod agosaf gydag enw gwesteiwr',
+ originByKeyTitle: 'Nod penodol',
+ originByKeyDesc: 'Dewiswch Nod penodol fel tarddiad yr ymholiad hwn',
+ pickDynamicRootQueryStepTitle: "Atodwch y cam i'r ymholiad",
+ pickDynamicRootQueryStepDesc: 'Diffiniwch y cam nesaf yn eich Ymholiad Gwraidd Dynamig',
+ queryStepNearestAncestorOrSelfTitle: 'Hynafiad Agosaf Neu Hunan',
+ queryStepNearestAncestorOrSelfDesc:
+ "Holwch yr hynafiad agosaf neu hunan sy'n cyd-fynd ag un o'r mathau sydd wedi'u ffurfweddu",
+ queryStepFurthestAncestorOrSelfTitle: 'Hynafiad Pellaf Neu Hunan',
+ queryStepFurthestAncestorOrSelfDesc:
+ "Holwch yr hynafiad pellaf neu'r hunan sy'n cyd-fynd ag un o'r mathau sydd wedi'u ffurfweddu",
+ queryStepNearestDescendantOrSelfTitle: 'Disgynnydd Agosaf Neu Hunan',
+ queryStepNearestDescendantOrSelfDesc:
+ "Holwch y disgynnydd agosaf neu'r hunan sy'n cyd-fynd ag un o'r mathau sydd wedi'u ffurfweddu",
+ queryStepFurthestDescendantOrSelfTitle: 'Disgynnydd Pellaf Neu Hunan',
+ queryStepFurthestDescendantOrSelfDesc:
+ "Holwch y disgynnydd pellaf neu'r hunan sy'n cyd-fynd ag un o'r mathau sydd wedi'u ffurfweddu",
+ queryStepCustomTitle: 'Arferiad',
+ queryStepCustomDesc: 'Ymholiad gan ddefnyddio Cam Ymholiad arferiad',
+ addQueryStep: 'Ychwanegu cam ymholiad',
+ queryStepTypes: "Sy'n cyfateb i'r mathau: ",
+ noValidStartNodeTitle: 'Dim cynnwys cyfatebol',
+ noValidStartNodeDesc:
+ "Nid yw ffurfweddiad yr eiddo hwn yn cyfateb i unrhyw gynnwys. Creu'r cynnwys coll neu cysylltwch â'ch gweinyddwr i addasu gosodiadau Gwraidd Dynamig ar gyfer yr eiddo hwn.",
+ cancelAndClearQuery: 'Canslo a chlirio ymholiad',
+ },
+ mediaPicker: {
+ pickedTrashedItem: "Rydych wedi dewis eitem gyfrwng sydd naill ai wedi'i ddileu neu yn y bin ailgylchu",
+ pickedTrashedItems: "Rydych wedi dewis eitemau gyfrwng sydd naill ai wedi'u dileu neu yn y bin ailgylchu",
+ deletedItem: "Eitem wedi'i ddileu",
+ trashed: 'Yn sbwriel',
+ openMedia: 'Agor mewn Llyfrgell Cyfryngau',
+ changeMedia: 'Newid Eitem Gyfrwng',
+ editMediaEntryLabel: 'Golygu %0% ar %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Gwaredu cread?',
+ confirmCancelMediaEntryCreationMessage: "Ydych chi'n siŵr eich bod chi am ganslo'r cread?",
+ confirmCancelMediaEntryHasChanges:
+ "Rydych chi wedi gwneud newidiadau i'r cynnwys hwn. Ydych chi'n siŵr eich bod chi am eu gwaredu?",
+ confirmRemoveAllMediaEntryMessage: 'Dileu pob cyfryngau?',
+ tabClipboard: 'Clipfwrdd',
+ notAllowed: 'Ni chaniateir',
+ openMediaPicker: 'Agor dewisydd cyfryngau',
+ },
+ propertyEditorPicker: {
+ title: 'Dewiswch Olygydd Eiddo',
+ openPropertyEditorPicker: 'Dewiswch Olygydd Eiddo',
+ },
+ relatedlinks: {
+ enterExternal: 'Darparwch ddolen allanol',
+ chooseInternal: 'Dewiswch dudalen fewnol',
+ caption: 'Capsiwn',
+ link: 'Dolen',
+ newWindow: 'Agor mewn ffenestr newydd',
+ captionPlaceholder: 'Darparwch y capsiwn arddangos',
+ externalLinkPlaceholder: 'Darparwch y ddolen',
+ },
+ imagecropper: {
+ reset: 'Ailosod tocio',
+ updateEditCrop: 'Wedi gwneud',
+ undoEditCrop: 'Dadwneud golygion',
+ customCrop: 'Diffiniad defnyddiwr',
+ },
+ rollback: {
+ headline: 'Dewis fersiwn i gymharu efo fersiwn bresennol',
+ changes: 'Newidiadau',
+ diffHelp:
+ "May hyn yn dangos y gwahaniaeth rhwng y fersiwn bresennol ac y fersiwn dewiswyd Ni fydd testun coch yn cael ei ddangos yn y fersiwn dewiswyd. , mae gwyrdd yn golygu wedi'i ychwanegu",
+ documentRolledBack: "Dogfen wedi'i rolio yn ôl",
+ htmlHelp:
+ 'Mae hyn yn dangos y fersiwn dewiswyd ar ffurf HTML, os hoffwch weld y gwahaniaeth rhwng 2 fersiwn ar yr un pryd, defnyddiwch y wedd gwahaniaethol',
+ rollbackTo: 'Rolio yn ôl at',
+ selectVersion: 'Dewis fersiwn',
+ view: 'Gwedd',
+ pagination: 'Yn dangos fersiwn %0% i %1% o %2% fersiynau.',
+ versions: 'Fersiynau',
+ currentDraftVersion: 'Fersiwn drafft cyfredol',
+ currentPublishedVersion: 'Fersiwn cyhoeddedig cyfredol',
+ created: 'Wedi creu',
+ currentVersion: 'Fersiwn gyfredol',
+ noDiff: "Nid oes unrhyw wahaniaethau rhwng y fersiwn (drafft) gyfredol a'r fersiwn a ddewiswyd",
+ },
+ scripts: {
+ editscript: 'Golygu ffeil sgript',
+ },
+ sections: {
+ content: 'Cynnwys',
+ forms: 'Ffurflenni',
+ media: 'Cyfrwng',
+ member: 'Aelodau',
+ packages: 'Pecynnau',
+ settings: 'Gosodiadau',
+ translation: 'Cyfieithiad',
+ users: 'Defnyddwyr',
+ marketplace: 'Marchnad',
+ },
+ help: {
+ tours: 'Teithiau',
+ theBestUmbracoVideoTutorials: 'Y fideos tiwtorial Umbraco gorau',
+ umbracoForum: 'Ymweld â our.umbraco.com',
+ umbracoTv: 'Ymweld â umbraco.tv',
+ umbracoLearningBase: 'Gwyliwch ein fideos tiwtorial am ddim',
+ umbracoLearningBaseDescription: 'ar Ganolfan Ddysgu Umbraco',
+ },
+ settings: {
+ defaulttemplate: 'Templed diofyn',
+ importDocumentTypeHelp:
+ 'Er mwyn mewnforio math o ddogfen, darganfyddwch y ffeil ".udt" ar ecih cyfrifiadur wrth glicio ar y botwn "Pori" a cliciwch "Mewnforio" (byddwch yn cael eich gofyn i gadarnhau ar y sgrîn nesaf)',
+ newtabname: 'Teitl Tab Newydd',
+ nodetype: 'Math o nod',
+ objecttype: 'Math',
+ stylesheet: 'Taflen arddull',
+ script: 'Sgript',
+ tab: 'Tab',
+ tabname: 'Teitl Tab',
+ tabs: 'Tabiau',
+ contentTypeEnabled: "Math o Gynnwys Meistr wedi'i alluogi",
+ contentTypeUses: "Mae'r Math o Gynnwys yma yn defnyddio",
+ noPropertiesDefinedOnTab:
+ 'Dim priodweddau wedi\'u diffinio ar y tab yma. Cliciwch ar y ddolen "ychwanegu priodwedd newydd" ar y topi greu priodwedd newydd.',
+ createMatchingTemplate: 'Creu templedi cydweddol',
+ addIcon: 'Ychwanegu eicon',
+ },
+ sort: {
+ sortOrder: 'Trefn',
+ sortCreationDate: 'Dyddiad creu',
+ sortDone: "Trefnu wedi'i gwblhau.",
+ sortHelp:
+ "Llusgwch yr eitemau gwahanol i fyny neu i lawr isod er mwyn gosod sut dylen nhw gael eu trefnu. Neu cliciwch ar beniadau'r golofnau i drefnu'r holl gasgliad o eitemau",
+ sortPleaseWait: "Arhoswch. Mae'r eitemau yn cael eu trefnu, gall hyn gymryd amser.",
+ sortEmptyState: 'Nid oes gan y nod hwn nodau plentyn i trefnu',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Dilysiad',
+ validationFailedMessage: 'Rhaid i wallau dilysu gael eu trwsio cyn gall yr eitem gael ei achub',
+ operationFailedHeader: 'Wedi methu',
+ operationSavedHeader: 'Wedi achub',
+ operationSavedHeaderReloadUser: 'Wedi achub. I weld y newidiadau, ail-lwythwch eich porwr',
+ invalidUserPermissionsText: "Diffyg hawliau defnyddiwr, ni ellir cwblhau'r gweithred",
+ operationCancelledHeader: 'Wedi canslo',
+ operationCancelledText: "Gweithred wedi'i ganslo gan ymestyniad 3-ydd parti",
+ contentTypeDublicatePropertyType: 'Math o briodwedd yn bodoli eisoes',
+ contentTypePropertyTypeCreated: "Math o briodwedd wedi'i greu",
+ contentTypePropertyTypeCreatedText: 'Enw: %0% Math o ddata: %1%',
+ contentTypePropertyTypeDeleted: "math o briodwedd wedi'i ddileu",
+ contentTypeSavedHeader: "Math o Ddogfen wedi'u achub",
+ contentTypeTabCreated: "Tab wedi'i greu",
+ contentTypeTabDeleted: "Tab wedi'i ddileu",
+ contentTypeTabDeletedText: "Tab gyda id: %0% wedi'i ddileu",
+ cssErrorHeader: 'Taflen arddull heb ei achub',
+ cssSavedHeader: "Taflen arddull wedi'i achub",
+ cssSavedText: "Taflen arddull wedi'i achub heb unrhyw wallau",
+ dataTypeSaved: "Math o ddata wedi'i achub",
+ dictionaryItemSaved: "Eitem geiriadur wedi'i achub",
+ editContentPublishedHeader: "Cynnwys wedi'i gyhoeddi",
+ editContentPublishedText: 'ac yn weladwy ar y wefan',
+ editMultiContentPublishedText: "%0% dogfennau wedi'i gyhoeddi ac yn gweledig ar y wefan",
+ editVariantPublishedText: '%0% gyhoeddi ac yn gweledig ar y wefan',
+ editMultiVariantPublishedText: "%0% dogfennau wedi'i gyhoeddi am yr ieithoedd %1% ac yn gweledig ar y wefan",
+ editContentSavedHeader: "Cynnwys wedi'i achub",
+ editContentSavedText: "Cofiwch gyhoeddi er mwyn i'r newidiadau fod yn weladwy",
+ editContentScheduledSavedText: "Mae amserlen ar gyfer cyhoeddi wedi'i diweddaru",
+ editVariantSavedText: '%0% wedi arbed',
+ editContentSendToPublish: "Wedi'i anfon am gymeradwyo",
+ editContentSendToPublishText: "Newidiadau wedi'u hanfon am gymeradwyo",
+ editVariantSendToPublishText: "%0% newidiadau wedi'u hanfon am gymeradwyo",
+ editMediaSaved: "Cyfrwng wedi'i achub",
+ editMediaSavedText: "Cyfrwng wedi'i achub heb unrhyw wallau",
+ editMemberSaved: "Aelod wedi'i achub",
+ editStylesheetPropertySaved: "Priodwedd taflen arddull wedi'i achub",
+ editStylesheetSaved: "Taflen arddull wedi'i achub",
+ editTemplateSaved: "Templed wedi'i achub",
+ editUserError: 'Gwall yn achub y defnyddiwr (gwiriwch y log)',
+ editUserSaved: "Defnyddiwr wedi'i achub",
+ editUserTypeSaved: "math o ddefnyddiwr wedi'i achub",
+ editUserGroupSaved: "Grŵp defnyddwyr wedi'i achub",
+ editCulturesAndHostnamesSaved: "Diwylliannau ac enwau gwesteia wedi'i achub",
+ editCulturesAndHostnamesError: 'Gwall wrth achub diwylliannau ac enwau gwesteia',
+ fileErrorHeader: 'Ffeil heb ei achub',
+ fileErrorText: "Ni ellir achub y ffeil. Gwiriwch hawliau'r ffeil",
+ fileSavedHeader: "Ffeil wedi'i achub",
+ fileSavedText: "Ffeil wedi'i achub heb unrhyw wallau",
+ languageSaved: "Iaith wedi'i achub",
+ mediaTypeSavedHeader: "Math o Gyfrwng wedi'i achub",
+ memberTypeSavedHeader: "Math o Aelod wedi'i achub",
+ memberGroupSavedHeader: "Grŵp Aelod wedi'i achub",
+ templateErrorHeader: 'Templed heb ei achub',
+ templateErrorText: "Sicrhewch nad oes gennych 2 dempled gyda'r un enw arall",
+ templateSavedHeader: "Templed wedi'i achub",
+ templateSavedText: "Templed wedi'i achub heb unrhyw wallau!",
+ contentUnpublished: "Cynnwys wedi'i ddadgyhoeddi",
+ contentCultureUnpublished: "amrywiad cynnwys %0% wedi'i dadgyhoeddi",
+ contentMandatoryCultureUnpublished:
+ "Roedd yr iaith orfodol '%0%' wedi'i dadgyhoeddi. Mae'r holl ieithoedd ar gyfer yr eitem gynnwys hon bellach wedi'i dadgyhoeddi.",
+ partialViewSavedHeader: "Rhan-wedd wedi'i achub",
+ partialViewSavedText: "Rhan-wedd wedi'i achub heb unrhyw wallau!",
+ partialViewErrorHeader: 'Rhan-wedd heb ei achub',
+ partialViewErrorText: 'Bu gwall yn ystod achub y ffeil.',
+ permissionsSavedFor: "Hawliau wedi'u hachub ar gyfer",
+ deleteUserGroupsSuccess: 'Wedi dileu %0% o rwpiau defnwyddwr',
+ deleteUserGroupSuccess: "%0% wedi'i ddileu",
+ enableUsersSuccess: "%0% o ddefnyddwyr wedi'u galluogi",
+ disableUsersSuccess: 'Wedi analluogi %0% o ddefnyddwyr',
+ enableUserSuccess: '%0% yn awr wedi galluogi',
+ disableUserSuccess: '%0% yn awr wedi analluogi',
+ setUserGroupOnUsersSuccess: "Grwpiau defnyddiwr wedi'u gosod",
+ unlockUsersSuccess: 'Wedi datgloi %0% o ddefnyddwyr',
+ unlockUserSuccess: '%0% yn awr wedi datgloi',
+ memberExportedSuccess: 'Allforwyd yr aelod at ffeil',
+ memberExportedError: "Bu gwall yn ystod allforio'r aelod",
+ deleteUserSuccess: "Defnyddiwr %0% wedi'i ddileu",
+ resendInviteHeader: 'Gawhodd defnyddiwr',
+ resendInviteSuccess: "Gwahoddiad wedi'i ail-anfon at %0%",
+ contentReqCulturePublishError: "Methu cyhoeddi'r ddogfen gan nad yw'r gofynnol '%0%' wedi cael ei gyhoeddi",
+ contentCultureValidationError: "Methodd dilysiad ar gyfer iaith '%0%'",
+ documentTypeExportedSuccess: "Mae'r math dogfen wedi ei allforio i ffeil",
+ documentTypeExportedError: "Digwyddodd gwall wrth allforio'r math dogfen",
+ scheduleErrReleaseDate1: 'Ni all y dyddiad rhyddhau fod yn y gorffennol',
+ scheduleErrReleaseDate2: "Ni all drefnu'r ddogfen i'w chyhoeddi gan nad yw'r gofynnol '%0%' wedi cael ei gyhoeddi",
+ scheduleErrReleaseDate3:
+ "Ni all drefnu'r ddogfen i'w chyhoeddi oherwydd mae ganddo'r gofynnol '%0%' ddyddiad cyhoeddi yn hwyrach nag iaith nad yw'n orfodol",
+ scheduleErrExpireDate1: 'Ni all y dyddiad terfyn fod yn y gorffennol',
+ scheduleErrExpireDate2: 'Ni all y dyddiad terfyn fod cyn y dyddiad rhyddhau',
+ folderUploadNotAllowed:
+ "Mae'r ffeil hon yn cael ei lanlwytho fel rhan o ffolder, ond ni chaniateir creu ffolder newydd yma",
+ folderCreationNotAllowed: 'Ni chaniateir creu ffolder newydd yma',
+ editBlueprintSavedHeader: "Templed Cynnwys wedi'i gadw",
+ editBlueprintSavedText: "Mae newidiadau wedi'u cadw'n llwyddiannus",
+ memberGroupNameDuplicate: "Mae Grŵp Aelodau arall gyda'r un enw yn bodoli yn barod",
+ dictionaryItemExportedSuccess: 'Allforiwyd eitem(au) geiriadur i ffeil',
+ dictionaryItemExportedError: "Mae gwall wedi digwydd wrth allforio'r eitem(au) geiriadur",
+ dictionaryItemImported: "Mae'r eitem(au) geiriadur canlynol wedi ei mewnforio!",
+ publishWithNoDomains:
+ "Nid yw parthau wedi'u ffurfweddu ar gyfer gwefan amlieithog, cysylltwch â gweinyddwr, gweler y log am ragor o wybodaeth",
+ publishWithMissingDomain:
+ 'Nid oes parth wedi ei ffurfweddu ar gyfer %0%, cysylltwch â gweinyddwr, gweler y log am fwy o wybodaeth',
+ preventCleanupEnableError: 'Digwyddodd gwall wrth alluogi glanhau fersiwn ar gyfer %0%',
+ preventCleanupDisableError: 'Digwyddodd gwall wrth analluogi glanhau fersiwn ar gyfer %0%',
+ copySuccessMessage: "Mae gwybodaeth eich system wedi'i chopïo'n llwyddiannus i'r clipfwrdd",
+ cannotCopyInformation: "Methu â chopïo gwybodaeth eich system i'r clipfwrdd",
+ webhookSaved: 'Bachyn gwe wedi arbed',
+ },
+ stylesheet: {
+ addRule: 'Ychwanegu ardull',
+ editRule: 'Golygu ardull',
+ editorRules: 'Ardull golygydd testun cyfoethog',
+ editorRulesHelp:
+ 'Diffiniwch yr arddulliau a ddylai fod ar gael yn y golygydd testun cyfoethog ar gyfer y daflen arddull hon',
+ editstylesheet: 'Golygu taflen arddull',
+ editstylesheetproperty: 'Golygu priodwedd taflen arddull',
+ nameHelp: 'Enw ar gyfer adnabod y priodwedd arddull yn y golygydd testun gyfoethog',
+ preview: 'Rhagolwg',
+ previewHelp: 'Sut fydd y testun yn edrych yn y golygydd testun cyfoethog.',
+ selector: 'Dewisydd',
+ selectorHelp: 'Yn defnyddio cystrawen CSS e.e: h1, .coch, .glas',
+ styles: 'Arddulliau',
+ stylesHelp: 'Dyled y CSS ei gymhwyso yn y golygydd testun cyfoethog, e.g. "color:red;"',
+ tabCode: 'Côd',
+ tabRules: 'Golygydd',
+ },
+ template: {
+ deleteByIdFailed: "Methwyd dileu templed efo'r ID %0%",
+ edittemplate: 'Golygu templed',
+ insertSections: 'Adrannau',
+ insertContentArea: 'Mewnosod ardal cynnwys',
+ insertContentAreaPlaceHolder: 'Mewnosod dalfan ar gyfer ardal cynnwys',
+ insert: 'Mewnosod',
+ insertDesc: "Dewiswch beth i fewnosod i mewn i'ch templed",
+ insertDictionaryItem: 'Eitem geiriadaur',
+ insertDictionaryItemDesc:
+ "Mae eitem geiriadur yn ddalfan ar gyfer darn o destun y gall gael ei gyfieithu, sy'n ei wneud yn hawdd i greu dyluniadau ar gyfer gwefannau aml-ieithog.",
+ insertMacro: 'Macro',
+ insertMacroDesc:
+ "\n Mae Macro yn gydran ffurfweddol sy'n wych ar gyfer\n darnau o'ch dyluniad sy'n cael eu ail-ddefnyddio, ble mae angen y dewis i ddarparu paramedrau,\n er enghraifft orielau, ffurflenni a rhestri.\n ",
+ insertPageField: 'Gwerth',
+ insertPageFieldDesc:
+ "Yn dangos gwerth maes penodol o'r dudalen bresennol, gyda'r dewisiadau i newid y gwerth neu syrthio'n ôl at werthoedd eraill.",
+ insertPartialView: 'Rhan-wedd',
+ insertPartialViewDesc:
+ "\n Mae rhan-wedd yn ffeil templed ar wahân y gall gael ei ddatganu o fewn templed arall,\n mae'n wych ar gyfer ail-ddefnyddio côd neu ar gyfer gwahanu templedi cymhleth i mewn i ffeiliau gwahanol.\n ",
+ mastertemplate: 'Templed Meistr',
+ noMaster: 'Dim meistr',
+ renderBody: 'Datganu templed blentyn',
+ renderBodyDesc:
+ '\n Yn datganu cynnwys templed blentyn, wrth fewnosod dalfan\n @RenderBody().\n ',
+ defineSection: 'Diffiniwch adran benodol',
+ defineSectionDesc:
+ "\n Yn diffinio rhan o'ch templed fel adran benodol gan ei lapio mewn\n @section { ... }. Gall hyn gael ei ddatganu mewn adran\n benodol o rhiant y templed yma, wrth ddefnyddio @RenderSection.\n ",
+ renderSection: 'Datganu adran benodol',
+ renderSectionDesc:
+ "\n Yn datganu adran benodol o dempled blentyn, wrth fewnosod dalfan @RenderSection(name).\n mae hyn yn datganu adran o dempled blentyn sydd wedi'i lapio mewn diffiniad berthnasol o @section [name]{ ... }.\n ",
+ sectionName: 'Enw Adran',
+ sectionMandatory: 'Mae Adran yn ofynnol',
+ sectionMandatoryDesc:
+ "\n Os yn ofynnol, rhaid i'r templed blentyn gynnwys diffiniad adran @section, fel arall bydd gwall yn cael ei ddangos.\n ",
+ queryBuilder: 'Adeiladwr ymholiad',
+ itemsReturned: 'o eitemau wedi dychwelyd, mewn',
+ iWant: 'Rydw i eisiau',
+ allContent: 'holl gynnwys',
+ contentOfType: 'cynnwys o\'r fath "%0%"',
+ from: 'o',
+ websiteRoot: 'fy wefan',
+ where: 'ble',
+ and: 'ac',
+ is: 'yn',
+ isNot: 'ddim yn',
+ before: 'cyn',
+ beforeIncDate: 'cyn (gan gynnwys y dyddiad dewiswyd)',
+ after: 'ar ôl',
+ afterIncDate: 'ar ôl (gan gynnwys y dyddiad dewiswyd)',
+ equals: 'yn gyfartal i',
+ doesNotEqual: 'ddim yn gyfartal i',
+ contains: 'yn cynnwys',
+ doesNotContain: 'ddim yn cynnwys',
+ greaterThan: 'yn fwy na',
+ greaterThanEqual: 'yn fwy na neu yn gyfartal i',
+ lessThan: 'llai na',
+ lessThanEqual: 'llai na neu yn gyfartal i',
+ id: 'Id',
+ name: 'Enw',
+ createdDate: 'Dyddiad Creu',
+ lastUpdatedDate: 'Dyddiad Diweddariad Ddiwethaf',
+ orderBy: 'trefnu wrth',
+ ascending: 'esgynnol',
+ descending: 'disgynnol',
+ template: 'Templed',
+ runtimeModeProduction: '.',
+ },
+ grid: {
+ media: 'Llun',
+ macro: 'Macro',
+ insertControl: 'Dewis math o gynnwys',
+ chooseLayout: 'Dewis cynllun',
+ addRows: 'Ychwanegu rhes',
+ addElement: 'Ychwanegu cynnwys',
+ dropElement: 'Gollwng cynnwys',
+ settingsApplied: "Gosodiadau wedi'u hymgeisio",
+ contentNotAllowed: "Nid yw'r cynnwys yma wedi'i ganiatáu yma",
+ contentAllowed: 'Caniateir y cynnwys yma',
+ clickToEmbed: 'Cliciwch i fewnblannu',
+ clickToInsertImage: 'Cliciwch i fewnosod llun',
+ clickToInsertMacro: 'Cliciwch i fewnosod macro',
+ placeholderWriteHere: 'Ysgrifennwch yma...',
+ gridLayouts: 'Cynlluniau Grid',
+ gridLayoutsDetail:
+ "Cynlluniau yw'r holl ardal weithio gyfan ar gyfer y golygydd grid, fel arfer rydych ddim ond angen un neu ddau gynllun gwahanol",
+ addGridLayout: 'Ychwanegu Cynllun Grid',
+ editGridLayout: 'Golygu Cynllun Grid',
+ addGridLayoutDetail: 'Newid y cynllun wrth osod lledau colofnau ac ychwanegu adrannau ychwanegol',
+ rowConfigurations: 'Ffurfweddau rhes',
+ rowConfigurationsDetail: "Mae rhesi yn gelloedd sydd wedi'u trefnu yn llorweddol",
+ addRowConfiguration: 'Ychwanegu Ffurfwedd rhes',
+ editRowConfiguration: 'Golygu Ffurfwedd rhes',
+ addRowConfigurationDetail: 'Newidiwch y rhes wrth osod lledau colofn ac ychwanegu adrannau ychwanegol',
+ noConfiguration: 'Nid oes ffurfwedd pellach ar gael',
+ columns: 'Colofnau',
+ columnsDetails: 'Cyfanswm y nifer o golofnau yn y cynllun grid',
+ settings: 'Gosodiadau',
+ settingsDetails: 'Ffurfweddu pa osodiadau gall olygyddion eu newid',
+ styles: 'Ardduliau',
+ stylesDetails: 'Ffurfweddu pa arddulliau gall olygyddion eu newid',
+ allowAllEditors: 'Caniatáu pob golygydd',
+ allowAllRowConfigurations: 'Caniatáu holl ffurfweddi rhes',
+ maxItems: 'Uchafswm o eitemau',
+ maxItemsDescription: 'Gadewch yn wag neu gosod i 0 ar gyfer diderfyn',
+ setAsDefault: 'Gosod fel diofyn',
+ chooseExtra: 'Dewis ychwanegol',
+ chooseDefault: 'Dewis diofyn',
+ areAdded: "wedi'u hychwanegu",
+ warning: 'Rhybudd',
+ youAreDeleting: "Rydych chi'n dileu'r ffurfwedd rhes",
+ deletingARow:
+ "Bydd dileu enw ffurfwedd rhes yn arwain at golli data ar gyfer unrhyw gynnwys cynfodol sy'n seiliedig ar ffurfwedd hwn.",
+ deleteLayout: "Rydych chi'n dileu'r gosodiad",
+ deletingALayout:
+ "Bydd addasu cynllun yn arwain at golli data ar gyfer unrhyw gynnwys presennol sy'n seiliedig ar y ffurfweddiad hwn.",
+ },
+ contentTypeEditor: {
+ compositions: 'Cyfansoddiadau',
+ group: 'Grŵp',
+ groupReorderSameAliasError:
+ 'Ni allwch symud y grŵp %0% i\'r tab hwn oherwydd bydd y grŵp yn cael yr un alias â thab: "%1%". Ail-enwi\'r grŵp i barhau.',
+ noGroups: 'Nid ydych wedi ychwanegu unrhyw grwpiau',
+ addGroup: 'Ychwanegu grŵp',
+ inheritedFrom: 'Wedi etifeddu o',
+ addProperty: 'Ychwanegu priodwedd',
+ requiredLabel: 'Label gofynnol',
+ enableListViewHeading: 'Caniatáu gwedd rhestr',
+ enableListViewDescription:
+ "Ffurfweddi yr eitem gynnwys i ddangos rhestr trefnadwy a chwiladwy o'i phlant, ni fydd y plant yn cael eu dangos yn y goeden",
+ allowedTemplatesHeading: 'Templedi Caniateir',
+ allowedTemplatesDescription: "Dewiswch pa olygoddion templedi sy'n cael defnyddio cynnwys o'r fath yma",
+ allowAsRootHeading: 'Caniatáu fel gwraidd',
+ allowAsRootDescription: "Caniatáu golygyddion i greu cynnwys o'r fath yma yng ngwraidd y goeden gynnwys",
+ childNodesHeading: 'Mathau o nod blentyn caniateir',
+ childNodesDescription: "Caniatáu cynnwys o'r mathau benodol i gael eu creu o dan cynnwys o'r fath yma",
+ chooseChildNode: 'Dewis nod blentyn',
+ compositionsDescription:
+ "Etifeddu tabiau a phriodweddau o fath o ddogfen sy'n bodoli eisoes. Bydd tabiau newydd yn cael eu ychwanegu at y fath o ddogfen bresennol neu eu cyfuno os mae tab gyda enw yr union yr un fath yn bodoli eisoes.",
+ compositionInUse:
+ "Mae'r math o gynnwys yma wedi'i ddefnyddio mewn cyfansoddiad, felly ni ellir ei gyfansoddi ei hunan.",
+ noAvailableCompositions: "Nid oes unrhyw fathau o gynnwys ar gael i'w defnyddio fel cyfansoddiad.",
+ compositionRemoveWarning:
+ "Bydd dileu cyfansoddiad yn dileu'r holl ddata eiddo priodwedd gysylltiedig. Ar ôl i chi arbed y math o ddogfen, bydd ddim ffordd nôl.",
+ availableEditors: 'Golygyddion ar gael',
+ reuse: 'Ail-ddefnyddio',
+ editorSettings: 'Gosodiadau golygydd',
+ searchResultSettings: 'Ffurfweddau sydd ar gael',
+ searchResultEditors: 'Creu ffurfwedd newydd',
+ configuration: 'Ffurfwedd',
+ yesDelete: 'Iawn, dileu',
+ movedUnderneath: 'wedi symud islaw',
+ copiedUnderneath: 'wedi copïo islaw',
+ folderToMove: 'Dewiswch y ffolder i symud',
+ folderToCopy: 'Dewiswch y ffolder i gopïo',
+ structureBelow: 'i yn y strwythyr goeden isod',
+ allDocumentTypes: 'Holl Fathau o Ddogfennau',
+ allDocuments: 'Holl Ddogfennau',
+ allMediaItems: 'Holl eitemau gyfrwng',
+ usingThisDocument:
+ "sy'n defnyddio'r fath o ddogfen yma fydd yn cael eu dileu yn barhaol, cadarnhewch os hoffwch ddileu'r rhain hefyd.",
+ usingThisMedia:
+ "sy'n defnyddio'r fath o gyfrwng yma fydd yn cael eu dileu yn barhaol, cadarnhewch os hoffwch ddileu'r rhain hefyd.",
+ usingThisMember:
+ "sy'n defnyddio'r fath o aelod yma fydd yn cael eu dileu yn barhaol, cadarnhewch os hoffwch ddileu'r rhain hefyd.",
+ andAllDocuments: "a phob dogfen sy'n defnyddio'r fath yma",
+ andAllMediaItems: "a phob eitem gyfrwng sy'n defnyddio'r fath yma",
+ andAllMembers: "a phob aelod sy'n defnyddio'r fath yma",
+ memberCanEdit: 'Aeloed yn gallu golygu',
+ memberCanEditDescription: "Caniatáu i'r gwerth briodwedd yma gael ei olygu gan yr aelod ar eu tudalen broffil",
+ isSensitiveData: 'Yn ddata sensitif',
+ isSensitiveDataDescription:
+ "Cuddio'r priodwedd yma o'r golygyddion cynnwys sydd heb hawliau i weld gwybodaeth sensitif",
+ showOnMemberProfile: 'Dangos ar broffil aelod',
+ showOnMemberProfileDescription: "Caniatáu i'r gwerth briodwedd yma gael ei ddangos ar y dudalen broffil aelod",
+ tabHasNoSortOrder: 'does dim rhif trefnu gan y tab',
+ compositionUsageHeading: "Ble mae'r cyfansoddiad yma'n cael ei ddefnyddio?",
+ compositionUsageSpecification:
+ "Mae'r cyfansoddiad yma yn cael ei ddefnyddio'n bresennol yng nghyfansoddiad o'r mathau o gynnwys ganlynol:",
+ variantsHeading: 'Caniatáu amrywiadau',
+ cultureVariantHeading: 'Caniatáu amrywiad yn ôl ddiwylliant',
+ segmentVariantHeading: 'Caniatáu segmentiad',
+ cultureVariantLabel: 'Amrywio gan ddiwylliant',
+ segmentVariantLabel: 'Amrywio gan segmentiad',
+ variantsDescription: "Caniatáu i olygyddion greu cynnwys o'r math hwn mewn gwahanol ieithoedd",
+ cultureVariantDescription: 'Caniatáu golygyddion i greu cynnwys o ieithoedd gwahanol',
+ segmentVariantDescription: "Caniatáu golygyddion i greu segmentiadau o'r cynnwys hwn",
+ allowVaryByCulture: 'Caniatáu amrywio yn ôl diwylliant',
+ allowVaryBySegment: 'Caniatáu segmentiad',
+ elementType: 'Math o elfen',
+ elementHeading: 'Yn fath Elfen',
+ elementDescription:
+ 'Mae math Elfen i fod i gael ei ddefnyddio er enghraifft mewn Cynnwys Nythu, ac nid yn y goeden',
+ elementCannotToggle:
+ "Ni ellir newid math o ddogfen i fath Elfen ar ôl mae'n cael ei defnyddio i greu un neu fwy o eitemau cynnwys.",
+ elementDoesNotSupport: 'Nid yw hyn yn berthnasol ar gyfer math Elfen',
+ propertyHasChanges: "Rydych wedi gwneud newidiadau i'r eiddo hwn. Ydych chi'n siŵr eich bod chi am eu taflu?",
+ displaySettingsHeadline: 'Ymddangosiad',
+ displaySettingsLabelOnTop: 'Label uwchben (lled-llawn)',
+ confirmDeleteTabMessage: '?',
+ confirmDeleteGroupMessage: '?',
+ confirmDeletePropertyMessage: '?',
+ confirmDeleteTabNotice: "Bydd hyn hefyd yn dileu'r holl eitemau o dan y tab hwn.",
+ confirmDeleteGroupNotice: "Bydd hyn hefyd yn dileu'r holl eitemau o dan y grŵp hwn.",
+ addTab: 'Ychwanegu tab',
+ convertToTab: 'Trawsnewid i dab',
+ tabDirectPropertiesDropZone: "Llusgwch eiddo yma i'w gosod yn syth ar y tab",
+ removeChildNode: "Rydych chi'n cael gwared ar y nod plentyn",
+ removeChildNodeWarning:
+ "Bydd tynnu nod plentyn yn cyfyngu ar opsiynau'r golygydd i greu gwahanol fathau o gynnwys o dan nod.",
+ usingEditor: "bydd defnyddio'r golygydd hwn yn cael ei ddiweddaru gyda'r gosodiadau newydd.",
+ historyCleanupHeading: 'Glanhau hanes',
+ historyCleanupDescription: "Caniatáu diystyru'r gosodiadau glanhau hanes byd-eang.",
+ historyCleanupKeepAllVersionsNewerThanDays: 'Cadwch bob fersiwn yn fwy newydd na dyddiau',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Cadwch y fersiwn diweddaraf y dydd am ddyddiau',
+ historyCleanupPreventCleanup: 'Atal glanhau',
+ historyCleanupEnableCleanup: 'Galluogi glanhau',
+ historyCleanupGloballyDisabled:
+ " Mae glanhau fersiynau cynnwys hanesyddol wedi'u hanalluogi'n fyd-eang. Ni fydd y gosodiadau hyn yn dod i rym cyn iddo gael ei alluogi.",
+ changeDataTypeHelpText:
+ "Mae newid math o ddata gyda gwerthoedd storio wedi'i analluogi. I ganiatáu hyn gallwch newid y gosodiad Umbraco:CMS:DataTypes:CanBeChanged yn appssettings.json.",
+ },
+ webhooks: {
+ addWebhook: 'Creu bachyn gwe',
+ addWebhookHeader: 'Ychwanegu pennyn bachyn gwe',
+ addDocumentType: 'Ychwanegu Math o Ddogfen',
+ addMediaType: 'Ychwanegu Math o Gyfrwng',
+ createHeader: 'Creu pennawd',
+ deliveries: 'Danfoniadau',
+ noHeaders: "Nid oes penawdau bachyn gwe wedi'u hychwanegu",
+ noEventsFound: 'Ni chanfuwyd unrhyw ddigwyddiadau.',
+ enabled: "Wedi'i alluogi",
+ events: 'Digwyddiadau',
+ event: 'Digwyddiad',
+ url: 'Url',
+ types: 'Mathau',
+ webhookKey: 'Allwedd bachyn gwe',
+ retryCount: 'Cyfrif o Ailgeision',
+ toggleDebug: 'Togl modd dadfygio am ragor o wybodaeth.',
+ statusNotOk: 'Cod statws ddim yn OK',
+ urlDescription: "Yr url i'w alw pan fydd y bachyn gwe yn cael ei sbarduno.",
+ eventDescription: "Y digwyddiadau y dylid sbarduno'r bachyn gwe.",
+ contentTypeDescription: 'Sbardunwch y bachyn gwe am fath penodol o gynnwys yn unig.',
+ enabledDescription: "A yw'r bachyn gwe wedi'i alluogi?",
+ headersDescription: "Penawdau arferu i'w cynnwys yn y cais bachyn gwe.",
+ contentType: 'Math o Gynnwys',
+ headers: 'Penawdau',
+ selectEventFirst: 'Dewiswch ddigwyddiad yn gyntaf.',
+ },
+ languages: {
+ addLanguage: 'Ychwanegu iaith',
+ mandatoryLanguage: 'Iath gorfodol',
+ mandatoryLanguageHelp: "Rhaid llenwi eiddo ar yr iaith hon cyn y gellir cyhoeddi'r nod.",
+ defaultLanguage: 'Iaith diofyn',
+ defaultLanguageHelp: 'Gall wefan Umbraco ddim ond cael un iaith ddiofyn.',
+ changingDefaultLanguageWarning: 'Gall newid iaith ddiofyn arwain at golli cynnwys diofyn.',
+ fallsbackToLabel: 'Syrthio yn ôl i',
+ noFallbackLanguageOption: 'Dim iaith cwympo yn ôl',
+ fallbackLanguageDescription:
+ "Er mwyn caniatáu i gynnwys amlieithog ddisgyn yn ôl i iaith arall os nad yw'n bresennol yn yr iaith y gofynnwyd amdani, dewiswch hi yma.",
+ fallbackLanguage: 'Iaith cwympo yn ôl',
+ none: 'dim',
+ culture: 'Cod ISO',
+ invariantPropertyUnlockHelp: ' yn cael ei rannu ar draws ieithoedd a segmentau.',
+ invariantCulturePropertyUnlockHelp: ' yn cael ei rannu ar draws pob iaith.',
+ invariantSegmentPropertyUnlockHelp: ' yn cael ei rannu ar draws pob segment.',
+ invariantLanguageProperty: "Wedi'i rannu: Ieithoedd",
+ invariantSegmentProperty: "Wedi'i rannu: Segments",
+ },
+ macro: {
+ addParameter: 'Ychwanegu paramedr',
+ editParameter: 'Golygu paramedr',
+ enterMacroName: 'Rhowch enw macro',
+ parameters: 'Paramedrau',
+ parametersDescription: "Diffiniwch y paramedrau a ddylai fod ar gael wrth ddefnyddio'r macro hwn.",
+ selectViewFile: 'Dewiswch ffeil macro golwg rhannol',
+ },
+ modelsBuilder: {
+ buildingModels: 'Adeiladu modelau',
+ waitingMessage: 'gall hyn gymryd amser, peidiwch â phoeni',
+ modelsGenerated: "Modelau wedi'u generadu",
+ modelsGeneratedError: 'Methwyd generadu modelau',
+ modelsExceptionInUlog: 'Methwyd generadu modelau, gweler yr eithriadau yn y log Umbraco',
+ },
+ templateEditor: {
+ addDefaultValue: 'Ychwanegu gwerth diofyn',
+ defaultValue: 'Gwerth diofyn',
+ alternativeField: 'Maes rolio yn ôl',
+ alternativeText: 'Gwerth diofyn',
+ casing: 'Cyflwr',
+ encoding: 'Amgodiad',
+ chooseField: 'Dewis maes',
+ convertLineBreaks: 'Trawsnewid torriadau llinellau',
+ convertLineBreaksHelp: "Cyfnewid torriadau llinellau gyda tag html 'br'",
+ customFields: 'Meysydd bersonol',
+ dateOnly: 'Dyddiad yn unig',
+ formatAsDate: 'Fformatio ar ffurf dyddiad',
+ htmlEncode: 'Amgodi HTML',
+ htmlEncodeHelp: "Bydd yn cyfnewid nodau arbennig gyda'u nodau HTML cyfatebol.",
+ insertedAfter: 'Bydd yn cael ei fewnosod ar ôl y gwerth maes',
+ insertedBefore: 'Bydd yn cael ei fewnosod cyn y gwerth maes',
+ lowercase: 'Llythrennau bach',
+ none: 'Dim',
+ outputSample: 'Sampl allbwn',
+ postContent: 'Mewnosod ar ôl maes',
+ preContent: 'Mewnosod cyn maes',
+ recursive: 'Ailadroddus',
+ recursiveDescr: 'Iawn, gwnewch yn ailadroddus',
+ standardFields: 'Meysydd Safonol',
+ uppercase: 'Llythrennau bras',
+ urlEncode: 'Amgodi URL',
+ urlEncodeHelp: 'Bydd yn fformatio nodau arbennig o fewn URL',
+ usedIfAllEmpty: "Bydd ddim ond yn cael ei ddefnyddio pan mae'r gwerthoedd maes uchod yn wag",
+ usedIfEmpty: "Bydd y maes yma ddim ond yn cael ei ddefnyddio os mae'r maes gynradd yn wag",
+ withTime: 'Dyddiad ac amser',
+ },
+ translation: {
+ details: 'Manylion cyfieithiad',
+ DownloadXmlDTD: 'Lawrlwytho XML DTD',
+ fields: 'Meysydd',
+ includeSubpages: 'Cynnwys is-dudalennau',
+ mailBody:
+ "\n Helo %0%\n\n mae hyn yn ebost awtomatig i'ch hysbysu fod y ddogfen '%1%'\n wedi'i hanfon am gyfieithiad i mewn i '%5%' gan %2%.\n\n Ewch at http://%3%/translation/details.aspx?id=%4% i olygu.\n\n Neu mewngofnodwch i Umbraco i gael trosolwg o'ch tasgau cyfieithu\n http://%3%\n\n Mwynhewch eich diwrnod!\n\n Hwyl fawr oddi wrth y robot Umbraco\n ",
+ noTranslators:
+ "Dim defnyddwyr cyfieithu wedi'u darganfod. Creuwch ddefnyddiwr cyfieithu cyn i chi gychwyn anfon cynnwys am gyfieithiadau",
+ pageHasBeenSendToTranslation: "Mae'r dudalen '%0%' wedi cael ei anfon am gyfieithiad",
+ sendToTranslate: "Anfon y dudalen '%0%' am gyfieithiad",
+ totalWords: 'Cyfanswm o eiriau',
+ translateTo: 'Cyfieithu i',
+ translationDone: "Cyfieithiad wedi'i gwblhau.",
+ translationDoneHelp:
+ "Gallwch ragolygu'r tudalennau yr ydych newydd gyfieithu gan glicio isod. Os mae'r dudalen gwreiddiol wedi'i ganfod, byddwch yn cael cymhariaeth o'r 2 dudalen.",
+ translationFailed: "Cyfieithiad wedi methu, mae'n bosib fod y ffeil XML wedi llygru",
+ translationOptions: 'Dewisiadau cyfieithu',
+ translator: 'Cyfieithydd',
+ uploadTranslationXml: 'Lanlwytho cyfieithiad XML',
+ },
+ treeHeaders: {
+ content: 'Cynnwys',
+ contentBlueprints: 'Templedi Cynnwys',
+ media: 'Cyfrwng',
+ cacheBrowser: 'Porwr Storfa',
+ contentRecycleBin: 'Bin Ailgylchu',
+ createdPackages: "Pecynnau wedi'u creu",
+ dataTypes: 'Mathau o Ddata',
+ dictionary: 'Geiriadur',
+ installedPackages: "Pecynnau wedi'u gosod",
+ installSkin: 'Gosod croen',
+ installStarterKit: 'Gosod cit gychwynol',
+ languages: 'Ieithoedd',
+ localPackage: 'Gosod pecyn leol',
+ macros: 'Macros',
+ mediaTypes: 'Mathau o Gyfrwng',
+ member: 'Aelodau',
+ memberGroups: 'Grwpiau Aelodau',
+ memberRoles: 'Grwpiau Rolau',
+ memberTypes: 'Mathau o Aelod',
+ documentTypes: 'Mathau o Ddogfen',
+ relationTypes: 'Math o Berthynas',
+ packager: 'Pecynnydd',
+ packages: 'Pecynnau',
+ partialViews: 'Rhan-weddi',
+ partialViewMacros: 'Ffeiliau Rhan-wedd Macro',
+ repositories: 'Gosod o ystorfa',
+ runway: 'Gosod Runway',
+ runwayModules: 'Modylau Runway',
+ scripting: 'Ffeiliau Sgriptio',
+ scripts: 'Sgriptiau',
+ stylesheets: 'Taflenni arddull',
+ templates: 'Templedi',
+ logViewer: 'Gwyliwr Log',
+ users: 'Defnyddwyr',
+ settingsGroup: 'Gosodiadau',
+ templatingGroup: 'Templedi',
+ thirdPartyGroup: 'Trydydd parti',
+ webhooks: 'Bachau gwe',
+ },
+ update: {
+ updateAvailable: 'Diweddariad newydd yn barod',
+ updateDownloadText: '%0% yn barod, cliciwch yma i lawrlwytho',
+ updateNoServer: 'Dim cysylltiad at y gweinydd',
+ updateNoServerError: "Gwall yn chwilio am ddiweddariad. Ceisiwch wirio'r trywydd stac am fwy o wybodaeth",
+ },
+ user: {
+ access: 'Mynediad',
+ accessHelp: 'Ar sail y grwpiau aelodaeth ac y nodau cychwyn, mae gan y defnyddiwr hawliau at y nodau ganlynol',
+ assignAccess: 'Neilltuo hawl',
+ administrators: 'Gweinyddwr',
+ categoryField: 'Maes categori',
+ createDate: "Defnyddiwr wedi'i greu",
+ changePassword: 'Newidiwch Eich Cyfrinair',
+ changePhoto: 'Newidiwch lun',
+ newPassword: 'Cyfrinair newydd',
+ newPasswordFormatLengthTip: 'O leiaf %0% nod(au) i fynd!',
+ newPasswordFormatNonAlphaTip: 'Dylai fod o leiaf %0% nod(au) arbennig yno.',
+ noLockouts: 'ddim wedi cloi allan',
+ noPasswordChange: "Nid yw'r cyfrinair wedi'i newid",
+ confirmNewPassword: 'Cadarnhau cyfrinair newydd',
+ changePasswordDescription:
+ "Gallwch newid eich cyfrinair i gyrchu Swyddfa Gefn Umbracogan lenwi allan y ffurflen isod a chlicio'r botwm 'Newid Cyfrinair'",
+ contentChannel: 'Sianel Gynnwys',
+ createAnotherUser: 'Creu defnyddiwr arall',
+ createUserHelp:
+ "Creu defnyddwyr newydd i roi hawliau iddynt gyrchu Umbraco. Pan mae defnyddiwr newydd yn cael ei greu, bydd cyfrinair yn cael ei generadu y gallwch chi rannu gyda'r defnyddiwr.",
+ descriptionField: 'Maes disgrifiad',
+ disabled: 'Analluogi Defnyddiwr',
+ documentType: 'Math o Ddogfen',
+ editors: 'Golygydd',
+ excerptField: 'Maes dyfyniad',
+ failedPasswordAttempts: 'Nifer o fethiannau ceisio mewngofnodi',
+ goToProfile: 'Ewch at broffil defnyddiwr',
+ groupsHelp: 'Ychwanegu grwpiau i neilltuo mynediad a hawliau',
+ inviteAnotherUser: 'Gwahodd defnyddiwr arall',
+ inviteUserHelp:
+ 'Gwahodd defnyddwyr newydd i roi hawliau iddynt gyrchu Umbraco. Bydd gwahoddiad ebost yn cael ei anfon at y defnyddiwr gyda gwybodaeth ar sut i fewngofnodi i Umbraco. Mae gwahoddiadau yn para am 72 awr.',
+ language: 'Iaith',
+ languageHelp: "Gosod yr iaith fyddwch chi'n gweld yn y dewislenni a'r deialogau",
+ lastLockoutDate: 'Dyddiad cloi allan diweddaraf',
+ lastLogin: 'Mewngofnodi diweddaraf',
+ lastPasswordChangeDate: "Cyfrinair wedi'i newid ddiwethaf",
+ loginname: 'Enw defnyddiwr',
+ mediastartnode: 'Nod gychwynol gyfrwng',
+ mediastartnodehelp: "Cyfyngu'r llyfrgell gyfrwng at nod gychwynol benodol",
+ mediastartnodes: 'Nodau gychwynol gyfrwng',
+ mediastartnodeshelp: "Cyfyngu'r llyfrgell gyfrwng at nodau gychwynol benodol",
+ modules: 'Adrannau',
+ noConsole: 'Analluogi Mynediad Umbraco',
+ noLogin: 'ddim wedi mewngofnodi eto',
+ oldPassword: 'Hen gyfrinair',
+ password: 'Cyfrinair',
+ resetPassword: 'Ailosod cyfrinair',
+ passwordChanged: "Mae eich cyfrinair wedi'i newid!",
+ passwordChangedGeneric: "Cyfrinair wedi'i newid",
+ passwordConfirm: 'Cadarnhewch y cyfrinair newydd',
+ passwordEnterNew: 'Darparwch eich cyfrinair newydd',
+ passwordIsBlank: 'Ni all eich cyfrinair newydd fod yn wag!',
+ passwordCurrent: 'Cyfrinair bresennol',
+ passwordInvalid: 'Cyfrinair bresennol annilys',
+ passwordIsDifferent: 'Roedd gwahaniaeth rhwng y cyfrinair newydd ac y cyfrinair i gadarnhau. Ceisiwch eto!',
+ passwordMismatch: "Nid yw'r cyfrinair cadarnhau yn cyfateb â'r cyfrinair newydd!",
+ permissionReplaceChildren: 'Cyfnewid hawliau nod blentyn',
+ permissionSelectedPages: 'Rydych ar hyn o bryd yn newid hawliau ar gyfer y tudalennau:',
+ permissionSelectPages: 'Dewis tudalennau i newid eu hawliau',
+ removePhoto: 'Dileu llun',
+ permissionsDefault: 'Hawliau diofyn',
+ permissionsGranular: 'Hawliau gronynnog',
+ permissionsGranularHelp: 'Gosod hawliau ar gyfer nodau penodol',
+ profile: 'Proffil',
+ searchAllChildren: 'Chwilio holl blant',
+ sectionsHelp: 'Ychwanegu adrannau i roi hawliau i ddefnyddwyr',
+ selectUserGroups: 'Dewis grwpiau defnyddwir',
+ noStartNode: "Dim nod gychwynol wedi'i ddewis",
+ noStartNodes: "Dim nodau cychwynol wedi'u dewis",
+ startnode: 'Nod gynnwys gychwynol',
+ startnodehelp: "Cyfyngu'r goeden gynnwys i nod gychwynol benodol",
+ startnodes: 'Nodau cynnwys gychwynol',
+ startnodeshelp: "Cyfyngu'r goeden gynnwys i nodau gychwynol benodol",
+ updateDate: 'Defnyddiwr wedi diweddaru ddiwethaf',
+ userCreated: 'wedi ei greu',
+ userCreatedSuccessHelp:
+ "Mae'r defnyddiwr newydd wedi'i greu. Er mwyn mewngofnodi i Umbraco defnyddiwch y cyfrinair isod.",
+ userManagement: 'Rheoli defnyddwyr',
+ username: 'Enw',
+ userPermissions: 'Hawliau defnyddiwr',
+ usergroup: 'Grŵp defnyddiwr',
+ userInvited: "wedi'i wahodd",
+ userInvitedSuccessHelp:
+ 'Mae gwahoddiad wedi cael ei anfon at y defnyddiwr newydd gyda manylion ar sut i fewngofnodi i Umbraco.',
+ userinviteWelcomeMessage:
+ "Helo a chroeso i Umbraco! Mewn 1 munud yn unig, byddech chi'n barod i fynd, rydym dim ond angen gosod cyfrinair.",
+ userinviteExpiredMessage:
+ "Croeso i Umbraco! Yn anffodus, mae eich gwahoddiad wedi terfynu. Cysylltwch â'ch gweinyddwr a gofynnwch iddynt ail-anfon.",
+ writer: 'Ysgrifennydd',
+ change: 'Newid',
+ yourProfile: 'Eich proffil',
+ yourHistory: 'Eich hanes diweddar',
+ sessionExpires: 'Sesiwn yn terfynu mewn',
+ inviteUser: 'Gwahodd defnyddiwr',
+ createUser: 'Creu defnyddiwr',
+ sendInvite: 'Anfon gwahoddiad',
+ backToUsers: 'Yn ôl at ddefnyddwyr',
+ inviteEmailCopySubject: 'Umbraco: Gwahoddiad',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\n ",
+ defaultInvitationMessage: 'Yn ail-anfon y gwahoddiad...',
+ deleteUser: 'Dileu Defnyddiwr',
+ deleteUserConfirmation: "Ydych chi'n sicr eich bod eisiau dileu'r cyfrif defnyddiwr yma?",
+ stateAll: 'Pob',
+ stateActive: 'Gweithredol',
+ stateDisabled: 'Wedi analluogi',
+ stateLockedOut: 'Wedi cloi allan',
+ stateInvited: 'Wedi gwahodd',
+ stateInactive: 'Anactif',
+ sortNameAscending: 'Enw (A-Y)',
+ sortNameDescending: 'Enw (Y-A)',
+ sortCreateDateAscending: 'Hynaf',
+ sortCreateDateDescending: 'Diweddaraf',
+ sortLastLoginDateDescending: 'Mewngofnodi diweddaraf',
+ noUserGroupsAdded: 'No user groups have been added',
+ duplicateLogin: "Mae defnyddiwr gyda'r mewngofnodi hwn eisoes yn bodoli",
+ passwordRequiresDigit: "Rhaid bod gan y cyfrinair o leiaf un digid ('0'-'9')",
+ passwordRequiresLower: "Rhaid bod gan y cyfrinair o leiaf un llythrennau bach ('a'-'z')",
+ passwordRequiresNonAlphanumeric: "Rhaid i'r cyfrinair gynnwys o leiaf un nod nad yw'n alffaniwmerig",
+ passwordRequiresUniqueChars: "Rhaid i'r cyfrinair ddefnyddio o leiaf %0% o nodau gwahanol",
+ passwordRequiresUpper: "Rhaid bod gan y cyfrinair o leiaf un priflythrennau ('A'-'Z')",
+ passwordTooShort: "Rhaid i'r cyfrinair fod o leiaf %0% nod",
+ languagesHelp: 'Cyfyngu ar yr ieithoedd y mae gan ddefnyddwyr fynediad i olygu',
+ allowAccessToAllLanguages: 'Caniatáu mynediad i bob iaith',
+ userHasPassword: 'Mae gan y defnyddiwr set cyfrinair yn barod',
+ userHasGroup: "Mae'r defnyddiwr yn y grŵp '%0%' yn barod ",
+ userLockoutNotEnabled: "Nid yw cloi allan wedi'i alluogi ar gyfer y defnyddiwr hwn",
+ userNotInGroup: "Nid yw'r defnyddiwr yn y grŵp '%0%'",
+ configureTwoFactor: 'Ffurfweddu Dau-Ffactor',
+ stateApproved: 'Cymeradwy',
+ '2faDisableText':
+ "Os ydych chi am analluogi'r darparwr dau ffactor hwn, yna rhaid i chi nodi'r cod a ddangosir ar eich dyfais ddilysu:",
+ '2faProviderIsEnabled': "Mae'r darparwr dau ffactor hwn wedi'i alluogi",
+ '2faProviderIsDisabledMsg': "Mae'r darparwr dau-ffactor hwn bellach wedi'i analluogi",
+ '2faProviderIsNotDisabledMsg': "Aeth rhywbeth o'i le wrth geisio analluogi'r darparwr dau ffactor hwn",
+ '2faDisableForUser': "Ydych chi am analluogi'r darparwr dau ffactor hwn ar gyfer y defnyddiwr hwn?",
+ emailRequired: 'Angenrheidiol - rhowch gyfeiriad e-bost ar gyfer y defnyddiwr hwn',
+ nameRequired: 'Angenrheidiol - rhowch enw ar gyfer y defnyddiwr hwn',
+ },
+ validation: {
+ validation: 'Dilysiad',
+ validateAsEmail: 'Dilysu fel cyfeiriad ebost',
+ validateAsNumber: 'Dilysu fel rhif',
+ validateAsUrl: 'Dilysu fel URL',
+ enterCustomValidation: '...neu darparwch ddilysiad bersonol',
+ fieldIsMandatory: 'Maes yn ofynnol',
+ mandatoryMessage: 'Darparwch neges gwall dilysiad arferu (opsiynol)',
+ validationRegExp: 'Darparwch fynegiad rheoliadd',
+ validationRegExpMessage: 'Darparwch neges gwall dilysiad arferu (opsiynol)',
+ minCount: 'Mae angen i chi ychwanegu o leiaf',
+ maxCount: 'gallwch ddim ond gael',
+ addUpTo: 'Adio lan i',
+ items: 'o eitemau',
+ urls: 'url(s)',
+ urlsSelected: "url(s) wedi'i ddewis",
+ itemsSelected: "o eitemau wedi'u dewis",
+ invalidDate: 'Dyddiad annilys',
+ invalidNumber: 'Ddim yn rif',
+ invalidNumberStepSize: 'Ddim yn faint cam dilys',
+ invalidEmail: 'Ebost annilys',
+ invalidNull: 'Ni all y gwerth fod yn null',
+ invalidEmpty: 'Ni all y gwerth fod yn gwag',
+ invalidPattern: "Mae'r gwerth yn annilys, nid yw'n cyfateb i'r patrwm cywir",
+ customValidation: 'Dilysiad arferu',
+ entriesShort: 'Lleiafswm o %0% gofnodion, angen %1% mwy.',
+ entriesExceed: 'Uchafswm o %0% gofnodion, %1% gormod.',
+ invalidMemberGroupName: 'Enw grŵp aelod annilys',
+ invalidUserGroupName: 'Enw grŵp defnyddiwr annilys',
+ invalidToken: 'Tocyn annilys',
+ invalidUsername: 'Enw defnyddiwr annilys',
+ duplicateEmail: "Mae e-bost '%0%' wedi'i gymryd yn barod",
+ duplicateUserGroupName: "Mae enw grŵp defnyddiwr '%0%' wedi'i gymryd yn barod",
+ duplicateMemberGroupName: "Mae enw grŵp aelod '%0%' wedi'i gymryd yn barod",
+ duplicateUsername: "Mae'r enw defnyddiwr '%0%' wedi'i gymryd yn barod",
+ entriesAreasMismatch: "Nid yw'r gofynion maint cynnwys yn cael eu bodloni ar gyfer un maes neu fwy.",
+ },
+ healthcheck: {
+ checkSuccessMessage: "Gwerth wedi'i osod at y gwerth argymhellwyd: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Yn disgwyl y gwerth '%1%' ar gyfer '%2%' yn y ffeil ffurfweddu '%3%', ond darganfyddwyd '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "Darganfyddwyd gwerth annisgwyl '%0%' ar gyfer '%2%' yn y ffeil ffurfweddu '%3%'.",
+ macroErrorModeCheckSuccessMessage: "Gwallau Macro wedi gosod at '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Gwallau Macro wedi gosod at '%0%' a fydd yn atal rhai neu holl dudalennau yn eich safle rhag llwytho'n gyfan gwbl os oes unrhyw wallau o fewn macros. Bydd cywiro hyn yn gosod y gwerth at '%1%'.",
+ httpsCheckValidCertificate: 'Mae tystysgrif eich gwefan yn ddilys.',
+ httpsCheckInvalidCertificate: "Gwall dilysu tystysgrif: '%0%'",
+ httpsCheckExpiredCertificate: 'Mae tystysgrif SSL eich gwefan wedi terfynu.',
+ httpsCheckExpiringCertificate: 'Mae tystysgrif SSL eich gwefan am derfynu mewn %0% diwrnod.',
+ healthCheckInvalidUrl: "Gwall yn pingio'r URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: "Rydych yn bresennol %0% yn gweld y wefan yn defnyddio'r cynllun HTTPS.",
+ compilationDebugCheckSuccessMessage: "Modd casgliad dadfygio wedi'i analluogi.",
+ compilationDebugCheckErrorMessage:
+ "Modd casgliad dadfygio wedi'i alluogi. Argymhellwyd analluogi'r gosodiad yma cyn mynd yn fyw.",
+ clickJackingCheckHeaderFound:
+ "Mae'r peniad neu meta-tag X-Frame-Options sy'n cael ei ddefnyddio i reoli os mae safle'n gallu cael ei osod o fewn IFRAME gan safle arall wedi'i ganfod.",
+ clickJackingCheckHeaderNotFound:
+ "Nid yw'r peniad neu meta-tag X-Frame-Options sy'n cael ei ddefnyddio i reoli os mae safle'n gallu cael ei osod o fewn IFRAME gan safle arall wedi'i ganfod.",
+ noSniffCheckHeaderFound:
+ "Mae'r peniad neu meta-tag X-Content-Type-Options sy'n cael ei ddefnyddio i amddiffyn yn erbyn gwendidau sniffio MIME wedi'i ganfod.",
+ noSniffCheckHeaderNotFound:
+ "Nid yw'r peniad neu meta-tag X-Content-Type-Options sy'n cael ei ddefnyddio i amddiffyn yn erbyn gwendidau sniffio MIME wedi'i ganfod.",
+ hSTSCheckHeaderFound:
+ "Mae'r peniad Strict-Transport-Security, hefyd wedi'i adnabod fel HSTS-header, wedi'i ganfod.",
+ hSTSCheckHeaderNotFound: "Nid yw'r peniad Strict-Transport-Security wedi'i ganfod.",
+ hSTSCheckHeaderFoundOnLocalhost:
+ "Darganfuwyd y pennyn Strict-Transport-Security, a elwir hefyd yn HSTS-header. Ni ddylai'r pennyn hwn fod yn bresennol ar localhost.",
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ "Ni ddaethpwyd o hyd i'r pennyn Strict-Transport-Security. Ni ddylai'r pennyn hwn fod yn bresennol ar localhost.",
+ xssProtectionCheckHeaderFound: "Mae'r peniad X-XSS-Protection wedi'i ganfod.",
+ xssProtectionCheckHeaderNotFound: "Nid yw'r peniad X-XSS-Protection wedi'i ganfod.",
+ excessiveHeadersFound:
+ "Mae'r peniadau canlynol sy'n datgelu gwynodaeth am dechnoleg eich gwefan wedi'u canfod: %0%.",
+ excessiveHeadersNotFound: "Dim peniadau sy'n datgelu gwynodaeth am dechnoleg eich gwefan wedi'u canfod.",
+ smtpMailSettingsConnectionSuccess:
+ "Gosodiadau SMTP wedi ffurfweddu'n gywir ac mae'r gwasanaeth yn gweithio fel y disgwylir.",
+ notificationEmailsCheckSuccessMessage: "Ebost hysbusu wedi'i osod at %0%.",
+ notificationEmailsCheckErrorMessage: "Ebost hysbusu yn dal wedi'i osod at y gwerth diofyn o %0%.",
+ scheduledHealthCheckEmailBody:
+ "
Canlyniadau'r gwiriad Statws Iechyd Umbraco ar amserlen rhedwyd ar %0% am %1% fel y ganlyn:
Mae\'r gwiriwr iechyd yn gwerthuso gwahanol rannau o\'ch gwefan ar gyfer gosodiadau arfer gorau, cyfluniad, problemau posibl, ac ati. Gallwch chi drwsio problemau yn hawdd trwy wasgu botwm.\n Gallwch chi ychwanegu eich gwiriadau iechyd eich hun, edrych ar y ddogfennaeth i gael mwy o wybodaeth am wiriadau iechyd arferu.
\n ',
+ httpsCheckConfigurationRectifyNotPossible:
+ "Mae gosodiad ap 'Umbraco:CMS:Global:UseHttps' wedi'i osod i 'false' yn eich ffeil appSettings.json. Unwaith y byddwch yn cyrchu'r wefan hon gan ddefnyddio'r cynllun HTTPS, dylid gosod hwnnw i 'true'.",
+ httpsCheckConfigurationCheckResult:
+ "Mae'r gosodiad ap 'Umbraco:CMS:Global:UseHttps' wedi'i osod i '%0%' yn eich ffeil appSettings.json, mae eich cwcis %1% wedi'u marcio'n ddiogel.",
+ umbracoApplicationUrlCheckResultTrue: '.',
+ umbracoApplicationUrlCheckResultFalse:
+ "Nid yw gosodiad ap 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' wedi'i osod.",
+ smtpMailSettingsNotFound: "Nid oedd modd dod o hyd i'r ffurfweddiad 'Umbraco:CMS:Global:Smtp'.",
+ smtpMailSettingsHostNotConfigured: "Nid oedd modd dod o hyd i'r ffurfweddiad 'Umbraco:CMS:Global:Smtp:Host'.",
+ smtpMailSettingsConnectionFail:
+ "Methwyd cyrraedd y gweinydd SMTP a ffurfweddwyd gyda gwesteiwr '%0%' a phorth '%1%'. Gwiriwch i sicrhau bod y gosodiadau SMTP yn y ffurfweddiad 'Umbraco:CMS:Global:Smtp' yn gywir.",
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Analluogi olinydd URL',
+ enableUrlTracker: 'Galluogi olinydd URL',
+ culture: 'Diwylliant',
+ originalUrl: 'URL gwreiddiol',
+ redirectedTo: 'Ailgyfeirwyd I',
+ redirectUrlManagement: 'Gweinyddu Ailgyfeirio URLs',
+ panelInformation: "Mae'r URLs ganlynol yn ailgyfeirio at yr eitem gynnwys yma:",
+ noRedirects: "Dim ailgyfeiriadau wedi'u gwneud",
+ noRedirectsDescription:
+ "Pan mae tudalen wedi'i gyhoeddi yn cael ei ailenwi neu symud bydd ailgyfeiriad yn cael ei greu yn awtomatig at y dudalen newydd.",
+ redirectRemoved: "URL ailgyfeirio wedi'i ddileu.",
+ redirectRemoveError: "Gwall yn dileu'r URL.",
+ redirectRemoveWarning: "Bydd hyn yn dileu'r ailgyfeiriad",
+ confirmDisable: "Ydych chi'n sicr eich bod eisiau analluogi'r olinydd URL?",
+ disabledConfirm: "Mae'r olinydd URL wedi cael ei analluogi.",
+ disableError: "Gwall yn ystod analluogi'r olinydd URL, gall fwy o wybodaeth gael ei ddarganfod yn eich ffeil log.",
+ enabledConfirm: "Mae'r olinydd URL wedi cael ei alluogi.",
+ enableError: "Gwall yn ystod galluogi'r olinydd URL, gall fwy o wybodaeth gael ei ddarganfod yn eich ffeil log.",
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Dim eitemau Geiriadur i ddewis ohonynt',
+ },
+ textbox: {
+ characters_left: 'o nodau ar ôl',
+ characters_exceed: 'Uchafswm o %0% nodau cyfrannol, %1% gormod.',
+ },
+ recycleBin: {
+ contentTrashed: 'Wedi chwalu cynnwys gyda Id: {0} yn berthnasol i gynnwys rhiant gwreiddiol gyda Id: {1}',
+ mediaTrashed: 'Wedi chwalu cyfrwng gyda Id: {0} yn berthnasol i gyfrwng rhiant gwreiddiol gyda Id: {1}',
+ itemCannotBeRestored: 'Ni ellir adfer yr eitem yma yn awtomatig',
+ itemCannotBeRestoredHelpText:
+ "Nid oes unrhyw leoliad lle gellir adfer yr eitem hon yn awtomatig. Gallwch chi symud yr eitem â llaw gan ddefnyddio'r goeden isod.",
+ wasRestored: 'oedd adferwyd o dan',
+ },
+ relationType: {
+ direction: 'Cyfeiriad',
+ parentToChild: 'Rhiant i plentyn',
+ bidirectional: 'Deugyfeiriadol',
+ parent: 'Rhiant',
+ child: 'Plentyn',
+ count: 'Cyfrif',
+ relations: 'Cysylltiadau',
+ created: 'Creu',
+ comment: 'Sylw',
+ name: 'Enw',
+ noRelations: 'Dim cysylltiadau ar gyfer y math hwn o berthynas.',
+ tabRelationType: 'Math o Berthynas',
+ tabRelations: 'Cysylltiadau',
+ relation: 'Perthynas',
+ isDependency: 'A yw Dibyniaeth',
+ dependency: 'Ydw',
+ noDependency: 'Nac ydw',
+ },
+ dashboardTabs: {
+ contentIntro: 'Dechrau Arni',
+ contentRedirectManager: 'Rheolaeth Ailgyfeirio URL',
+ mediaFolderBrowser: 'Cynnwys',
+ settingsWelcome: 'Croeso',
+ settingsExamine: 'Rheolaeth Examine',
+ settingsPublishedStatus: 'Statws Cyhoeddedig',
+ settingsModelsBuilder: 'Adeiladwr Modelau',
+ settingsHealthCheck: 'Gwiriad Iechyd',
+ settingsProfiler: 'Proffilio',
+ memberIntro: 'Dechrau Arni',
+ formsInstall: 'Gosod Ffurflenni Umbraco',
+ settingsAnalytics: 'Data telemetreg',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Mynd yn ôl',
+ activeListLayout: 'Cynllun gweithredol:',
+ jumpTo: 'Neidio i',
+ group: 'grŵp',
+ passed: 'pasio',
+ warning: 'rhybudd',
+ failed: 'methu',
+ suggestion: 'awgrym',
+ checkPassed: "Gwiriad wedi'i basio",
+ checkFailed: "Gwiriad wedi'i methu",
+ openBackofficeSearch: 'Agor chwiliad swyddfa gefn',
+ openCloseBackofficeHelp: 'Agor/Cau cymorth swyddfa gefn',
+ openCloseBackofficeProfileOptions: 'Agor/Cau eich opsiynau proffil',
+ assignDomainDescription: 'Sefydli Diwylliannau ac Enwau Gwesteia am %0%',
+ createDescription: 'Creu nod newydd o dan %0%',
+ protectDescription: 'Sefydli Mynediad Cyhoeddus ar %0%',
+ rightsDescription: 'Sefydli Caniataid ar %0%',
+ sortDescription: ' Newid y trefniad am %0%',
+ createblueprintDescription: 'Creu templed cynnwys yn seiliedig ar %0%',
+ openContextMenu: 'Agor dewislen cyd-destun ar gyfer',
+ currentLanguage: 'Iaith gyfredol',
+ switchLanguage: 'Newid iaith i',
+ createNewFolder: 'Creu ffolder newydd',
+ newPartialView: 'Golwg Rhannol',
+ newPartialViewMacro: 'Macro Golwg Rhannol',
+ newMember: 'Aelod',
+ newDataType: 'Math o ddata',
+ redirectDashboardSearchLabel: "Chwilio'r dangosfwrdd ailgyfeirio",
+ userGroupSearchLabel: "Chwilio'r adran grŵp defnyddwyr",
+ userSearchLabel: "Chwilio'r adran defnyddwyr",
+ createItem: 'Creu eitem',
+ create: 'Creu',
+ edit: 'Golygu',
+ name: 'Enw',
+ addNewRow: 'Ychwanegu rhes newydd',
+ tabExpand: 'Gweld mwy o opsiynau',
+ searchOverlayTitle: "Chwilio'r swyddfa gefn Umbraco",
+ searchOverlayDescription: 'Chwilio am nodau gynnwys, nodau cyfryngau ayyb. ar draws y swyddfa gefn.',
+ searchInputDescription:
+ "Pryd mae canlyniadau awtocyflawni ar gael, gwasgwch y saethau lan a lawr, neu ddefnyddio'r fysell tab ac y fysell enter i ddewis.",
+ path: 'Llwybr:',
+ foundIn: "Wedi'i ddarganfod yn",
+ hasTranslation: 'Wedi cyfieithu',
+ noTranslation: 'Cyfieithiad ar goll',
+ dictionaryListCaption: 'Eitemau geiriadur',
+ contextMenuDescription: "Dewis un o'r opsiynau i olygu'r nod",
+ contextDialogDescription: 'Gwneud gweithred %0% ar y nod %1%',
+ addImageCaption: 'Ychwanegu capsiwn am y llun',
+ searchContentTree: "Chwilio'r coeden cynnwys",
+ maxAmount: 'Uchafswm',
+ expandChildItems: 'Ehangu eitemau plentyn ar gyfer',
+ openContextNode: 'Agor nod cyd-destun ar gyfer',
+ },
+ references: {
+ tabName: 'Cyfeiriadau',
+ DataTypeNoReferences: 'This Data Type has no references. Nid oes gan y Math o Ddata hwn unrhyw gyferiadau.',
+ labelUsedByDocumentTypes: 'Defnyddir mewn Mathau o Ddogfennau',
+ labelUsedByMediaTypes: 'Defnyddir mewm Mathau o Gyfrwng',
+ labelUsedByMemberTypes: 'Defnyddir mewn Mathau o Aelod',
+ usedByProperties: 'Defnyddir gan',
+ itemHasNoReferences: 'Nid oes gan yr eitem hon unrhyw gyfeiriadau.',
+ labelUsedByItems: 'Cyfeirir ato gan yr eitemau canlynol',
+ labelDependsOnThis: "Mae'r eitemau canlynol yn dibynnu ar hyn",
+ labelUsedItems: 'Cyfeirir at yr eitemau canlynol',
+ labelUsedDescendants: 'Mae gan yr eitemau disgynnol canlynol ddibyniaethau',
+ labelDependentDescendants: 'Mae gan yr eitemau disgynnol canlynol ddibyniaethau',
+ deleteWarning:
+ "Mae'r eitem hon neu ei disgynyddion yn cael ei chyfeirnodi. Gall dileu arwain at ddolenni wedi'u torri ar eich gwefan.",
+ unpublishWarning:
+ "Mae'r eitem hon neu ei disgynyddion yn cael ei chyfeirnodi. Gall dadgyhoeddi arwain at ddolenni wedi'u torri ar eich gwefan. Cymerwch y camau priodol.",
+ deleteDisabledWarning:
+ "Mae'r eitem hon neu ei disgynyddion yn cael ei chyfeirnodi. Felly, mae dileu wedi'i analluogi.",
+ listViewDialogWarning: "Mae'r eitemau canlynol yr ydych yn ceisio eu %0% yn cael eu cyfeirio gan gynnwys arall.",
+ },
+ logViewer: {
+ deleteSavedSearch: 'Dileu Chwiliad Cadwedig',
+ logLevels: 'Lefelau Log',
+ selectAllLogLevelFilters: 'Dewiswch y cyfan',
+ deselectAllLogLevelFilters: 'Dad-ddewiswch bawb',
+ savedSearches: 'Chwiliadau Cadwedig',
+ saveSearch: 'Arbed Chwiliad',
+ saveSearchDescription: 'Rhoi enw cyfeillgar am eich ymholiad chwilio',
+ filterSearch: 'Hidlo Chwiliad',
+ totalItems: 'Cyfanswm o Eitemau',
+ timestamp: 'Stamp Amser',
+ level: 'Lefel',
+ machine: 'Peiriant',
+ message: 'Neges',
+ exception: 'Eithriad',
+ properties: 'Priodweddau',
+ searchWithGoogle: 'Chwilio efo Google',
+ searchThisMessageWithGoogle: 'Chwiliwch y neges hon efo Google',
+ searchWithBing: 'Chwilio efo Bing',
+ searchThisMessageWithBing: 'Chwiliwch y neges hon efo Bing',
+ searchOurUmbraco: 'Chwilio Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Chwiliwch y neges hon arno Our Umbraco fforymau a dogfennau',
+ searchOurUmbracoWithGoogle: 'Chwilio Our Umbraco efo Google',
+ searchOurUmbracoForumsUsingGoogle: 'Chwilio Our Umbraco fforymau efo Google',
+ searchUmbracoSource: "Chwilio'r cod gwreiddiol Umbraco",
+ searchWithinUmbracoSourceCodeOnGithub: 'Chwilio tu fewn y cod gwreiddiol Umbraco ar Github',
+ searchUmbracoIssues: 'Chwilio Problemau Umbraco',
+ searchUmbracoIssuesOnGithub: 'Chwilio Problemau Umbraco ar Github',
+ deleteThisSearch: 'Dileu chwiliad hon',
+ findLogsWithRequestId: 'Darganfod logiau efo ID y Cais',
+ findLogsWithNamespace: 'Darganfod logiau efo Namespace',
+ findLogsWithMachineName: 'Darganfod logiau efo Enw Peiriant',
+ open: 'Agor',
+ polling: 'Diweddaru',
+ every2: 'Pob 2 eiliad',
+ every5: 'Pob 5 eiliad',
+ every10: 'Pob 10 eiliad',
+ every20: 'Pob 20 eiliad',
+ every30: 'Pob 30 eiliad',
+ pollingEvery2: 'Diweddaru pob 2e',
+ pollingEvery5: 'Diweddaru pob 5e',
+ pollingEvery10: 'Diweddaru pob 10e',
+ pollingEvery20: 'Diweddaru pob 20e',
+ pollingEvery30: 'Diweddaru pob 30e',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Copi %0%',
+ labelForArrayOfItemsFrom: '%0% o %1%',
+ labelForArrayOfItems: 'Casgliad o %0%',
+ labelForRemoveAllEntries: 'Dileu pob eitem',
+ labelForClearClipboard: 'Clirio y clipfwrdd',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Agor Gweithredoedd Priodweddau',
+ tooltipForPropertyActionsMenuClose: 'Cau Gweithredoedd Priodweddau',
+ },
+ nuCache: {
+ refreshStatus: 'Adnewyddu statws',
+ memoryCache: 'Cuddstôr Cof',
+ memoryCacheDescription:
+ "\n Mae'r botwm hwn yn caniatáu ichi ail-lwytho'r cuddstôr mewn-cof, gan ail-lwytho fo o'r stôr cronfa ddata\n (ond nid yw'n ailadeiladu stôr cronfa ddata hwnna). Mae hyn yn gymharol o gyflym.\n Defnyddio fo pan ti'n feddwl nad yw'r stôr gof wedi'i hadnewyddu'n iawn, ar ôl i rai digwyddiad\n digwydd—a fyddai'n arwydd o broblem fach efo Umbraco.\n (nodyn: mae hyn yn achosi ail-lwytho ar pob gweinydd mewn amgylchedd LB).\n ",
+ reload: 'Ail-lwytho',
+ databaseCache: 'Cuddstôr Cronfa Ddata ',
+ databaseCacheDescription:
+ "\n Mae'r botwm hwn yn caniatáu ichi ailadeiladu'r cuddstôr cronfa ddata, h.y. y cynnwys o'r tabl cmsContentNu.\n Gall ailadeiladu fod yn ddrud.\n Defnyddio fo pan mae ail-lwytho ddim yn ddigon, a ti'n feddwl mai'r stôr cronfa ddata heb gael ei\n chynhyrchu'n iawn—a fyddai'n arwydd o broblem gritigol efo Umbraco.\n ",
+ rebuild: 'Ailadeiladu',
+ internals: 'Mewnol',
+ internalsDescription:
+ "\n Mae'r botwm hwn yn caniatáu ichi sbarduno casgliad cipluniau o NuCache (ar ôl rhedeg fullCLR GC)\n Oni bai chi'n gwybod beth mae hynny'n ei olygu, mae'n debyg nad oes angeni chi ei defnyddio.\n ",
+ collect: 'Casglu',
+ publishedCacheStatus: 'Statws Cuddstôr Cyhoeddedig',
+ caches: 'Cuddstorau',
+ },
+ profiling: {
+ performanceProfiling: 'Proffilio perfformiad',
+ performanceProfilingDescription:
+ "\n
\n Mae Umbraco yn rhedeg mewn modd dadfygio. Mae hyn yn golygu y gallwch chi ddefnyddio'r proffiliwr perfformiad adeiledig i asesu'r perfformiad wrth rendro tudalennau.\n
\n
\n OS ti eisiau actifadu'r proffiliwr am rendro tudalen penodol, bydd angen ychwanegu umbDebug=true i'r ymholiad wrth geisio am y tudalen\n
\n
\n Os ydych chi am i'r proffiliwr gael ei actifadu yn ddiofyn am bob rendrad tudalen, gallwch chi ddefnyddio'r togl isod.\n Bydd e'n gosod cwci yn eich porwr, sydd wedyn yn actifadu'r proffiliwr yn awtomatig.\n Mewn geiriau eraill, bydd y proffiliwr dim ond yn actif yn ddiofyn yn eich porwr chi - nid porwr pawb eraill.\n
\n ",
+ activateByDefault: 'Actifadu y proffiliwr yn ddiofyn',
+ reminder: 'Nodyn atgoffa cyfeillgar',
+ reminderDescription:
+ '\n
\n Ni ddylech chi fyth adael i safle cynhyrchu redeg yn y modd dadfygio. Mae\'r modd dadfygio yn gallu cael ei diffodd trwy ychwanegu\'r gosodiad debug="false" ar yr elfen grynhoi yn web.config.\n
\n ',
+ profilerEnabledDescription:
+ "\n
\n Mae Umbraco ddim yn rhedeg mewn modd dadfygio ar hyn o bryd, felly nid allwch chi ddefnyddio'r proffiliwer adeiledig. Dyma sut y dylai fod ar gyfer safle cynhyrchu.\n
\n
\n Mae'r modd dadfygio yn gallu cael ei throi arno gan ychwanegu'r gosodiad debug=\"true\" ar yr elfen grynhoi yn web.config.\n
\n ",
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Oriau o fideos hyfforddiant Umbraco ddim ond un clic i fwrdd',
+ trainingDescription:
+ '\n
Eisiau meistroli Umbraco? Treuliwch gwpl o funudau yn dysgu rhai o\'r arferion gorau gan wylio un o\'r fideos hyn am sut i ddefnyddio Umbraco. Ac ymweld â umbraco.tv am fwy o fideos am Umbraco
\n ',
+ getStarted: 'I roi cychwyn i chi',
+ },
+ settingsDashboard: {
+ start: 'Dechrau yma',
+ startDescription:
+ "Mae'r adran hon yn cynnwys y blociau adeiladu am eich safle Umbraco. Dilyn y dolenni isod i ddarganfod fwy am weithio gyda'r eitemau yn yr adran Gosodiadau",
+ more: 'Ddarganfod fwy',
+ bulletPointOne:
+ '\n Darllenwch fwy am weithio efo\'r eitemau yn yr adran Gosodiadau fewn yr adran Dogfennaeth o Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Gofynnwch gwestiwn yn y Fforwm Cymunedol\n ',
+ bulletPointFour:
+ '\n Darganfyddwch fwy am ein hoffer hybu cynhyrchiant a chefnogaeth fasnachol\n ',
+ bulletPointFive:
+ '\n Darganfyddwch fwy am gyfleoedd hyfforddi ac ardystio\n ',
+ bulletPointTutorials:
+ '\n Gwyliwch ein fideos tiwtorial rhad ac am ddim ar Ganolfan Ddysgu Umbraco\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: "Croeso i'r SRC cyfeillgar",
+ fallbackDescription:
+ "Diolch am ddewis Umbraco - rydyn ni'n credu y gallai hyn fod dechreuad i rywbeth prydferth. Er y gallai deilo'n llethol ar y dechrau, rydym wedi gwneud llawer i wneud y gromlin ddysgu mor llyfn a chyflym a phosib.",
+ },
+ formsDashboard: {
+ formsHeadline: 'Ffurflenni Umbraco',
+ formsDescription:
+ "Creu ffurflenni gan ddefnyddio rhyngwyneb llusgo a gollwng sythweledol. O ffurflenni cyswllt syml sy'n anfon e-byst, i holiaduron mwy datblygedig sy'n integreiddio efo systemau CRM. Bydd eich cleientiaid wrth ei modd!",
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Creu bloc newydd',
+ headlineAddSettingsElementType: 'Atodwch adran gosodiadau',
+ headlineAddCustomView: 'Dewis golygfa',
+ headlineAddCustomStylesheet: 'Dewis taflen arddull',
+ headlineAddThumbnail: 'Dewis delwedd bawd',
+ labelcreateNewElementType: 'Creu newydd',
+ labelCustomStylesheet: 'Taflen arddull arferu',
+ addCustomStylesheet: 'Ychwanegu taflen arddull',
+ headlineEditorAppearance: 'Ymddangosiad y golygydd',
+ headlineDataModels: 'Modelau data',
+ headlineCatalogueAppearance: 'Ymddangosiad y catalog',
+ labelBackgroundColor: 'Lliw cefndir',
+ labelIconColor: 'Lliw eicon',
+ labelContentElementType: 'Model Cynnwys',
+ labelLabelTemplate: 'Label',
+ labelCustomView: 'Golygfa arferu',
+ labelCustomViewInfoTitle: 'Ddangos disgrifiad golygfa arferu',
+ labelCustomViewDescription:
+ "Trosysgrifo sut mae'r bloc hwn yn ymddangos yn yr UI y swyddfa gefn. Dewis ffeil .html sy'n cynnwys eich cyflwyniad.",
+ labelSettingsElementType: 'Model gosodiadau',
+ labelEditorSize: 'Maint y golygydd troshaen',
+ addCustomView: 'Ychwanegu golygfa arferu',
+ addSettingsElementType: 'Ychwanegu gosodiadau',
+ confirmDeleteBlockMessage: "Ydych chi'n siŵr eich bod chi am ddileu'r cynnwys o %0%.",
+ confirmDeleteBlockTypeMessage: "Ydych chi'n siŵr eich bod chi am ddileu'r cyfluniad bloc o %0%.",
+ confirmDeleteBlockTypeNotice:
+ "Bydd cynnwys y bloc hwn yn dal i fod yn bresennol, ni fydd golygu'r cynnwys hwn ar gael mwyach a bydd yn cael ei ddangos fel cynnwys heb gefnogaeth.",
+ blockConfigurationOverlayTitle: "Cyfluniad o '%0%'",
+ thumbnail: 'Delwedd bawd',
+ addThumbnail: 'Ychwanegu delwedd bawd',
+ tabCreateEmpty: 'Creu gwag',
+ tabClipboard: 'Clipfwrdd',
+ tabBlockSettings: 'Gosodiadau',
+ headlineAdvanced: 'Datblygedig',
+ forceHideContentEditor: "Gorfodi cuddio'r golygydd cynnwys",
+ blockHasChanges:
+ "Rydych chi wedi gwneud newidiadau i'r cynnwys hwn. Wyt ti'n siŵr eich bod chi am eu taflu ei fwrdd?",
+ confirmCancelBlockCreationHeadline: 'Gwaredu cread?',
+ confirmCancelBlockCreationMessage: "Ydych chi'n siŵr eich bod chi'n am ganslo'r cread?",
+ elementTypeDoesNotExistHeadline: 'Gwall!',
+ elementTypeDoesNotExistDescription: "Nid yw'r Math Elfen y bloc hwn yn bodoli mwyach",
+ addBlock: 'Ychwanegu cynnwys',
+ addThis: 'Ychwanegu %0%',
+ propertyEditorNotSupported:
+ "Priodwedd '%0%' yn defnyddio'r golygydd '%1%' sydd ddim yn cael ei gefnogi mewn blociau.",
+ confirmDeleteBlockGroupMessage: ' and all the Block configurations of this?',
+ confirmDeleteBlockGroupNotice:
+ "Bydd cynnwys y Blociau hyn yn dal i fod yn bresennol, ni fydd golygu'r cynnwys hwn ar gael mwyach a bydd yn cael ei ddangos fel cynnwys heb ei gefnogi.",
+ elementTypeDoesNotExist: 'Nid oes modd ei olygu oherwydd nad yw ElementType yn bodoli.',
+ forceHideContentEditorHelp: "Cuddiwch y botwm golygu cynnwys a'r golygydd cynnwys rhag troshaen y Golygydd Bloc",
+ focusParentBlock: 'Gosod ffocws ar y bloc cynhwysydd',
+ areaIdentification: 'Adnabyddiaeth',
+ areaValidation: 'Dilysiad',
+ areaValidationEntriesShort: ' time(s).',
+ areaValidationEntriesExceed: ' time(s).',
+ areaNumberOfBlocks: 'Nifer y blociau',
+ areaDisallowAllBlocks: 'Dim ond yn caniatáu mathau penodol o flociau',
+ areaAllowedBlocks: 'Mathau o flociau a ganiateir',
+ areaAllowedBlocksHelp:
+ 'Diffiniwch y mathau o flociau a ganiateir yn y maes hwn, ac yn ddewisol faint o bob math a ddylai fod yn bresennol.',
+ confirmDeleteBlockAreaMessage: "Ydych chi'n siŵr eich bod am ddileu'r ardal hon?",
+ confirmDeleteBlockAreaNotice:
+ "Bydd unrhyw flociau sy'n cael eu creu yn yr ardal hon ar hyn o bryd yn cael eu dileu.",
+ layoutOptions: 'Opsiynau gosodiad',
+ structuralOptions: 'Strwythurol',
+ sizeOptions: 'Opsiynau maint',
+ sizeOptionsHelp: 'Diffiniwch un neu fwy o opsiynau maint, mae hyn yn galluogi newid maint y Bloc',
+ allowedBlockColumns: 'Rhychwant colofnau sydd ar gael',
+ allowedBlockColumnsHelp:
+ "Diffiniwch y nifer gwahanol o golofnau y caniateir i'r bloc hwn rychwantu ar eu traws. Nid yw hyn yn atal Blociau rhag cael eu gosod mewn Ardaloedd o rychwant colofnau llai.",
+ allowedBlockRows: 'Rhychwant rhesi sydd ar gael',
+ allowedBlockRowsHelp: "Diffiniwch yr ystod o resi cynllun y mae'r bloc hwn yn gallu ymestyn ar eu traws.",
+ allowBlockInRoot: 'Caniatáu yn y gwraidd',
+ allowBlockInRootHelp: 'Gwnewch y bloc hwn ar gael yng ngwraidd y cynllun.',
+ allowBlockInAreas: 'Caniatáu mewn ardaloedd',
+ allowBlockInAreasHelp: 'Gwnewch y bloc hwn ar gael o fewn Blociau eraill.',
+ areas: 'Ardaloedd',
+ areasLayoutColumns: 'Colofnau Grid ar gyfer Ardaloedd',
+ areasLayoutColumnsHelp:
+ 'Diffiniwch faint o golofnau fydd ar gael ar gyfer ardaloedd. Os na chaiff ei ddiffinio, bydd nifer y colofnau a ddiffinnir ar gyfer y cynllun cyfan yn cael eu defnyddio.',
+ areasConfigurations: 'Ardaloedd',
+ areasConfigurationsHelp:
+ "Er mwyn galluogi blociau i nythu o fewn y bloc hwn, diffiniwch un neu fwy o ardaloedd ar gyfer blociau i nythu ynddynt. Ardaloedd yn dilyn eu cynllun eu hunain gwrach ei ddiffinio gan y Colofnau Grid ar gyfer Ardaloedd. Gellir addasu rhychwant pob colofn Ardal a rhychwant rhes trwy ddefnyddio'r teclyn trin graddfa yn y gornel dde isaf.",
+ invalidDropPosition: ' ni chaniateir yn y fan hon.',
+ defaultLayoutStylesheet: 'Taflen arddull gosodiad diofyn',
+ confirmPasteDisallowedNestedBlockHeadline: 'Gwrthodwyd cynnwys a wrthodwyd',
+ confirmPasteDisallowedNestedBlockMessage:
+ "Roedd y cynnwys a fewnosodwyd yn cynnwys cynnwys na caniateir, nad yw wedi'i greu. Hoffech chi gadw gweddill y cynnwys hwn beth bynnag?",
+ areaAliasHelp:
+ "Bydd yr alias yn cael ei argraffu gan GetBlockGridHTML(), defnyddiwch yr alias i dargedu'r Elfen sy'n cynrychioli'r ardal hon. Ex. .umb-block-grid__area[data-area-alias=\"MyAreaAlias\"] { ... }",
+ scaleHandlerButtonTitle: 'Llusgwch i raddfa',
+ areaCreateLabelTitle: 'Creu Label Botwm',
+ areaCreateLabelHelp: "Trosysgrifo'r label ar fotwm creu yr Ardal hon.",
+ showSizeOptions: 'Dangos opsiynau newid maint',
+ addBlockType: 'Ychwanegu Bloc',
+ addBlockGroup: 'Ychwanegu grŵp',
+ pickSpecificAllowance: 'Dewiswch grŵp neu Floc',
+ allowanceMinimum: 'Gosod y gofyniad lleiaf ar gyfer y lwfans hwn',
+ allowanceMaximum: 'Gosod y gofyniad uchaf ar gyfer y lwfans hwn',
+ block: 'Gosod uchafswm y gofyniad ar gyfer y lwfans hwn',
+ tabBlock: 'Bloc',
+ tabBlockTypeSettings: 'Gosodiadau',
+ tabAreas: 'Ardaloedd',
+ tabAdvanced: 'Uwch',
+ headlineAllowance: 'Lwfans',
+ getSampleHeadline: 'Gosod Cyfluniad Sampl',
+ getSampleDescription:
+ "Bydd hyn yn ychwanegu Blociau sylfaenol ac yn eich helpu i ddechrau gyda'r Golygydd Grid Bloc. Fe gewch Blociau ar gyfer Pennawd, Testun Cyfoethog, Delwedd, yn ogystal â Chynllun Dwy Golofn.",
+ getSampleButton: 'Gosod',
+ gridInlineEditing: 'Golygu mewnol',
+ gridInlineEditingHelp:
+ 'Yn galluogi golygu mewnol ar gyfer yr Eiddo cyntaf. Gellir golygu priodweddau ychwanegol yn y droshaen.',
+ areaAllowedBlocksEmpty:
+ 'Yn ddiofyn, caniateir pob math bloc mewn Ardal, Defnyddiwch yr opsiwn hwn i ganiatáu mathau dethol yn unig.',
+ actionEnterSortMode: 'Modd trefnu',
+ actionExitSortMode: 'Gadael modd trefnu',
+ areaAliasIsNotUnique:
+ "Rhaid i'r Enw Arall, yr Ardal hwn, fod yn unigryw i gymharu ag Ardaloedd eraill yn y Bloc hwn.",
+ configureArea: 'Ffurfweddu ardal',
+ deleteArea: 'Dileu ardal',
+ addColumnSpanOption: 'Ychwanegu opsiwn rhychwantu %0% colofn',
+ insertBlock: 'Mewnosod Bloc',
+ labelInlineMode: "Arddangos yn fewnol â'r testun",
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Beth yw Templedi Gynnwys',
+ whatDescription:
+ 'Mae Templedi Gynnwys yn gynnwys cyn-diffiniedig sydd yn gallu cael ei ddewis wrth greu nod cynnwys newydd.',
+ createHeadline: "Sut ydw i'n creu Templed Gynnwys?",
+ createDescription:
+ '\n
Mae yna ddwy ffordd i greu Templed Gynnwys:
\n
\n
Gliciwch-de ar nod cynnwys a dewis "Creu Templed Gynnwys" i greu Templed Gynnwys newydd.
\n
Gliciwch-de ar y goeden Templedi Gynnwys yn yr adran Gosodiadau a dewis y Math of Dogfen ti eisiau creu Templed Gynnwys am.
\n
\n
Unwaith y rhoddir enw, gall golygyddion ddechrau defnyddio\'r Templed Gynnwys fel sylfaen am ei thudalen newydd.
\n ',
+ manageHeadline: "Sut ydw i'n rheoli Templedi Gynnwys",
+ manageDescription:
+ "Gallwch chi olygu a dileu Templedi Gynnwys o'r goeden \"Templedi Gynnwys\" yn yr adran Gosodiadau. Ehangwch y Math o Ddogfen mae'r Templed Gynnwys yn seiliedig arno a chlicio fo i'w golygu neu ddileu.",
+ },
+ preview: {
+ endLabel: 'Diweddu',
+ endTitle: 'Diwedd modd rhagolwg',
+ openWebsiteLabel: 'Rhagolwg y wefan',
+ openWebsiteTitle: 'Agor y wefan mewn modd rhagolwg',
+ returnToPreviewHeadline: 'Rhagolwg y wefan?',
+ returnToPreviewDescription:
+ "Rydych chi wedi dod â'r modd rhagolwg i ben, a ydych chi am ei alluogi eto i weld y fersiwn ddiweddaraf o'ch gwefan sydd wedi'i chadw?",
+ returnToPreviewAcceptButton: 'Rhagolwg fersiwn ddiweddaraf',
+ returnToPreviewDeclineButton: 'Gweld fersiwn cyhoeddedig',
+ viewPublishedContentHeadline: 'Gweld fersiwn cyhoeddedig?',
+ viewPublishedContentDescription:
+ 'Rydych chi yn y Modd Rhagolwg, a ydych chi eisiau gadael er mwyn gweld fersiwn gyhoeddedig eich gwefan?',
+ viewPublishedContentAcceptButton: 'Gweld fersiwn cyhoeddedig',
+ viewPublishedContentDeclineButton: 'Aros mewn modd rhagolwg',
+ },
+ permissions: {
+ FolderCreation: 'Creu ffolder',
+ FileWritingForPackages: 'Ysgrifennu ffeiliau ar gyfer pecynnau',
+ FileWriting: 'Ysgrifennu ffeil',
+ MediaFolderCreation: 'Creu ffolder cyfryngau',
+ },
+ treeSearch: {
+ searchResult: "yr eitem wedi'i dychwelyd ",
+ searchResults: "yr eitemau wedi'i dychwelyd",
+ },
+ analytics: {
+ consentForAnalytics: 'Caniatâd ar gyfer data telemetreg',
+ analyticsLevelSavedSuccess: "Lefel telemetreg wedi'i chadw!",
+ analyticsDescription:
+ ' yn casglu unrhyw ddata personol megis cynnwys, cod, gwybodaeth defnyddiwr, a bydd yr holl ddata yn gwbl ddienw.\n ',
+ minimalLevelDescription: 'Byddwn ond yn anfon ID safle dienw i roi gwybod i ni bod y wefan yn bodoli.',
+ basicLevelDescription: "Byddwn yn anfon ID safle dienw, fersiwn Umbraco, a phecynnau wedi'u gosod",
+ detailedLevelDescription: '\n Byddwn yn anfon:\n ',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/da-dk.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/da-dk.ts
new file mode 100644
index 0000000000..224cf316de
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/da-dk.ts
@@ -0,0 +1,2571 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: da
+ * Language Int Name: Danish (DK)
+ * Language Local Name: dansk (DK)
+ * Language LCID:
+ * Language Culture: da-DK
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+
+export default {
+ actions: {
+ assigndomain: 'Tilføj domæne',
+ auditTrail: 'Revisionsspor',
+ browse: 'Gennemse elementer',
+ changeDocType: 'Skift Dokument Type',
+ changeDataType: 'Skift Input Type',
+ copy: 'Kopier',
+ create: 'Opret',
+ export: 'Eksportér',
+ createPackage: 'Opret pakke',
+ createGroup: 'Opret gruppe',
+ delete: 'Slet',
+ disable: 'Deaktivér',
+ editSettings: 'Edit settings',
+ emptyrecyclebin: 'Tøm papirkurv',
+ enable: 'Aktivér',
+ exportDocumentType: 'Eksportér dokumenttype',
+ importdocumenttype: 'Importér dokumenttype',
+ importPackage: 'Importér pakke',
+ liveEdit: 'Redigér i Canvas',
+ logout: 'Log af',
+ move: 'Flyt',
+ notify: 'Notificeringer',
+ protect: 'Offentlig adgang',
+ publish: 'Udgiv',
+ unpublish: 'Afpublicér',
+ refreshNode: 'Genindlæs elementer',
+ remove: 'Fjern',
+ republish: 'Genudgiv hele sitet',
+ rename: 'Omdøb',
+ restore: 'Gendan',
+ chooseWhereToCopy: 'Vælg hvor du vil kopiere',
+ chooseWhereToMove: 'Vælg hvortil du vil flytte',
+ infiniteEditorChooseWhereToMove: 'Vælg hvor du vil flytte de valgte elementer hen',
+ toInTheTreeStructureBelow: 'til i træstrukturen nedenfor',
+ infiniteEditorChooseWhereToCopy: 'Vælg hvor du vil kopiere de valgte elementer til',
+ wasMovedTo: 'blev flyttet til',
+ wasCopiedTo: 'blev kopieret til',
+ wasDeleted: 'blev slettet',
+ rights: 'Rettigheder',
+ rollback: 'Fortryd ændringer',
+ sendtopublish: 'Send til udgivelse',
+ sendToTranslate: 'Send til oversættelse',
+ setGroup: 'Sæt gruppe',
+ sort: 'Sortér',
+ translate: 'Oversæt',
+ update: 'Opdatér',
+ setPermissions: 'Sæt rettigheder',
+ unlock: 'Lås op',
+ createblueprint: 'Opret indholdsskabelon',
+ resendInvite: 'Gensend Invitation',
+ editContent: 'Edit content',
+ chooseWhereToImport: 'Choose where to import',
+ },
+ actionCategories: {
+ content: 'Indhold',
+ administration: 'Administration',
+ structure: 'Struktur',
+ other: 'Andet',
+ },
+ actionDescriptions: {
+ assignDomain: 'Tillad adgang til at tildele sprog og domæner',
+ auditTrail: 'Tillad adgang for at få vist en nodes historik',
+ browse: 'Tillad adgang for at få vist en node',
+ changeDocType: 'Tillad adgang til at ændre dokumenttype for en node',
+ copy: 'Tillad adgang til at kopiere en node',
+ create: 'Tillad adgang til at oprette noder',
+ delete: 'Tillad adgang til at slette noder',
+ move: 'Tillad adgang til at flytte en node',
+ protect: 'Tillad adgang til at indstille og ændre offentlig adgang til en node',
+ publish: 'Tillad adgang til at udgive en node',
+ unpublish: 'Tillad adgang til at afpublicere en node',
+ rights: 'Tillad adgang til at ændre rettigheder for en node',
+ rollback: 'Tillad adgang til at returnere en node til en tidligere tilstand',
+ sendtopublish: 'Tillad adgang til at sende en node til godkendelse før den udgives',
+ sendToTranslate: 'Tillad adgang til at sende en node til oversættelse',
+ sort: 'Tillad adgang til at ændre sorteringsrækkefølge for noder',
+ translate: 'Tillad adgang til at oversætte en node',
+ update: 'Tillad adgang til at gemme en node',
+ createblueprint: 'Tillad adgang til at oprette en indholdsskabelon',
+ notify: 'Tillad adgang til at oprette notificeringer for noder',
+ },
+ apps: {
+ umbContent: 'Indhold',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Tilladelse nægtet.',
+ addNew: 'Tilføj nyt domæne',
+ remove: 'fjern',
+ invalidNode: 'Ugyldig node.',
+ invalidDomain: 'Et eller flere domæner har et ugyldigt format.',
+ duplicateDomain: 'Domæne er allerede blevet tildelt.',
+ language: 'Sprog',
+ domain: 'Domæne',
+ domainCreated: "Domænet '%0%' er nu oprettet og tilknyttet siden",
+ domainDeleted: "Domænet '%0%' er nu slettet",
+ domainExists: "Domænet '%0%' er oprettet",
+ domainUpdated: "Domænet '%0%' er nu opdateret",
+ orEdit: 'eller rediger nuværende domæner',
+ domainHelpWithVariants:
+ 'Gyldige domænenavne er: "example.com", "www.example.com", "example.com:8080" eller "https://www.example.com/".\n Yderlgiere understøttes også første niveau af stien efter domænet, f.eks. "Example.com/en" eller "/en". ',
+ inherit: 'Nedarv',
+ setLanguage: 'Sprog',
+ setLanguageHelp:
+ 'Indstil sproget for noder under den aktuelle node, eller nedarv sprog fra forældre noder. Gælder også \n for den aktuelle node, medmindre et domæne nedenfor også indstiller et sprog.',
+ setDomains: 'Domæner',
+ addCurrent: 'Add current domain',
+ },
+ buttons: {
+ clearSelection: 'Ryd valg',
+ select: 'Vælg',
+ somethingElse: 'Gør noget andet',
+ bold: 'Fed',
+ deindent: 'Fortryd indryk afsnit',
+ formFieldInsert: 'Indsæt formularfelt',
+ graphicHeadline: 'Indsæt grafisk overskrift',
+ htmlEdit: 'Redigér Html',
+ indent: 'Indryk afsnit',
+ italic: 'Kursiv',
+ justifyCenter: 'Centrér',
+ justifyLeft: 'Venstrestil afsnit',
+ justifyRight: 'Højrestil afsnit',
+ linkInsert: 'Indsæt link',
+ linkLocal: 'Indsæt lokalt link (anker)',
+ listBullet: 'Punktopstilling',
+ listNumeric: 'Nummerorden',
+ macroInsert: 'Indsæt makro',
+ pictureInsert: 'Indsæt billede',
+ publishAndClose: 'Udgiv og luk',
+ publishDescendants: 'Udgiv med undersider',
+ relations: 'Redigér relationer',
+ returnToList: 'Tilbage til listen',
+ save: 'Gem',
+ saveAndClose: 'Gem og luk',
+ saveAndPublish: 'Gem og udgiv',
+ saveToPublish: 'Gem og send til udgivelse',
+ saveListView: 'Gem listevisning',
+ schedulePublish: 'Planlæg',
+ saveAndPreview: 'Forhåndsvisning',
+ showPageDisabled: 'Forhåndsvisning er deaktiveret fordi der ikke er nogen skabelon tildelt',
+ styleChoose: 'Vælg formattering',
+ styleShow: 'Vis koder',
+ tableInsert: 'Indsæt tabel',
+ generateModelsAndClose: 'Generer modeller og luk',
+ saveAndGenerateModels: 'Gem og generer modeller',
+ undo: 'Fortryd',
+ redo: 'Genskab',
+ deleteTag: 'Slet tag',
+ confirmActionCancel: 'Fortryd',
+ confirmActionConfirm: 'Bekræft',
+ morePublishingOptions: 'Flere publiseringsmuligheder',
+ submitChanges: 'Indsæt',
+ },
+ auditTrails: {
+ atViewingFor: 'For',
+ delete: 'Brugeren har slettet indholdet',
+ unpublish: 'Brugeren har afpubliceret indholdet',
+ unpublishvariant: 'Brugeren har afpubliceret indholdet for sprogene: %0%',
+ publish: 'Brugeren har gemt og udgivet indholdet',
+ publishvariant: 'Brugeren har gemt og udgivet indholdet for sprogene: %0%',
+ save: 'Brugeren har gemt indholdet',
+ savevariant: 'Brugeren har gemt indholdet for sprogene: %0%',
+ move: 'Brugeren har flyttet indholdet',
+ copy: 'Brugeren har kopieret indholdet',
+ rollback: 'Brugeren har tilbagerullet indholdet til en tidligere tilstand',
+ sendtopublish: 'Brugeren har sendt indholdet til udgivelse',
+ sendtopublishvariant: 'Brugeren har sendt indholdet til udgivelse for sprogene: %0%',
+ sort: 'Brugeren har sorteret de underliggende sider',
+ custom: '%0%',
+ smallCopy: 'Kopieret',
+ smallPublish: 'Udgivet',
+ smallPublishVariant: 'Udgivet',
+ smallMove: 'Flyttet',
+ smallSave: 'Gemt',
+ smallSaveVariant: 'Gemt',
+ smallDelete: 'Slettet',
+ smallUnpublish: 'Afpubliceret',
+ smallUnpublishVariant: 'Afpubliceret',
+ smallRollBack: 'Indhold tilbagerullet',
+ smallSendToPublish: 'Sendt til udgivelse',
+ smallSendToPublishVariant: 'Sendt til udgivelse',
+ smallSort: 'Sorteret',
+ smallCustom: 'Brugerdefineret',
+ historyIncludingVariants: 'Historik (alle sprog)',
+ contentversionpreventcleanup: 'Cleanup disabled for version: %0%',
+ contentversionenablecleanup: 'Cleanup enabled for version: %0%',
+ smallContentVersionPreventCleanup: 'Save',
+ smallContentVersionEnableCleanup: 'Save',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Mappens navn må ikke indeholde ugyldige tegn.',
+ deleteItemFailed: 'Sletning af filen/mappen fejlede: %0%',
+ },
+ content: {
+ isPublished: 'Udgivet',
+ about: 'Om siden',
+ alias: 'Alias',
+ alternativeTextHelp: '(hvordan ville du f.eks. beskrive billedet via telefonen?)',
+ alternativeUrls: 'Alternative links',
+ clickToEdit: 'Klik for at redigere dette punkt',
+ createBy: 'Oprettet af',
+ createByDesc: 'Oprindelig forfatter',
+ updatedBy: 'Opdateret af',
+ createDate: 'Oprettet den',
+ createDateDesc: 'Tidspunkt for oprettelse',
+ documentType: 'Dokumenttype',
+ editing: 'Redigerer',
+ expireDate: 'Nedtagningsdato',
+ itemChanged: 'Dette punkt er ændret siden udgivelsen',
+ itemNotPublished: 'Dette punkt er endnu ikke udgivet',
+ lastPublished: 'Sidst udgivet',
+ noItemsToShow: 'Der er ingen elementer at vise',
+ listViewNoItems: 'Der er ingen elementer at vise på listen.',
+ listViewNoContent: 'Intet indhold er blevet tilføjet',
+ listViewNoMembers: 'Ingen medlemmer er blevet tilføjet',
+ mediatype: 'Medietype',
+ mediaLinks: 'Link til medie(r)',
+ membergroup: 'Medlemsgruppe',
+ memberrole: 'Rolle',
+ membertype: 'Medlemstype',
+ noChanges: 'Der er endnu ikke lavet nogle ændringer.',
+ noDate: 'Ingen dato valgt',
+ nodeName: 'Sidetitel',
+ noMediaLink: 'Dette medie har ikke noget link',
+ noProperties: 'Intet indhold kan tilføjes for dette element',
+ otherElements: 'Egenskaber',
+ parentNotPublished:
+ "Dette dokument er udgivet, men ikke synligt da den overliggende side '%0%' ikke er\n udgivet!\n ",
+ parentCultureNotPublished:
+ "Dette sprog er udgivet, men ikke synligt, da den overliggende side '%0%' ikke\n er udgivet!\n ",
+ parentNotPublishedAnomaly: 'Ups: dette dokument er udgivet, men er ikke i cachen (intern fejl)',
+ getUrlException: "Kunne ikke hente URL'en",
+ routeError: 'Dette dokument er udgivet, men dets URL ville kollidere med indholdet %0%',
+ routeErrorCannotRoute: 'Dette dokument er udgivet, men dets URL kan ikke dirigeres',
+ publish: 'Udgiv',
+ published: 'Udgivet',
+ publishedPendingChanges: 'Udgivet (Ventede ændringer)',
+ publishStatus: 'Udgivelsesstatus',
+ publishDescendantsHelp:
+ 'Klik Udgiv med undersider for at udgive %0% og alle sider under og dermed gøre deres indhold offentligt tilgængelige.',
+ publishDescendantsWithVariantsHelp:
+ 'Klik Udgiv med undersider for at udgive de valgte sprog og de samme sprog for sider under og dermed gøre deres indhold offentligt tilgængelige.',
+ releaseDate: 'Udgivelsesdato',
+ unpublishDate: 'Afpubliceringsdato',
+ removeDate: 'Fjern dato',
+ setDate: 'Vælg dato',
+ sortDone: 'Sorteringsrækkefølgen er opdateret',
+ sortHelp:
+ 'For at sortere, træk siderne eller klik på en af kolonnehovederne. Du kan vælge flere sider\n ved at holde "shift" eller "control" nede mens du vælger.\n ',
+ statistics: 'Statistik',
+ titleOptional: 'Titel (valgfri)',
+ altTextOptional: 'Alternativ tekst (valgfri)',
+ captionTextOptional: 'Overskrift (valgfri)',
+ type: 'Type',
+ variantsToPublish: 'Hvilke varianter vil du udgive?',
+ variantsToSave: 'Vælg hvilke varianter, der skal gemmes.',
+ unpublish: 'Afpublicér',
+ unpublished: 'Afpubliceret',
+ notCreated: 'Ikke oprettet',
+ updateDate: 'Sidst redigeret',
+ updateDateDesc: 'Tidspunkt for seneste redigering',
+ uploadClear: 'Fjern fil',
+ uploadClearImageContext: 'Klik her for at fjerne billedet fra medie filen',
+ uploadClearFileContext: 'Klik her for at fjerne filen fra medie filen',
+ urls: 'Link til dokument',
+ memberof: 'Medlem af grupper(ne)',
+ notmemberof: 'Ikke medlem af grupper(ne)',
+ childItems: 'Undersider',
+ target: 'Åben i vindue',
+ scheduledPublishServerTime: 'Dette oversætter til den følgende tid på serveren:',
+ scheduledPublishDocumentation:
+ 'Hvad betyder det?',
+ nestedContentDeleteItem: 'Er du sikker på, at du vil slette dette element?',
+ nestedContentDeleteAllItems: 'Er du sikker på, at du vil slette alle elementer?',
+ nestedContentEditorNotSupported:
+ 'Egenskaben %0% anvender editoren %1% som ikke er understøttet af Nested\n Content.\n ',
+ nestedContentNoContentTypes: 'Der er ikke konfigureret nogen indholdstyper for denne egenskab.',
+ nestedContentAddElementType: 'Tilføj element type',
+ nestedContentSelectElementTypeModalTitle: 'Vælg element type',
+ nestedContentGroupHelpText:
+ 'Vælg gruppen, hvis værdier skal vises. Hvis dette er efterladt blankt vil\n den første gruppe på element typen bruges.\n ',
+ addTextBox: 'Tilføj en ny tekstboks',
+ removeTextBox: 'Fjern denne tekstboks',
+ contentRoot: 'Indholdsrod',
+ includeUnpublished: 'Inkluder ikke-udgivet indhold.',
+ isSensitiveValue:
+ 'Denne værdi er skjult.Hvis du har brug for adgang til at se denne værdi, bedes du\n kontakte din web-administrator.\n ',
+ isSensitiveValue_short: 'Denne værdi er skjult.',
+ languagesToPublish: 'Hvilke sprog vil du gerne udgive?',
+ languagesToSendForApproval: 'Hvilke sprog vil du gerne sende til godkendelse?',
+ languagesToSchedule: 'Hvilke sprog vil du gerne planlægge?',
+ languagesToUnpublish:
+ 'Vælg sproget du vil afpublicere. Afpublicering af et obligatorisk sprog vil afpublicere alle sprog.',
+ resetFocalPoint: 'Nulstil fokuspunkt',
+ variantsWillBeSaved: 'Alle nye varianter vil blive gemt.',
+ publishRequiresVariants: 'De følgende varianter er krævet for at en udgivelse kan finde sted:',
+ notReadyToPublish: 'Vi er ikke klar til at udgive',
+ readyToPublish: 'Klar til at udgive?',
+ readyToSave: 'Klar til at gemme?',
+ sendForApproval: 'Send til godkendelse',
+ schedulePublishHelp: 'Vælg dato og klokkeslæt for at udgive og/eller afpublicere indholdet.',
+ createEmpty: 'Opret ny',
+ createFromClipboard: 'Indsæt fra udklipsmappen',
+ nodeIsInTrash: 'Dette element er i papirkurven',
+ nestedContentTemplateHelpTextPart1:
+ 'Enter an angular expression to evaluate against each item for its\n name. Use\n ',
+ nestedContentTemplateHelpTextPart2: 'to display the item index',
+ nestedContentNoGroups:
+ 'The selected element type does not contain any supported groups (tabs are not supported by this editor, either change them to groups or use the Block List editor).',
+ variantSaveNotAllowed: 'Save is not allowed',
+ variantPublishNotAllowed: 'Publish is not allowed',
+ variantSendForApprovalNotAllowed: 'Send for approval is not allowed',
+ variantScheduleNotAllowed: 'Schedule is not allowed',
+ variantUnpublishNotAllowed: 'Unpublish is not allowed',
+ saveModalTitle: 'Gem',
+ },
+ blueprints: {
+ createBlueprintFrom: "Opret en ny indholdsskabelon fra '%0%'",
+ createBlueprintItemUnder: "Opret en ny indholdsskabelon under '%0%'",
+ createBlueprintFolderUnder: "Opret en ny mappe under '%0%'",
+ blankBlueprint: 'Blank',
+ selectBlueprint: 'Vælg en indholdsskabelon',
+ createdBlueprintHeading: 'Indholdsskabelon oprettet',
+ createdBlueprintMessage: "En indholdsskabelon blev oprettet fra '%0%'",
+ duplicateBlueprintMessage: 'En anden indholdsskabelon med samme navn eksisterer allerede',
+ blueprintDescription:
+ 'En indholdskabelon er foruddefineret indhold, som en redaktør kan vælge at bruge\n som grundlag for at oprette nyt indhold\n ',
+ },
+ media: {
+ clickToUpload: 'Klik for at uploade',
+ orClickHereToUpload: 'eller klik her for at vælge filer',
+ disallowedFileType: 'Kan ikke uploade denne fil, den har ikke en godkendt filtype',
+ maxFileSize: 'Maks filstørrelse er',
+ mediaRoot: 'Medie rod',
+ moveToSameFolderFailed: 'Overordnet og destinations mappe kan ikke være den samme',
+ createFolderFailed: 'Oprettelse af mappen under parent med id %0% fejlede',
+ renameFolderFailed: 'Omdøbning af mappen med id %0% fejlede',
+ dragAndDropYourFilesIntoTheArea:
+ 'Træk dine filer ind i dropzonen for, at uploade dem til\n mediebiblioteket.\n ',
+ uploadNotAllowed: 'Upload er ikke tiladt på denne lokation',
+ disallowedMediaType: "Cannot upload this file, the media type with alias '%0%' is not allowed here",
+ invalidFileName: 'Cannot upload this file, it does not have a valid file name',
+ },
+ member: {
+ createNewMember: 'Opret et nyt medlem',
+ allMembers: 'Alle medlemmer',
+ kind: 'Slags',
+ memberGroupNoProperties: 'Medlemgrupper har ingen yderligere egenskaber til redigering.',
+ '2fa': 'Totrinsbekræftelse',
+ duplicateMemberLogin: 'A member with this login already exists',
+ memberHasGroup: "The member is already in group '%0%'",
+ memberHasPassword: 'The member already has a password set',
+ memberLockoutNotEnabled: 'Lockout is not enabled for this member',
+ memberNotInGroup: "The member is not in group '%0%'",
+ memberKindDefault: 'Bruger',
+ memberKindApi: 'API Bruger',
+ },
+ contentType: {
+ copyFailed: 'Kopiering af indholdstypen fejlede',
+ moveFailed: 'Flytning af indholdstypen fejlede',
+ },
+ mediaType: {
+ copyFailed: 'Kopiering af medietypen fejlede',
+ moveFailed: 'Flytning af medietypen fejlede',
+ autoPickMediaType: 'Auto vælg',
+ },
+ memberType: {
+ copyFailed: 'Kopiering af medlemstypen fejlede',
+ },
+ create: {
+ chooseNode: 'Hvor ønsker du at oprette den nye %0%',
+ createUnder: 'Opret under',
+ createContentBlueprint: 'Vælg den dokumenttype, du vil oprette en indholdsskabelon til',
+ enterFolderName: 'Angiv et navn for mappen',
+ updateData: 'Vælg en type og skriv en titel',
+ noDocumentTypes:
+ 'Der kunne ikke findes nogen tilladte dokumenttyper. Du skal tillade disse i indstillinger under "dokumenttyper".',
+ noDocumentTypesAtRoot:
+ 'There are no document types available for creating content here. You must create these in Document Types within the Settings section.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'Den valgte side i træet tillader ikke at sider oprettes under\n den.\n ',
+ noDocumentTypesEditPermissions: 'Rediger tilladelser for denne dokumenttype.',
+ noDocumentTypesCreateNew: 'Opret en ny dokumenttype',
+ noDocumentTypesAllowedAtRoot:
+ 'Der er ingen tilladte Dokumenttyper tilgængelige for at lave indhold her. Du skal tillade dette i Dokumenttyper inde i Indstillinger sektionen, ved at ændre Tillad på rodniveau indestillingen under Permissions.',
+ noMediaTypes:
+ 'Der kunne ikke findes nogen tilladte media typer. Du skal tillade disse i indstillinger under "media typer".',
+ noMediaTypesWithNoSettingsAccess: 'Det valgte medie i træet tillader ikke at medier oprettes under det.\n ',
+ noMediaTypesEditPermissions: 'Rediger tilladelser for denne medietype.',
+ documentTypeWithoutTemplate: 'Dokumenttype uden skabelon',
+ documentTypeWithTemplate: 'Dokumenttype med skabelon',
+ documentTypeWithTemplateDescription:
+ 'Definerer en indholdsside, der kan oprettes af redaktørerne i\n indholdstræet, og som er kan tilgås direkte på en URL.\n ',
+ documentType: 'Dokumenttype',
+ documentTypeDescription:
+ 'Definerer en indholdskomponent, der kan oprettes af redaktørerne i\n indholdstræet og benyttes i sammenhæng med andet indhold, men som ikke kan tilgås direkte på en URL.\n ',
+ elementType: 'Element-type',
+ elementTypeDescription:
+ "Definerer skabelonen for et sæt at egenskaber, der kan anvendes som skema i\n avancerede felter som f.eks. 'Block List' eller 'Block Grid'.\n ",
+ composition: 'Komposition',
+ compositionDescription:
+ "Definerer et sæt genbrugbare egenskaber, der kan inkluderes i definitionen af\n andre dokumenttyper - f.eks. et sæt 'Almindelige side-data'.\n ",
+ folder: 'Mappe',
+ folderDescription:
+ 'Benyttes til at organisere dokumenttyper, element-typer og kompositioner i\n dokumenttype-træet.\n ',
+ newFolder: 'Ny mappe',
+ newDataType: 'Ny datatype',
+ newJavascriptFile: 'Ny JavaScript-fil',
+ newEmptyPartialView: 'Ny tom partial view',
+ newPartialViewMacro: 'Ny partial view makro',
+ newPartialViewFromSnippet: 'Ny partial view fra snippet',
+ newPartialViewMacroFromSnippet: 'Ny partial view makro fra snippet',
+ newPartialViewMacroNoMacro: 'Ny partial view makro (uden makro)',
+ newStyleSheetFile: 'Ny stylesheet-fil',
+ newRteStyleSheetFile: 'Ny Rich Text Editor stylesheet-fil',
+ },
+ dashboard: {
+ browser: 'Til dit website',
+ dontShowAgain: '- Skjul',
+ nothinghappens: 'Hvis Umbraco ikke starter, kan det skyldes at din browser ikke tillader pop-up vinduer\n ',
+ openinnew: 'er åbnet i nyt vindue',
+ restart: 'Genstart',
+ visit: 'Besøg',
+ welcome: 'Velkommen',
+ },
+ prompt: {
+ stay: 'Bliv',
+ discardChanges: 'Kassér ændringer',
+ unsavedChanges: 'Du har ikke-gemte ændringer',
+ unsavedChangesWarning:
+ 'Er du sikker på du vil navigere væk fra denne side? - du har ikke-gemte\n ændringer\n ',
+ confirmListViewPublish: 'Udgivelse vil gøre de valgte sider synlige på sitet.',
+ confirmListViewUnpublish: 'Afpublicering vil fjerne de valgte sider og deres undersider fra sitet.',
+ confirmUnpublish: 'Afpublicering vil fjerne denne side og alle dets undersider fra websitet.',
+ doctypeChangeWarning: 'Du har ikke-gemte ændringer. Hvis du ændrer dokumenttype, kasseres ændringerne.\n ',
+ },
+ bulk: {
+ done: 'Færdig',
+ deletedItem: 'Slettede %0% element',
+ deletedItems: 'Slettede %0% elementer',
+ deletedItemOfItem: 'Slettede %0% ud af %1% element',
+ deletedItemOfItems: 'Slettede %0% ud af %1% elementer',
+ publishedItem: 'Udgav %0% element',
+ publishedItems: 'Udgav %0% elementer',
+ publishedItemOfItem: 'Udgav %0% ud af %1% element',
+ publishedItemOfItems: 'Udgav %0% ud af %1% elementer',
+ unpublishedItem: 'Fjernede %0% element fra udgivelse',
+ unpublishedItems: 'Fjernede %0% elementer fra udgivelse',
+ unpublishedItemOfItem: 'Fjernede %0% ud af %1% element fra udgivelse',
+ unpublishedItemOfItems: 'Fjernede %0% ud af %1% elementer fra udgivelse',
+ movedItem: 'Flyttede %0% element',
+ movedItems: 'Flyttede %0% elementer',
+ movedItemOfItem: 'Flyttede %0% ud af %1% element',
+ movedItemOfItems: 'Flyttede %0% ud af %1% elementer',
+ copiedItem: 'Kopierede %0% element',
+ copiedItems: 'Kopierede %0% elementer',
+ copiedItemOfItem: 'Kopierede %0% ud af %1% element',
+ copiedItemOfItems: 'Kopierede %0% ud af %1% elementer',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Link titel',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Lokalt link / querystreng',
+ anchorInsert: 'Navn på lokalt link',
+ closeThisWindow: 'Luk denne dialog',
+ confirmdelete: 'Er du sikker på at du vil slette',
+ confirmdisable: 'Er du sikker på du vil deaktivere',
+ confirmremove: 'Er du sikker på at du vil fjerne',
+ confirmremoveusageof: 'Er du sikker på du vil fjerne brugen af %0%',
+ confirmlogout: 'Er du sikker på at du vil forlade Umbraco?',
+ confirmSure: 'Er du sikker?',
+ cut: 'Klip',
+ editDictionary: 'Rediger ordbogsnøgle',
+ editLanguage: 'Rediger sprog',
+ editSelectedMedia: 'Rediger det valgte medie',
+ insertAnchor: 'Indsæt lokalt link',
+ insertCharacter: 'Indsæt tegn',
+ insertgraphicheadline: 'Indsæt grafisk overskrift',
+ insertimage: 'Indsæt billede',
+ insertlink: 'Indsæt link',
+ insertMacro: 'Indsæt makro',
+ inserttable: 'Indsæt tabel',
+ languagedeletewarning: 'Dette vil slette sproget',
+ languageChangeWarning:
+ 'Ændring af kulturen for et sprog kan forsage en krævende opration og vil\n resultere i indholds cache og indeksering vil blive genlavet\n ',
+ lastEdited: 'Sidst redigeret',
+ link: 'Link',
+ linkinternal: 'Internt link',
+ linklocaltip: 'Ved lokalt link, indsæt da en "#" foran linket',
+ linknewwindow: 'Åben i nyt vindue?',
+ macroDoesNotHaveProperties: 'Denne makro har ingen egenskaber du kan redigere',
+ paste: 'Indsæt tekst',
+ permissionsEdit: 'Rediger rettigheder for',
+ permissionsSet: 'Sæt rettigheder for',
+ permissionsSetForGroup: 'Sæt rettigheder for %0% for brugergruppe %1%',
+ permissionsHelp: 'Vælg de brugergrupper, du vil angive tilladelser til',
+ recycleBinDeleting:
+ 'Elementerne i papirkurven slettes. Luk venligst ikke dette vindue mens sletningen\n foregår\n ',
+ recycleBinIsEmpty: 'Papirkurven er nu tom',
+ recycleBinWarning: 'Når elementer slettes fra papirkurven, slettes de for altid',
+ regexSearchError:
+ "regexlib.com's webservice oplever i øjeblikket problemer, vi ikke har kontrol over. Beklager ulejligheden. ",
+ regexSearchHelp:
+ "Søg efter et regulært udtryk for at tilføje validering til et formularfelt. Eksempel:\n 'e-mail', 'postnr.', 'URL'\n ",
+ removeMacro: 'Fjern makro',
+ requiredField: 'Obligatorisk',
+ sitereindexed: 'Sitet er genindekseret',
+ siterepublished: 'Sitet er nu genudgivet',
+ siterepublishHelp:
+ 'Websitets cache vil blive genopfrisket. Alt udgivet indhold vil blive opdateret, mens\n upubliceret indhold vil forblive upubliceret.\n ',
+ tableColumns: 'Antal kolonner',
+ tableRows: 'Antal rækker',
+ thumbnailimageclickfororiginal: 'Klik på billedet for at se den fulde størrelse',
+ treepicker: 'Vælg',
+ viewCacheItem: 'Se cache element',
+ relateToOriginalLabel: 'Relatér til original',
+ includeDescendants: 'Inkludér undersider',
+ theFriendliestCommunity: 'Det venligste community',
+ linkToPage: 'Link til side',
+ openInNewWindow: 'Åben linket i et nyt vindue eller fane',
+ linkToMedia: 'Link til medie',
+ selectContentStartNode: 'Vælg startnode for indhold',
+ selectMedia: 'Vælg medie',
+ selectMediaType: 'Vælg medietype',
+ selectIcon: 'Vælg ikon',
+ selectItem: 'Vælg item',
+ selectLink: 'Vælg link',
+ selectMacro: 'Vælg makro',
+ selectContent: 'Vælg indhold',
+ selectContentType: 'Vælg indholdstype',
+ selectMediaStartNode: 'Vælg startnode for mediearkivet',
+ selectMember: 'Vælg medlem',
+ selectMembers: 'Vælg medlemmer',
+ selectMemberGroup: 'Vælg medlemsgruppe',
+ selectMemberType: 'Vælg medlemstype',
+ selectNode: 'Vælg node',
+ selectLanguages: 'Vælg sprog',
+ selectSections: 'Vælg sektioner',
+ selectUser: 'Vælg bruger',
+ selectUsers: 'Vælg brugere',
+ noIconsFound: 'Ingen ikoner blev fundet',
+ noMacroParams: 'Der er ingen parametre for denne makro',
+ noMacros: 'Der er ikke tilføjet nogen makroer',
+ externalLoginProviders: 'Eksternt login',
+ exceptionDetail: 'Undtagelsesdetaljer',
+ stacktrace: 'Stacktrace',
+ innerException: 'Indre undtagelse',
+ linkYour: 'Link din {0} konto',
+ linkYourConfirm: 'For at linke dine Umbraco og {0} konti, vil du blive sendt til {0} for at bekræfte.',
+ unLinkYour: 'Fjern link fra din {0} konto',
+ unLinkYourConfirm: 'Du er ved at fjerne linket mellem dine Umbraco og {0} konti og du vil blive logget ud.',
+ linkedToService: 'Din konto er linket til denne service',
+ selectEditor: 'Vælg editor',
+ selectEditorConfiguration: 'Vælg konfiguration',
+ selectSnippet: 'Vælg snippet',
+ variantdeletewarning:
+ 'Dette vil slette noden og alle dets sprog. Hvis du kun vil slette et sprog, så\n afpublicér det i stedet.\n ',
+ propertyuserpickerremovewarning: 'Dette vil fjerne brugeren %0%',
+ userremovewarning: 'Dette vil fjerne brugeren %0% fra %1% gruppen',
+ yesRemove: 'Ja, fjern',
+ confirmdeleteNumberOfItems: 'Are you sure you want to delete %0% of %1% items',
+ deleteLayout: 'You are deleting the layout',
+ deletingALayout:
+ 'Modifying layout will result in loss of data for any existing content that is based on this configuration.',
+ },
+ dictionary: {
+ noItems: 'Der er ingen ordbogselementer.',
+ importDictionaryItemHelp:
+ '\n To import a dictionary item, find the ".udt" file on your computer by clicking the\n "Import" button (you\'ll be asked for confirmation on the next screen)\n ',
+ itemDoesNotExists: 'Dictionary item does not exist.',
+ parentDoesNotExists: 'Parent item does not exist.',
+ noItemsInFile: 'There are no dictionary items in this file.',
+ noItemsFound: 'There were no dictionary items found.',
+ createNew: 'Create dictionary item',
+ },
+ dictionaryItem: {
+ description:
+ "Rediger de forskellige sprogversioner for ordbogselementet '%0%' herunder. Du tilføjer flere sprog under 'sprog' i menuen til venstre.",
+ displayName: 'Kulturnavn',
+ changeKeyError: "Navnet '%0%' eksisterer allerede.",
+ overviewTitle: 'Ordbogsoversigt',
+ },
+ examineManagement: {
+ configuredSearchers: 'Konfigurerede søgere',
+ configuredSearchersDescription:
+ 'Viser egenskaber og værktøjer til enhver konfigureret søger (dvs. som en multi-indekssøger)',
+ fieldValues: 'Feltværdier',
+ healthStatus: 'Sundhedstilstand',
+ healthStatusDescription: 'Indeksets sundhedstilstand, og hvis det kan læses',
+ indexers: 'Indeksører',
+ indexInfo: 'Indeksinfo',
+ indexInfoDescription: 'Viser indeksets egenskaber',
+ manageIndexes: 'Administrer Examine indekserne',
+ manageIndexesDescription:
+ 'Giver dig mulighed for at se detaljerne for hvert indeks og giver nogle værktøjer til styring af indeksørerne',
+ rebuildIndex: 'Genopbyg indeks',
+ rebuildIndexWarning:
+ 'Dette vil medføre, at indekset genopbygges. Afhængigt af hvor meget indhold der er på dit website, kan det tage et stykke tid. Det anbefales ikke at genopbygge et indeks i perioder med høj websitetrafik eller når redaktører redigerer indhold.',
+ searchers: 'Søgere',
+ searchDescription: 'Søg i indekset og se resultaterne',
+ tools: 'Værktøjer',
+ toolsDescription: 'Værktøjer til at administrere indekset',
+ fields: 'felter',
+ indexCannotRead: 'Indexet skal bygges igen, for at kunne læses',
+ processIsTakingLonger:
+ 'Processen tager længere tid end forventet. Kontrollér Umbraco loggen for at se om der er sket fejl under operationen',
+ indexCannotRebuild: 'Dette index kan ikke genbygges for det ikke har nogen',
+ iIndexPopulator: 'IIndexPopulator',
+ contentInIndex: 'Content in index',
+ },
+ placeholders: {
+ username: 'Indtast dit brugernavn',
+ password: 'Indtast dit kodeord',
+ confirmPassword: 'Bekræft dit kodeord',
+ nameentity: 'Navngiv %0%...',
+ entername: 'Indtast navn...',
+ enteremail: 'Indtast en e-mail...',
+ enterusername: 'Indtast et brugernavn...',
+ label: 'Label...',
+ enterDescription: 'Indtast beskrivelse',
+ search: 'Søg...',
+ filter: 'Filtrér...',
+ enterTags: 'Indtast nøgleord (tryk på Enter efter hvert nøgleord)...',
+ email: 'Indtast din e-mail',
+ enterMessage: 'Indtast en besked...',
+ usernameHint: 'Dit brugernavn er typisk din e-mailadresse',
+ anchor: '#value eller ?key=value',
+ enterAlias: 'Indtast alias...',
+ generatingAlias: 'Genererer alias...',
+ a11yCreateItem: 'Opret element',
+ a11yEdit: 'Rediger',
+ a11yName: 'Navn',
+ rteParagraph: 'Udfold din kreativitet...',
+ rteHeading: 'Hvad skal overskriften være?',
+ },
+ editcontenttype: {
+ createListView: 'Opret brugerdefineret listevisning',
+ removeListView: 'Fjern brugerdefineret listevisning',
+ aliasAlreadyExists: 'En dokumenttype, medietype eller medlemstype med dette alias findes allerede',
+ },
+ renamecontainer: {
+ renamed: 'Omdøbt',
+ enterNewFolderName: 'Indtast et ny mappenavn her',
+ folderWasRenamed: '%0% was renamed to %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Tilføj førværdi',
+ dataBaseDatatype: 'Database-datatype',
+ guid: 'Data Editor GUID',
+ renderControl: 'Visningskontrol',
+ rteButtons: 'Knapper',
+ rteEnableAdvancedSettings: 'Aktiver avancerede indstillinger for',
+ rteEnableContextMenu: 'Aktiver kontekstmenu',
+ rteMaximumDefaultImgSize: 'Maks. std. størrelse på indsatte billeder',
+ rteRelatedStylesheets: 'Relaterede stylesheets',
+ rteShowLabel: 'Vis label',
+ rteWidthAndHeight: 'Bredde og højde',
+ selectFolder: 'Vælg den mappe, der skal flyttes',
+ inTheTree: 'til i træstrukturen nedenfor',
+ wasMoved: 'blev flyttet under',
+ hasReferencesDeleteConsequence:
+ 'Ved sletning af %0% fjernes egnskaber og egnskabernes data fra følgende elementer',
+ acceptDeleteConsequence:
+ 'I understand this action will delete the properties and data based on this Data\n Type\n ',
+ canChangePropertyEditorHelp:
+ 'Changing a property editor on a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Dine data er blevet gemt, men før du kan udgive denne side er der nogle fejl der\n skal rettes:\n ',
+ errorChangingProviderPassword:
+ 'Den nuværende membership-provider understøtter ikke skift af kodeord\n (EnablePasswordRetrieval skal være true)\n ',
+ errorExistsWithoutTab: '%0% der findes allerede',
+ errorHeader: 'Der var fejl i dokumentet:',
+ errorHeaderWithoutTab: 'Der var fejl i formularen:',
+ errorInPasswordFormat:
+ 'Kodeordet skal være på minimum %0% tegn og indeholde mindst %1% alfanumeriske\n karakterer\n ',
+ errorIntegerWithoutTab: '%0% skal være et heltal',
+ errorMandatory: '%0% under %1% er et obligatorisk felt og skal udfyldes',
+ errorMandatoryWithoutTab: '%0% er et obligatorisk felt og skal udfyldes',
+ errorRegExp: '%0% under %1% er ikke i et korrekt format',
+ errorRegExpWithoutTab: '%0% er ikke i et korrekt format',
+ },
+ errors: {
+ defaultError: 'Der er sket en ukendt fejl',
+ concurrencyError: 'Optimistisk samtidighedsfejl, objektet er blevet ændret',
+ receivedErrorFromServer: 'Der skete en fejl på severen',
+ dissallowedMediaType: 'Denne filttype er blevet deaktiveret af administratoren',
+ codemirroriewarning:
+ 'OBS! Selvom CodeMirror er slået til i konfigurationen, så er den deaktiveret i\n Internet Explorer fordi den ikke er stabil nok.\n ',
+ contentTypeAliasAndNameNotNull: 'Du skal udfylde både Alias & Navn på den nye egenskabstype!',
+ filePermissionsError: 'Der mangler læse/skrive rettigheder til bestemte filer og mapper',
+ macroErrorLoadingPartialView: 'Fejl ved indlæsning af Partial View script (fil: %0%)',
+ missingTitle: 'Skriv venligst en titel',
+ missingType: 'Du skal vælge en type',
+ pictureResizeBiggerThanOrg:
+ 'Du er ved at gøre billedet større end originalen. Det vil forringe\n kvaliteten af billedet. Ønsker du at fortsætte?\n ',
+ startNodeDoesNotExists: 'Startnode er slettet, kontakt systemadministrator',
+ stylesMustMarkBeforeSelect: 'Du skal markere noget indhold, før du kan ændre stylen',
+ stylesNoStylesOnPage: 'Der er ingen aktive styles eller formatteringer på denne side',
+ tableColMergeLeft: 'Du skal stå til venstre for de 2 celler du ønsker at samle!',
+ tableSplitNotSplittable: 'Du kan ikke opdele en celle, som ikke allerede er delt.',
+ propertyHasErrors: 'Denne egenskab er ugyldig',
+ externalLoginError: 'Der opstod en fejl under login med eksternt login',
+ unauthorized: 'Du har ikke tilladelse til at udføre denne handling',
+ userNotFound: 'Den angivne bruger blev ikke fundet i databasen',
+ externalInfoNotFound: 'Serveren kunne ikke kommunikere med den eksterne loginudbyder',
+ externalLoginFailed:
+ 'Serveren mislykkedes i at logge ind med den eksterne loginudbyder. Luk dette vindue og prøv igen.',
+ externalLoginSuccess: 'Du er nu logget ind. Du kan nu lukke dette vindue.',
+ externalLoginRedirectSuccess: 'Du er nu logget ind. Du vil blive omdirigeret om et øjeblik.',
+ },
+ openidErrors: {
+ accessDenied: 'Access denied',
+ invalidRequest: 'Ugyldig forespørgsel',
+ invalidClient: 'Ugyldig klient',
+ invalidGrant: 'Ugyldig tildeling',
+ unauthorizedClient: 'Uautoriseret klient',
+ unsupportedGrantType: 'Ikke understøttet tildelingstype',
+ invalidScope: 'Ugyldigt område',
+ serverError: 'Serverfejl',
+ temporarilyUnavailable: 'Servicen er midlertidigt utilgængelig',
+ },
+ general: {
+ options: 'Valgmuligheder',
+ about: 'Om',
+ action: 'Handling',
+ actions: 'Muligheder',
+ add: 'Tilføj',
+ alias: 'Alias',
+ all: 'Alle',
+ areyousure: 'Er du sikker?',
+ back: 'Tilbage',
+ backToOverview: 'Tilbage til oversigt',
+ border: 'Kant',
+ by: 'af',
+ cancel: 'Fortryd',
+ cellMargin: 'Celle margen',
+ choose: 'Vælg',
+ clear: 'Ryd',
+ close: 'Luk',
+ closewindow: 'Luk vindue',
+ closepane: 'Luk vindue',
+ comment: 'Kommentar',
+ confirm: 'Bekræft',
+ constrain: 'Proportioner',
+ constrainProportions: 'Behold proportioner',
+ content: 'Indhold',
+ continue: 'Fortsæt',
+ copy: 'Kopiér',
+ create: 'Opret',
+ cropSection: 'Beskær sektion',
+ database: 'Database',
+ date: 'Dato',
+ default: 'Standard',
+ delete: 'Slet',
+ deleted: 'Slettet',
+ deleting: 'Sletter...',
+ design: 'Design',
+ details: 'Detaljer',
+ dictionary: 'Ordbog',
+ dimensions: 'Dimensioner',
+ discard: 'Kassér',
+ down: 'Ned',
+ download: 'Hent',
+ edit: 'Rediger',
+ edited: 'Redigeret',
+ elements: 'Elementer',
+ email: 'E-mail',
+ error: 'Fejl',
+ field: 'Felt',
+ fieldFor: 'Felt for %0%',
+ findDocument: 'Find',
+ first: 'Første',
+ focalPoint: 'Fokuspunkt',
+ general: 'Generelt',
+ groups: 'Grupper',
+ group: 'Gruppe',
+ height: 'Højde',
+ help: 'Hjælp',
+ hide: 'Skjul',
+ history: 'Historik',
+ icon: 'Ikon',
+ id: 'Id',
+ import: 'Importer',
+ excludeFromSubFolders: 'Søg kun i denne mappe',
+ info: 'Info',
+ innerMargin: 'Indre margen',
+ insert: 'Indsæt',
+ install: 'Installér',
+ invalid: 'Ugyldig',
+ justify: 'Justering',
+ label: 'Mærke',
+ language: 'Sprog',
+ last: 'Sidste',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Henter',
+ locked: 'Låst',
+ login: 'Log ind',
+ logoff: 'Log af',
+ logout: 'Log ud',
+ macro: 'Makro',
+ mandatory: 'Påkrævet',
+ message: 'Besked',
+ move: 'Flyt',
+ name: 'Navn',
+ never: 'Aldrig',
+ new: 'Ny',
+ next: 'Næste',
+ no: 'Nej',
+ of: 'af',
+ off: 'Fra',
+ ok: 'OK',
+ open: 'Åben',
+ on: 'Til',
+ or: 'eller',
+ orderBy: 'Sortér efter',
+ password: 'Kodeord',
+ path: 'Sti',
+ pleasewait: 'Et øjeblik...',
+ previous: 'Forrige',
+ properties: 'Egenskaber',
+ rebuild: 'Genopbyg',
+ reciept: 'E-mail der skal modtage indhold af formular',
+ recycleBin: 'Papirkurv',
+ recycleBinEmpty: 'Din papirkurv er tom',
+ reload: 'Genindlæs',
+ remaining: 'Mangler',
+ remove: 'Fjern',
+ rename: 'Omdøb',
+ renew: 'Forny',
+ required: 'Påkrævet',
+ retrieve: 'Hent',
+ retry: 'Prøv igen',
+ rights: 'Rettigheder',
+ scheduledPublishing: 'Planlagt publicering',
+ search: 'Søg',
+ searchNoResult: 'Beklager, vi kan ikke finde det, du leder efter.',
+ noItemsInList: 'Ingen elementer er blevet tilføjet',
+ server: 'Server',
+ settings: 'Indstillinger',
+ show: 'Vis',
+ showPageOnSend: 'Hvilken side skal vises efter at formularen er sendt',
+ size: 'Størrelse',
+ sort: 'Sortér',
+ status: 'Status',
+ submit: 'Indsend',
+ type: 'Type',
+ typeToSearch: 'Skriv for at søge...',
+ unknown: 'Ukendt',
+ unknownUser: 'Ukendt bruger',
+ under: 'under',
+ up: 'Op',
+ update: 'Opdatér',
+ upgrade: 'Opdatér',
+ upload: 'Upload',
+ url: 'URL',
+ user: 'Bruger',
+ users: 'Brugere',
+ username: 'Brugernavn',
+ value: 'Værdi',
+ view: 'Vis',
+ welcome: 'Velkommen...',
+ width: 'Bredde',
+ yes: 'Ja',
+ folder: 'Mappe',
+ searchResults: 'Søgeresultater',
+ readMore: 'Læs mere',
+ reorder: 'Sortér',
+ reorderDone: 'Afslut sortering',
+ preview: 'Eksempel',
+ changePassword: 'Skift kodeord',
+ to: 'til',
+ listView: 'Listevisning',
+ saving: 'Gemmer...',
+ current: 'nuværende',
+ embed: 'Indlejring',
+ addEditLink: 'Tilføj/Rediger Link',
+ removeLink: 'Fjern Link',
+ mediaPicker: 'Mediebibliotek',
+ viewSourceCode: 'Vis kildekode',
+ selected: 'valgt',
+ other: 'Andet',
+ articles: 'Artikler',
+ videos: 'Videoer',
+ avatar: 'Avatar til',
+ header: 'Overskrift',
+ systemField: 'system felt',
+ readOnly: 'Skrivebeskyttet',
+ restore: 'Genskab',
+ generic: 'Generic',
+ media: 'Media',
+ nodeName: 'Node Name',
+ revert: 'Revert',
+ umbracoInfo: 'Umbraco info',
+ shared: 'Shared',
+ success: 'Success',
+ typeName: 'Type Name',
+ validate: 'Validate',
+ lastUpdated: 'Last Updated',
+ skipToMenu: 'Skip to menu',
+ skipToContent: 'Skip to content',
+ newVersionAvailable: 'Ny version tilgængelig',
+ },
+ colors: {
+ blue: 'Blå',
+ },
+ shortcuts: {
+ addGroup: 'Tilføj fane',
+ addProperty: 'Tilføj egenskab',
+ addEditor: 'Tilføj editor',
+ addTemplate: 'Tilføj skabelon',
+ addChildNode: 'Tilføj child node',
+ addChild: 'Tilføj child',
+ editDataType: 'Rediger datatype',
+ navigateSections: 'Naviger sektioner',
+ shortcut: 'Genveje',
+ showShortcuts: 'Vis genveje',
+ toggleListView: 'Brug listevisning',
+ toggleAllowAsRoot: 'Tillad på rodniveau',
+ commentLine: 'Kommentér/Udkommentér linjer',
+ removeLine: 'Slet linje',
+ copyLineUp: 'Kopiér linjer op',
+ copyLineDown: 'Kopiér linjer ned',
+ moveLineUp: 'Flyt linjer op',
+ moveLineDown: 'Flyt linjer ned',
+ generalHeader: 'Generelt',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Skift tillad sprogvarianter',
+ addTab: 'Add tab',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Baggrundsfarve',
+ bold: 'Fed',
+ color: 'Tekstfarve',
+ font: 'Skrifttype',
+ text: 'Tekst',
+ },
+ globalSearch: {
+ navigateSearchProviders: 'Naviger søgeudbydere',
+ navigateSearchResults: 'Naviger søgeresultater',
+ },
+ headers: {
+ page: 'Side',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Installeringsprogrammet kan ikke forbinde til databasen.',
+ databaseErrorWebConfig:
+ 'Kunne ikke gemme web.config filen. Du bedes venligst manuelt ændre database\n forbindelses strengen.\n ',
+ databaseFound: 'Din database er blevet fundet og identificeret som',
+ databaseHeader: 'Database konfiguration',
+ databaseInstall: '\n Klik på installér knappen for at installere Umbraco %0% databasen\n ',
+ databaseInstallDone:
+ 'Umbraco %0% er nu blevet kopieret til din database. Tryk på Næste for at fortsætte.',
+ databaseNotFound:
+ '
Databasen er ikke fundet. Kontrollér venligst at informationen i database forbindelsesstrengen i "web.config" filen er korrekt.
\n
For at fortsætte bedes du venligst rette "web.config" filen (ved at bruge Visual Studio eller dit favoritprogram), scroll til bunden, tilføj forbindelsesstrengen til din database i feltet som hedder "umbracoDbDSN" og gem filen.
',
+ databaseText:
+ 'For at afslutte dette skridt er du nødt til at have nogle informationer om din database parat ("database forbindelsesstrengen"). Kontakt venligst din ISP hvis det er nødvendigt. Hvis du installerer på en lokal maskine eller server kan du muligvis få informationerne fra din systemadministrator.',
+ databaseUpgrade:
+ '
Tryk på Opgradér knappen for at opgradere din database til Umbraco %0%
Bare rolig - intet indhold vil blive slettet og alt vil stadig fungere bagefter!
',
+ databaseUpgradeDone:
+ 'Din database er blevet opgraderet til den endelige version %0%. Tryk på Næste for at fortsætte.',
+ databaseUpToDate:
+ 'Din database er up-to-date!. Klik på Næste for at fortsætte med konfigurationsguiden.',
+ defaultUserChangePass: 'Normalbrugerens adgangskode er nødt til at blive ændret!',
+ defaultUserDisabled:
+ '
Normalbrugeren er blevet gjort utjenstdygtig eller har ikke adgang til Umbraco!
Du behøver ikke foretage yderligere handlinger. Tryk på Næste for at fortsætte.
',
+ defaultUserPassChanged:
+ '
Normalbrugerens adgangskode er på succesfuld vis blevet ændret siden installationen!
Du behøver ikke foretage yderligere handlinger. Tryk på Næste for at fortsætte.
',
+ defaultUserPasswordChanged: 'Adgangskoden er blevet ændret!',
+ greatStart: 'Få en fremragende start, se vores videoer',
+ licenseText:
+ "Ved at klikke på næste knappen (eller ved at ændre UmbracoConfigurationStatus i web.config\n filen), accepterer du licensaftalen for denne software, som specificeret i boksen nedenfor. Bemærk venligst at\n denne Umbraco distribution består af to forskellige licenser, MIT's Open Source Licens for frameworket og Umbraco\n Freeware Licensen som dækker UI'en.\n ",
+ None: 'Endnu ikke installeret',
+ permissionsAffectedFolders: 'Berørte filer og foldere',
+ permissionsAffectedFoldersMoreInfo: 'Flere informationer om at opsætte rettigheder for Umbraco her',
+ permissionsAffectedFoldersText:
+ "Du er nødt til at give ASP.NET 'modify' rettigheder på følgende\n filer/foldere\n ",
+ permissionsAlmostPerfect:
+ 'Dine rettighedsindstillinger er næsten perfekte!
Du kan køre Umbraco uden problemer, men du vil ikke være i stand til at installere pakker, som er anbefalet for at få fuldt udbytte af Umbraco.',
+ permissionsHowtoResolve: 'Hvorledes besluttes',
+ permissionsHowtoResolveLink: 'Klik her for at læse tekstversionen',
+ permissionsHowtoResolveText:
+ 'Se vores video tutorials om at opsætte folderrettigheder for Umbraco eller læs tekstversionen.',
+ permissionsMaybeAnIssue:
+ 'Dine rettighedsindstillinger kan være et problem!
Du kan afvikle Umbraco uden problemer, men du vil ikke være i stand til at oprette foldere eller installere pakker, hvilket er anbefalet for at få fuldt udbytte af Umbraco.',
+ permissionsNotReady:
+ 'Dine rettighedsindstillinger er ikke klar til Umbraco!
For at afvikle Umbraco er du nødt til at opdatere dine rettighedsindstillinger.',
+ permissionsPerfect:
+ 'Dine rettighedsindstillinger er perfekte!
Du er nu parat til at afvikle Umbraco og installere pakker!',
+ permissionsResolveFolderIssues: 'Løser folder problem',
+ permissionsResolveFolderIssuesLink:
+ 'Følg dette link for mere information om udfordringer med ASP.NET og\n oprettelse af foldere\n ',
+ permissionsSettingUpPermissions: 'Sætter folderrettigheder op',
+ permissionsText:
+ "Umbraco har behov for 'write/modify' adgang til bestemte foldere, for at kunne gemme\n filer som billeder og PDF'er. Umbraco gemmer også midlertidige data (eksempelvis cachen) for at forbedre ydelsen\n på dit website.\n ",
+ runwayFromScratch: 'Jeg har lyst til at begynde på bar bund',
+ runwayFromScratchText:
+ 'Dit website er helt tomt for øjeblikket, så det er perfekt hvis du ønsker at begynde på bar bund og oprette dine egne dokumenttyper og skabeloner. (lær hvordan) Du kan stadig vælge at installere Runway senere. Gå venligst til Udvikler-sektionen og vælg Pakker.',
+ runwayHeader: 'Du har lige opsat en ren Umbraco-platform. Hvad ønsker du nu at gøre?',
+ runwayInstalled: 'Runway er installeret',
+ runwayInstalledText:
+ 'Du har fundamentet på plads. Vælg hvilke moduler du ønsker at installere ovenpå det. Dette er vores liste over anbefalede moduler. Kryds dem af du ønsker at installere eller se den fulde liste af moduler ',
+ runwayOnlyProUsers: 'Kun anbefalet for erfarne brugere',
+ runwaySimpleSite: 'Jeg ønsker at begynder med et simpelt website',
+ runwaySimpleSiteText:
+ "
\"Runway\" er et simpelt website som stiller nogle basale dokumenttyper og skabeloner til rådighed. Installeringsprogrammet kan automatisk opsætte Runway for dig, men du kan nemt redigere, udvide eller fjerne det. Det er ikke nødvendigt og du kan sagtens bruge Umbraco uden. Men Runway tilbyder et fundament, som er baseret på 'Best Practices', som får dig igang hurtigere end nogensinde før. Hvis du vælger at installere Runway, kan du efter eget valg vælge de grundlæggende byggesten kaldet 'Runway Modules' til at forbedre dine Runway-sider.
Inkluderet med Runway:Home Page, Getting Started page, Installing Modules page. Valgfri Moduler: Top Navigation, Sitemap, Contact, Gallery.
",
+ runwayWhatIsRunway: 'Hvad er Runway',
+ step1: 'Skridt 1/5: Acceptér licens',
+ step2: 'Skridt 2/5: Database-konfiguration',
+ step3: 'Skridt 3/5: Validerer filrettigheder',
+ step4: 'Skridt 4/5: Kontrollér Umbraco sikkerhed',
+ step5: 'Skridt 5/5: Umbraco er parat til at få dig igang',
+ thankYou: 'Tak fordi du valgte Umbraco',
+ theEndBrowseSite:
+ '
Gennemse dit nye site
Du installerede Runway, så hvorfor ikke se hvordan dit nye website ser ud.',
+ theEndFurtherHelp:
+ "
Yderligere hjælpe og informationer
Få hjælp fra vores prisvindende fællesskab, gennemse dokumentationen eller se nogle gratis videoer om hvordan du opsætter et simpelt site, hvordan du bruger pakker og en 'quick guide' til Umbraco terminologier",
+ theEndHeader: 'Umbraco %0% er installeret og klar til brug',
+ theEndInstallFailed:
+ "For at afslutte installationen er du nødt til manuelt at rette /web.config filen og opdatére 'AppSetting' feltet UmbracoConfigurationStatus i bunden til '%0%'.",
+ theEndInstallSuccess:
+ 'Du kan komme igang med det samme ved at klikke på "Start Umbraco" knappen nedenfor. Hvis du er ny med Umbraco, kan du finde masser af ressourcer på vores \'getting started\' sider.\n',
+ theEndOpenUmbraco:
+ "
Start Umbraco
For at administrere dit website skal du blot åbne Umbraco administrationen og begynde at tilføje indhold, opdatere skabelonerne og stylesheets'ene eller tilføje ny funktionalitet.",
+ Unavailable: 'Forbindelse til databasen fejlede.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ watch: 'Se',
+ welcomeIntro:
+ 'Denne guide vil bringe dig gennem konfigurationsprocessen af Umbraco %0% for en frisk installation eller for en opgradering fra version 3.0.
Tryk på Næste for at begynde på guiden.',
+ },
+ language: {
+ cultureCode: 'Culture Code',
+ displayName: 'Culture Name',
+ },
+ lockout: {
+ lockoutWillOccur: 'Du har været inaktiv, og du vil blive logget ud om',
+ renewSession: 'Forny for at gemme dine ændringer',
+ },
+ login: {
+ greeting0: 'Velkommen',
+ greeting1: 'Velkommen',
+ greeting2: 'Velkommen',
+ greeting3: 'Velkommen',
+ greeting4: 'Velkommen',
+ greeting5: 'Velkommen',
+ greeting6: 'Velkommen',
+ instruction: 'Log ind på Umbraco',
+ signInWith: 'Log ind med {0}',
+ timeout: 'Du er blevet logget ud på grund af inaktivitet, vil du logge ind igen?',
+ },
+ main: {
+ dashboard: 'Skrivebord',
+ sections: 'Sektioner',
+ tree: 'Indhold',
+ },
+ moveOrCopy: {
+ choose: 'Vælg siden ovenover...',
+ copyDone: '%0% er nu kopieret til %1%',
+ copyTo: 'Kopier til',
+ moveDone: '%0% er nu flyttet til %1%',
+ moveTo: 'Flyt til',
+ nodeSelected: "er blevet valgt som roden for dit nye indhold, klik 'ok' nedenunder.",
+ noNodeSelected: "Intet element valgt, vælg et element i listen ovenfor før der klikkes 'fortsæt'",
+ notAllowedByContentType: 'Det nuværende element kan ikke lægges under denne pga. sin type',
+ notAllowedByPath: 'Det nuværende element kan ikke ligge under en af dens undersider',
+ notAllowedAtRoot: 'Dette element må ikke findes på rodniveau',
+ notValid:
+ 'Denne handling er ikke tilladt fordi du ikke har de fornødne rettigheder på et eller flere af\n under-dokumenterne\n ',
+ relateToOriginal: 'Relater det kopierede element til originalen',
+ },
+ notifications: {
+ editNotifications: 'Vælg dine notificeringer for %0%',
+ notificationsSavedFor: 'Notificeringer er gemt for %0%',
+ notifications: 'Notificeringer',
+ },
+ packager: {
+ actions: 'Handlinger',
+ created: 'Oprettet',
+ createPackage: 'Opret pakke',
+ chooseLocalPackageText: 'Vælg pakken fra din computer. Umbraco pakker er oftest en ".zip" fil',
+ deletewarning: 'Dette vil slette pakken',
+ includeAllChildNodes: 'Inkludér alle underliggende sider',
+ installed: 'Installeret',
+ installedPackages: 'Installerede pakker',
+ noConfigurationView: 'Denne pakke har ingen konfigurationsvisning',
+ noPackagesCreated: 'Der er ikke blevet oprettet nogle pakker endnu',
+ noPackages: 'Du har ingen pakker installeret',
+ noPackagesDescription:
+ "Du har ikke nogen pakker installeret. Du kan enten installere en lokal pakke ved at vælge den fra din computer eller gennemse de tilgængelige pakker ved hjælp af ikonet 'Pakker' øverst til højre på din skærm",
+ packageContent: 'Pakkeindhold',
+ packageLicense: 'Licens',
+ packageSearch: 'Søg efter pakker',
+ packageSearchResults: 'Resultater for',
+ packageNoResults: 'Vi kunne ikke finde resultater for',
+ packageNoResultsDescription: 'Prøv venligst at søge efter en anden pakke eller gennemse kategorierne\n ',
+ packagesPopular: 'Populære',
+ packagesNew: 'Nye udgivelser',
+ packageHas: 'har',
+ packageKarmaPoints: 'karma points',
+ packageInfo: 'Information',
+ packageOwner: 'Ejer',
+ packageContrib: 'Bidragsydere',
+ packageCreated: 'Oprettet',
+ packageCurrentVersion: 'Nuværende version',
+ packageNetVersion: '.NET version',
+ packageDownloads: 'Downloads',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Kompatibilitet',
+ packageCompatibilityDescription:
+ 'Denne pakke er kompatibel med de følgende versioner af Umbraco, som\n rapporteret af community-medlemmer. Fuld kompatibilitet kan ikke garanteres for versioner rapporteret nedenfor\n 100%\n ',
+ packageExternalSources: 'Eksterne kilder',
+ packageAuthor: 'Forfatter',
+ packageDocumentation: 'Dokumentation',
+ packageMetaData: 'Pakke meta data',
+ packageName: 'Pakkenavn',
+ packageNoItemsHeader: 'Pakken indeholder ingen elementer',
+ packageNoItemsText:
+ 'Denne pakkefil indeholder ingen elementer som kan af-installeres.
Du kan roligt fjerne denne fra systemet ved at klikke på "Fjern pakke" nedenfor.',
+ packageOptions: 'Pakkevalg',
+ packageReadme: 'Pakke læs mig',
+ packageRepository: 'Pakke opbevaringsbase',
+ packageUninstallConfirm: 'Bekræft af-installering',
+ packageUninstalledHeader: 'Pakken blev fjernet',
+ packageUninstalledText: 'Pakken er på succesfuld vis blevet fjernet',
+ packageUninstallHeader: 'Afinstallér pakke',
+ packageUninstallText:
+ 'Du kan fjerne markeringen på elementer du ikke ønsker at fjerne, på dette tidspunkt, nedenfor. Når du klikker \'bekræft\' vil alle afkrydsede elemenet blive fjernet \nBemærk: at dokumenter og medier som afhænger af denne pakke vil muligvis holde op med at virke, så vær forsigtig. Hvis i tvivl, kontakt personen som har udviklet pakken.',
+ packageVersion: 'Pakke version',
+ installInstructions: 'Install instructions',
+ packagesPromoted: 'Promoted',
+ packageMigrationsRun: 'Run pending package migrations',
+ packageMigrationsComplete: 'Package migrations have successfully completed.',
+ packageMigrationsNonePending: 'All package migrations have successfully completed.',
+ verifiedToWorkOnUmbracoCloud: 'Verified to work on Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'Indsæt med fuld formattering (Anbefales ikke)',
+ errorMessage:
+ 'Den tekst du er ved at indsætte indeholder specialtegn eller formattering. Dette kan\n skyldes at du kopierer fra f.eks. Microsoft Word. Umbraco kan fjerne denne specialformattering automatisk så\n indholdet er mere velegnet til visning på en webside.\n ',
+ removeAll: 'Indsæt som ren tekst, dvs. fjern al formattering',
+ removeSpecialFormattering: 'Indsæt, men fjern formattering som ikke bør være på en webside (Anbefales)\n ',
+ },
+ publicAccess: {
+ paGroups: 'Gruppebaseret beskyttelse',
+ paGroupsHelp: 'Hvis du ønsker at give adgang til alle medlemmer af specifikke medlemsgrupper',
+ paGroupsNoGroups: 'Du skal oprette en medlemsgruppe før du kan bruge gruppebaseret beskyttelse',
+ paErrorPage: 'Fejlside',
+ paErrorPageHelp: 'Brugt når folk er logget ind, men ingen adgang',
+ paHowWould: 'Vælg hvordan siden %0% skal beskyttes',
+ paIsProtected: '%0% er nu beskyttet',
+ paIsRemoved: 'Beskyttelse fjernet fra %0%',
+ paLoginPage: 'Log ind-side',
+ paLoginPageHelp: 'Vælg siden der indeholder log ind-formularen',
+ paRemoveProtection: 'Fjern beskyttelse...',
+ paRemoveProtectionConfirm: 'Er du sikker på at du vil fjerne beskyttelsen fra siden %0%?',
+ paSelectPages: 'Vælg siderne der indeholder log ind-formularer og fejlmeddelelser',
+ paSelectGroups: 'Vælg de grupper der har adgang til siden %0%',
+ paSelectMembers: 'Vælg de medlemmer der har adgang til siden %0%',
+ paMembers: 'Adgang til enkelte medlemmer',
+ paMembersHelp: 'Hvis du ønsker at give adgang til enkelte medlemmer',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'Utilstrækkelige bruger adgang til a udgive alle under dokumenter',
+ contentPublishedFailedAwaitingRelease: 'Udgivelsen kunne ikke udgives da publiceringsdato er sat',
+ contentPublishedFailedIsTrashed: '\n %0% kunne ikke publiceres da elementet er i skraldespanden.\n ',
+ contentPublishedFailedExpired:
+ '\n %0% Udgivelsen kunne ikke blive publiceret da publiceringsdatoen er overskredet\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% kunne ikke publiceres da følgende egenskaber : %1% ikke overholdte valderingsreglerne.\n ',
+ contentPublishedFailedByEvent: '%0% kunne ikke udgives, fordi et 3. parts modul annullerede handlingen\n ',
+ contentPublishedFailedByMissingName: '%0% kan ikke udgives, fordi det mangler et navn.',
+ includeUnpublished: 'Medtag ikke-udgivede undersider',
+ inProgress: 'Publicerer - vent venligst...',
+ inProgressCounter: '%0% ud af %1% sider er blevet udgivet...',
+ nodePublish: '%0% er nu publiceret',
+ nodePublishAll: '%0% og alle undersider er nu publiceret',
+ publishAll: 'Publicér alle undersider',
+ publishHelp:
+ 'Klik ok for at udgive %0% og derved gøre indholdet offentligt tilgængeligt..
Du kan udgive denne side og dens undersider ved at klikke Udgiv alle undersider forneden',
+ contentPublishedFailedByParent: '\n %0% can not be published, because a parent page is not published.\n ',
+ contentPublishedFailedReqCultureValidationError:
+ "Validation failed for required language '%0%'. This\n language was saved but not published.\n ",
+ },
+ colorpicker: {
+ noColors: 'Du har ikke konfigureret nogen godkendte farver',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Du kan kun vælge følgende type(r) dokumenter: %0%',
+ defineDynamicRoot: 'Definer Dynamisk Udgangspunkt',
+ defineRootNode: 'Vælg udgangspunkt',
+ pickedTrashedItem: 'Du har valgt et dokument som er slettet eller lagt i papirkurven',
+ pickedTrashedItems: 'Du har valgt dokumenter som er slettede eller lagt i papirkurven',
+ },
+ dynamicRoot: {
+ configurationTitle: 'Dynamisk udgangspunkts forespørgsel',
+ pickDynamicRootOriginTitle: 'Vælg begyndelsen',
+ pickDynamicRootOriginDesc: 'Beskriv begyndelsen for dynamisk udgangspunkts forespørgselen',
+ originRootTitle: 'Roden',
+ originRootDesc: 'Rod noden for denne kilde',
+ originParentTitle: 'Overliggende',
+ originParentDesc: 'Den overliggende node af kilden i denne redigerings session',
+ originCurrentTitle: 'Nuværende',
+ originCurrentDesc: 'Kilde noden for denne redigerings session',
+ originSiteTitle: 'Siden',
+ originSiteDesc: 'Nærmeste node med et domæne',
+ originByKeyTitle: 'Specifik Node',
+ originByKeyDesc: 'Vælg en specifik Node',
+ pickDynamicRootQueryStepTitle: 'Tilføj skridt til forespørgsel',
+ pickDynamicRootQueryStepDesc: 'Specificer næste skridt i din dynamisk udgangspunkts forespørgsel',
+ queryStepNearestAncestorOrSelfTitle: 'Nærmeste forældre eller selv',
+ queryStepNearestAncestorOrSelfDesc: 'Forespørg the nærmeste forældre eller selv der passer på en af de givne typer',
+ queryStepFurthestAncestorOrSelfTitle: 'Fjerneste forældre eller selv',
+ queryStepFurthestAncestorOrSelfDesc: 'Forespørg fjerneste forældre eller selv der passer på en af de givne typer',
+ queryStepNearestDescendantOrSelfTitle: 'Nærmeste barn eller selv',
+ queryStepNearestDescendantOrSelfDesc: 'Forespørg nærmeste barn eller selv der passer på en af de givne typer',
+ queryStepFurthestDescendantOrSelfTitle: 'Fjerneste barn eller selv',
+ queryStepFurthestDescendantOrSelfDesc: 'Forespørg fjerneste barn eller selv der passer på en af de givne typer',
+ queryStepCustomTitle: 'Brugerdefineret',
+ queryStepCustomDesc: 'Forespørg med et skræddersyet forespørgsels skridt',
+ addQueryStep: 'Tilføj skridt',
+ queryStepTypes: 'der passer med typerne: ',
+ noValidStartNodeTitle: 'Intet passende indhold',
+ noValidStartNodeDesc:
+ 'Konfigurationen af dette felt passer ikke med noget indhold. Opret det manglende indhold eller kontakt din adminnistrator for at tilpasse Dynamisk Udgangspunkts Forespørgselen for dette felt.',
+ },
+ mediaPicker: {
+ deletedItem: 'Slettet medie',
+ pickedTrashedItem: 'Du har valgt et medie som er slettet eller lagt i papirkurven',
+ pickedTrashedItems: 'Du har valgt medier som er slettede eller lagt i papirkurven',
+ trashed: 'Slettet',
+ openMedia: 'Åben i mediebiblioteket',
+ changeMedia: 'Skift medie',
+ editMediaEntryLabel: 'Rediger %0% på %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Annuller indsættelse?',
+ confirmCancelMediaEntryCreationMessage: 'Er du sikker på at du vil annullere indsættelsen?',
+ confirmCancelMediaEntryHasChanges:
+ 'Du har foretaget ændringer til bruge af dette media. Er du sikker på\n at du vil annullere?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Fjern brugen af alle medier?',
+ tabClipboard: 'Udklipsholder',
+ notAllowed: 'Ikke tilladt',
+ openMediaPicker: 'Open media picker',
+ },
+ relatedlinks: {
+ enterExternal: 'indtast eksternt link',
+ chooseInternal: 'vælg en intern side',
+ caption: 'Tekst',
+ link: 'Link',
+ newWindow: 'Nyt vindue',
+ captionPlaceholder: 'Indtast en tekst',
+ externalLinkPlaceholder: 'Indtast et link',
+ },
+ imagecropper: {
+ reset: 'Nulstil',
+ updateEditCrop: 'Acceptér',
+ undoEditCrop: 'Fortryd',
+ customCrop: 'Brugerdefineret',
+ },
+ rollback: {
+ changes: 'Ændringer',
+ headline: 'Vælg en version at sammenligne med den nuværende version',
+ diffHelp:
+ 'Her vises forskellene mellem den nuværende version og den valgte version Rød tekst vil ikke blive vist i den valgte version. Grøn betyder tilføjet',
+ noDiff: 'Der er ingen forskelle mellem den nuværende version og den valgte version',
+ documentRolledBack: 'Dokument tilbagerullet',
+ htmlHelp:
+ "Her vises den valgte version som html. Hvis du ønsker at se forskellen mellem de 2 versioner\n på samme tid, brug 'diff'-oversigten\n ",
+ rollbackTo: 'Tilbagerulning til',
+ selectVersion: 'Vælg version',
+ view: 'Vis',
+ created: 'Created',
+ currentVersion: 'Current version',
+ pagination: 'Showing version %0% to %1% of %2% versions',
+ versions: 'Versions',
+ currentDraftVersion: 'Current draft version',
+ currentPublishedVersion: 'Current published version',
+ },
+ scripts: {
+ editscript: 'Rediger script',
+ },
+ sections: {
+ content: 'Indhold',
+ media: 'Mediearkiv',
+ member: 'Medlemmer',
+ packages: 'Pakker',
+ marketplace: 'Marketplace',
+ settings: 'Indstillinger',
+ translation: 'Oversættelse',
+ users: 'Brugere',
+ },
+ help: {
+ tours: 'Tours',
+ theBestUmbracoVideoTutorials: 'De bedste Umbraco video tutorials',
+ umbracoForum: 'Besøg our.umbraco.com',
+ umbracoTv: 'Besøg umbraco.tv',
+ umbracoLearningBase: 'Watch our free tutorial videos',
+ umbracoLearningBaseDescription: 'on the Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Standardskabelon',
+ importDocumentTypeHelp:
+ 'For at importere en dokumenttype, find ".udt"-filen på din computer ved at\n klikke på "Gennemse"-knappen og klik "Import" (Du vil blive bedt om bekræftelse på næste skærmbillede)\n ',
+ newtabname: 'Ny titel på faneblad',
+ nodetype: 'Nodetype',
+ objecttype: 'Type',
+ stylesheet: 'Stylesheet',
+ script: 'Script',
+ tab: 'Faneblad',
+ tabname: 'Titel på faneblad',
+ tabs: 'Faneblade',
+ createMatchingTemplate: 'Opret tilsvarende skabelon',
+ addIcon: 'Tilføj ikon',
+ contentTypeEnabled: 'Master Content Type enabled',
+ contentTypeUses: 'This Content Type uses',
+ noPropertiesDefinedOnTab:
+ 'No properties defined on this tab. Click on the "add a new property" link at\n the top to create a new property.\n ',
+ },
+ sort: {
+ sortOrder: 'Sorteringsrækkefølge',
+ sortCreationDate: 'Oprettelsesdato',
+ sortDone: 'Sortering udført',
+ sortHelp:
+ 'Træk de forskellige sider op eller ned for at indstille hvordan de skal arrangeres, eller klik\n på kolonnehovederne for at sortere hele rækken af sider\n ',
+ sortPleaseWait: 'Vent venligst mens siderne sorteres. Det kan tage et stykke tid.',
+ sortEmptyState: 'Denne node har ingen under noder at sortere',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validering',
+ validationFailedMessage: 'Valideringsfejl skal rettes før elementet kan gemmes',
+ operationFailedHeader: 'Fejlet',
+ operationSavedHeader: 'Gemt',
+ operationSavedHeaderReloadUser: 'Gemt. For at se ændringerne skal du genindlæse din browser',
+ invalidUserPermissionsText: 'Utilstrækkelige brugerrettigheder, kunne ikke fuldføre handlingen',
+ operationCancelledHeader: 'Annulleret',
+ operationCancelledText: 'Handlingen blev annulleret af et 3. part tilføjelsesprogram',
+ contentPublishedFailedByEvent: 'Udgivelsen blev annulleret af et 3. part tilføjelsesprogram',
+ contentTypeDublicatePropertyType: 'Property type eksisterer allerede',
+ contentTypePropertyTypeCreated: 'Egenskabstype oprettet',
+ contentTypePropertyTypeCreatedText: 'Navn: %0% DataType: %1%',
+ contentTypePropertyTypeDeleted: 'Egenskabs type slettet',
+ contentTypeSavedHeader: 'Indholdstype gemt',
+ contentTypeTabCreated: 'Du har oprettet et faneblad',
+ contentTypeTabDeleted: 'Faneblad slettet',
+ contentTypeTabDeletedText: 'Faneblad med id: %0% slettet',
+ cssErrorHeader: 'Stylesheetet blev ikke gemt',
+ cssSavedHeader: 'Stylesheet gemt',
+ cssSavedText: 'Stylesheet gemt uden fejl',
+ dataTypeSaved: 'Datatype gemt',
+ dictionaryItemSaved: 'Ordbogsnøgle gemt',
+ editContentPublishedFailedByParent: 'Udgivelse fejlede da overliggende side ikke er udgivet',
+ editContentPublishedHeader: 'Indhold publiceret',
+ editContentPublishedText: 'og nu synligt for besøgende',
+ editMultiContentPublishedText: '%0% dokumenter udgivet og synlige på hjemmesiden',
+ editVariantPublishedText: '%0% udgivet og synligt på hjemmesiden',
+ editMultiVariantPublishedText: '%0% dokumenter udgivet for sprogene %1% og synlige på hjemmesiden',
+ editBlueprintSavedHeader: 'Indholdsskabelon gemt',
+ editBlueprintSavedText: 'Rettelser er blevet gemt',
+ editContentSavedHeader: 'Indhold gemt',
+ editContentSavedText: 'Husk at publicere for at gøre det synligt for besøgende',
+ editContentScheduledSavedText: 'En planlægning for udgivelse er blevet opdateret',
+ editVariantSavedText: '%0% gemt',
+ editContentSendToPublish: 'Send til Godkendelse',
+ editContentSendToPublishText: 'Rettelser er blevet sendt til godkendelse',
+ editVariantSendToPublishText: '%0% rettelser er blevet sendt til godkendelse',
+ editMediaSaved: 'Medie gemt',
+ editMediaSavedText: 'Medie gemt uden problemer',
+ editMemberSaved: 'Medlem gemt',
+ editStylesheetPropertySaved: 'Stylesheetegenskab gemt',
+ editStylesheetSaved: 'Stylesheet gemt',
+ editTemplateSaved: 'Skabelon gemt',
+ editUserError: 'Der er opstået en fejl under redigering',
+ editUserSaved: 'Bruger gemt',
+ editUserTypeSaved: 'Brugertype gemt',
+ editUserGroupSaved: 'Brugergruppe gemt',
+ editCulturesAndHostnamesSaved: 'Sprog og domæner gemt',
+ editCulturesAndHostnamesError: 'Der opstod en fejl ved at gemme sprog og domæner',
+ fileErrorHeader: 'Fil ikke gemt',
+ fileErrorText: 'Filen kunne ikke gemmes. Tjek filrettighederne',
+ fileSavedHeader: 'Fil gemt',
+ fileSavedText: 'Fil gemt uden fejl',
+ languageSaved: 'Sprog gemt',
+ mediaTypeSavedHeader: 'Medietype gemt',
+ memberTypeSavedHeader: 'Medlemstype gemt',
+ memberGroupSavedHeader: 'Medlemsgruppe gemt',
+ templateErrorHeader: 'Skabelon ikke gemt',
+ templateErrorText: 'Undgå venligst at du har 2 templates med samme alias',
+ templateSavedHeader: 'Skabelon gemt',
+ templateSavedText: 'Skabelon gemt uden fejl!',
+ contentUnpublished: 'Indhold fjernet fra udgivelse',
+ contentCultureUnpublished: 'Indhold variation %0% afpubliceret',
+ contentMandatoryCultureUnpublished:
+ "Det krævet sprog '%0%' var afpubliceret. Alle sprog for dette\n indholds element er nu afpubliceret.\n ",
+ partialViewSavedHeader: 'Partial view gemt',
+ partialViewSavedText: 'Partial view gemt uden fejl!',
+ partialViewErrorHeader: 'Partial view ikke gemt',
+ partialViewErrorText: 'Der opstod en fejl ved at gemme filen.',
+ permissionsSavedFor: 'Rettigheder gemt for',
+ deleteUserGroupsSuccess: 'Slettede %0% brugergrupper',
+ deleteUserGroupSuccess: '%0% blev slettet',
+ enableUsersSuccess: 'Aktiverede %0% brugere',
+ disableUsersSuccess: 'Deaktiverede %0% brugere',
+ enableUserSuccess: '%0% er nu aktiveret',
+ disableUserSuccess: '%0% er nu deaktiveret',
+ setUserGroupOnUsersSuccess: 'Brugergrupper er blevet indstillet',
+ unlockUsersSuccess: 'Låste %0% brugere op',
+ unlockUserSuccess: '%0% er nu låst op',
+ memberExportedSuccess: 'Medlem blev exportet til fil',
+ memberExportedError: 'Der skete en fejl under exporteringen af medlemmet',
+ deleteUserSuccess: 'Brugeren %0% blev slettet',
+ resendInviteHeader: 'Invitér bruger',
+ resendInviteSuccess: 'Invitationen blev gensendt til %0%',
+ contentReqCulturePublishError: "Kan ikke udgive dokumentet da det krævet '%0%' ikke er udgivet",
+ contentCultureValidationError: "Validering fejlede for sproget '%0%'",
+ documentTypeExportedSuccess: 'Dokumenttypen blev eksporteret til en fil',
+ documentTypeExportedError: 'Der skete en fejl under eksport af en dokumenttype',
+ scheduleErrReleaseDate1: 'Udgivelses datoen kan ikke ligge i fortiden',
+ scheduleErrReleaseDate2: "Kan ikke planlægge dokumentes udgivelse da det krævet '%0%' ikke er udgivet\n ",
+ scheduleErrReleaseDate3:
+ "Kan ikke planlægge dokumentes udgivelse da det krævet '%0%' har en senere\n udgivelses dato end et ikke krævet sprog\n ",
+ scheduleErrExpireDate1: 'Afpubliceringsdatoen kan ikke ligge i fortiden',
+ scheduleErrExpireDate2: 'Afpubliceringsdatoen kan ikke være før udgivelsesdatoen',
+ publishWithNoDomains:
+ 'Domæner er ikke konfigureret for en flersproget side, kontakt vensligst en\n administrator, se loggen for mere information\n ',
+ publishWithMissingDomain:
+ 'Der er ikke noget domæne konfigureret for %0%, kontakt vensligst en\n administrator, se loggen for mere information\n ',
+ copySuccessMessage: 'Dit systems information er blevet kopieret til udklipsholderen',
+ cannotCopyInformation: 'Kunne desværre ikke kopiere dit systems information til udklipsholderen',
+ folderUploadNotAllowed:
+ 'This file is being uploaded as part of a folder, but creating a new folder is not allowed here',
+ folderCreationNotAllowed: 'Creating a new folder is not allowed here',
+ memberGroupNameDuplicate: 'Another Member Group with the same name already exists',
+ dictionaryItemExportedSuccess: 'Dictionary item(s) was exported to file',
+ dictionaryItemExportedError: 'An error occurred while exporting the dictionary item(s)',
+ dictionaryItemImported: 'The following dictionary item(s) has been imported!',
+ preventCleanupEnableError: 'An error occurred while enabling version cleanup for %0%',
+ preventCleanupDisableError: 'An error occurred while disabling version cleanup for %0%',
+ },
+ stylesheet: {
+ addRule: 'Tilføj style',
+ editRule: 'Redigér style',
+ editorRules: 'Teksteditor-styles',
+ editorRulesHelp: 'Definér de styles, der skal være tilgængelige i teksteditoren for dette stylesheet\n ',
+ selector: 'Selector',
+ selectorHelp: 'Bruger CSS-syntaks, f.eks. "h1" eller ".redheader"',
+ editstylesheet: 'Rediger stylesheet',
+ editstylesheetproperty: 'Rediger CSS-egenskab',
+ nameHelp: 'Det navn der vises i teksteditoren',
+ preview: 'Forhåndsvisning',
+ previewHelp: 'Hvordan teksten vil se ud i teksteditoren.',
+ styles: 'Styles',
+ stylesHelp: 'Den CSS der skal anvendes i teksteditoren, f.eks. "color:red;"',
+ tabCode: 'Kode',
+ tabRules: 'Editor',
+ },
+ template: {
+ deleteByIdFailed: 'Sletning af skabelonen med ID %0% fejlede',
+ edittemplate: 'Rediger skabelon',
+ insertSections: 'Sektioner',
+ insertContentArea: 'Indsæt indholdsområde',
+ insertContentAreaPlaceHolder: 'Indsæt pladsholder for indholdsområde',
+ insert: 'Indsæt',
+ insertDesc: 'Hvad vil du indsætte?',
+ insertDictionaryItem: 'Oversættelse',
+ insertDictionaryItemDesc:
+ 'Indsætter en oversætbar tekst, som skifter efter det sprog, som websitet vises\n i.\n ',
+ insertMacro: 'Makro',
+ insertMacroDesc:
+ '\n En makro er et element, som kan have forskellige indstillinger, når det indsættes.\n Brug det som en genbrugelig del af dit design såsom gallerier, formularer og lister.\n ',
+ insertPageField: 'Sideværdi',
+ insertPageFieldDesc:
+ '\n Viser værdien af et felt fra den nuværende side. Kan indstilles til at bruge rekursive værdier eller\n vise en standardværdi i tilfælde af, at feltet er tomt.\n ',
+ insertPartialView: 'Partial view',
+ insertPartialViewDesc:
+ '\n Et Partial View er et skabelonelement, som kan indsættes i andre skabeloner og derved\n genbruges og deles på tværs af sideskabelonerne.\n ',
+ mastertemplate: 'Master skabelon',
+ quickGuide: 'Lynguide til Umbracos skabelontags',
+ noMaster: 'Ingen master',
+ renderBody: 'Indsæt en underliggende skabelon',
+ renderBodyDesc:
+ '\n Henter indholdet af en underliggende skabelon ind, ved at\n indsætte et @RenderBody() element.\n ',
+ defineSection: 'Definer en sektion',
+ defineSectionDesc:
+ '\n Definerer en del af din skabelon som en navngivet sektion, ved at\n omkranse den i @section { ... }. Herefter kan denne sektion flettes ind i\n overliggende skabelon ved at indsætte et @RenderSection element.\n ',
+ renderSection: 'Indsæt en sektion',
+ renderSectionDesc:
+ '\n Henter indholdet af en sektion fra den underliggende skabelon ind, ved at indsætte et\n @RenderSection(name) element. Den underliggende skabelon skal have\n defineret en sektion via et @section [name]{ ... } element.\n ',
+ sectionName: 'Sektionsnavn',
+ sectionMandatory: 'Sektionen er obligatorisk',
+ sectionMandatoryDesc:
+ '\n Hvis obligatorisk, skal underskabelonen indeholde en @section -definition.\n ',
+ queryBuilder: 'Query builder',
+ itemsReturned: 'sider returneret, på',
+ iWant: 'Returner',
+ allContent: 'alt indhold',
+ contentOfType: 'indhold af typen "%0%"',
+ from: 'fra',
+ websiteRoot: 'mit website',
+ where: 'hvor',
+ and: 'og',
+ is: 'er',
+ isNot: 'ikke er',
+ before: 'er før',
+ beforeIncDate: 'er før (inkl. valgte dato)',
+ after: 'er efter',
+ afterIncDate: 'er efter (inkl. valgte dato)',
+ equals: 'er',
+ doesNotEqual: 'ikke er',
+ contains: 'indeholder',
+ doesNotContain: 'ikke indeholder',
+ greaterThan: 'er større end',
+ greaterThanEqual: 'er større end eller det samme som',
+ lessThan: 'er mindre end',
+ lessThanEqual: 'er mindre end eller det samme som',
+ id: 'Id',
+ name: 'Navn',
+ createdDate: 'Oprettelsesdato',
+ lastUpdatedDate: 'Sidste opdatering',
+ orderBy: 'Sortér efter',
+ ascending: 'stigende rækkefølge',
+ descending: 'faldende rækkefølge',
+ template: 'Skabelon',
+ runtimeModeProduction: 'Content is not editable when using runtime mode Production.',
+ },
+ grid: {
+ media: 'Billede',
+ macro: 'Macro',
+ insertControl: 'Vælg indholdstype',
+ chooseLayout: 'Vælg layout',
+ addRows: 'Tilføj række',
+ addElement: 'Tilføj indhold',
+ dropElement: 'Slip indhold',
+ settingsApplied: 'Indstillinger tilføjet',
+ contentNotAllowed: 'Indholdet er ikke tilladt her',
+ contentAllowed: 'Indholdet er tilladt her',
+ clickToEmbed: 'Klik for at indlejre',
+ clickToInsertImage: 'Klik for at indsætte et billede',
+ placeholderWriteHere: 'Skriv her...',
+ gridLayouts: 'Grid layout',
+ gridLayoutsDetail:
+ 'Et layout er det overordnede arbejdsområde til dit grid - du vil typisk kun behøve ét\n eller to\n ',
+ addGridLayout: 'Tilføj grid layout',
+ editGridLayout: 'Rediger grid layout',
+ addGridLayoutDetail: 'Juster dit layout ved at justere kolonnebredder og tilføj yderligere sektioner\n ',
+ rowConfigurations: 'Rækkekonfigurationer',
+ rowConfigurationsDetail: 'Rækker er foruddefinerede celler, der arrangeres vandret',
+ addRowConfiguration: 'Tilføj rækkekonfiguration',
+ editRowConfiguration: 'Rediger rækkekonfiguration',
+ addRowConfigurationDetail: 'Juster rækken ved at indstille cellebredder og tilføje yderligere celler\n ',
+ noConfiguration: 'Ingen yderligere konfiguration tilgængelig',
+ columns: 'Kolonner',
+ columnsDetails: 'Det totale antal kolonner i dit grid',
+ settings: 'Indstillinger',
+ settingsDetails: 'Konfigurer, hvilket indstillinger, brugeren kan ændre',
+ styles: 'Typografi',
+ stylesDetails: 'Vælg hvilke typografiværdier en redaktør kan ændre',
+ allowAllEditors: 'Tillad alle editorer',
+ allowAllRowConfigurations: 'Tillad alle rækkekonfigurationer',
+ setAsDefault: 'Sæt som standard',
+ chooseExtra: 'Vælg ekstra',
+ chooseDefault: 'Vælg standard',
+ areAdded: 'er tilføjet',
+ youAreDeleting: 'Du sletter en rækkekonfiguration',
+ deletingARow:
+ 'Sletning af et rækkekonfigurations navn vil resultere i et tab af data for alle\n eksiterende indhold som bruger dens konfiguration.\n ',
+ deleteLayout: 'Du sletter et layoutet',
+ deletingALayout:
+ 'Når du redigerer et layout vil data gå tabt de steder, hvor denne konfiguration\n bruges.\n ',
+ maxItems: 'Maksimalt emner',
+ maxItemsDescription: 'Efterlad blank eller sæt til 0 for ubegrænset',
+ clickToInsertMacro: 'Click to insert macro',
+ warning: 'Warning',
+ warningText:
+ '
Modifying a row configuration name will result in loss of data for any existing content that is based on this configuration.
Modifying only the label will not result in data loss.
',
+ },
+ contentTypeEditor: {
+ compositions: 'Kompositioner',
+ group: 'Gruppe',
+ noGroups: 'Du har ikke tilføjet nogen grupper',
+ addGroup: 'Tilføj gruppe',
+ inheritedFrom: 'Nedarvet fra',
+ addProperty: 'Tilføj egenskab',
+ requiredLabel: 'Påkrævet label',
+ enableListViewHeading: 'Aktivér listevisning',
+ enableListViewDescription: 'Konfigurér indholdet til at blive vist i en sortérbar og søgbar liste.',
+ allowedTemplatesHeading: 'Tilladte skabeloner',
+ allowedTemplatesDescription: 'Vælg hvilke skabeloner, der er tilladt at bruge på dette indhold.',
+ allowAtRootHeading: 'Tillad på rodniveau',
+ allowAtRootDescription:
+ 'Kun dokumenttyper med denne indstilling aktiveret kan oprettes i rodniveau under\n indhold og mediearkiv.\n ',
+ childNodesHeading: 'Tilladte typer',
+ childNodesDescription: 'Tillad at oprette indhold af en specifik type under denne.',
+ chooseChildNode: 'Vælg child node',
+ compositionsDescription:
+ 'Nedarv faner og egenskaber fra en anden dokumenttype. Nye faner vil blive\n tilføjet den nuværende dokumenttype eller sammenflettet hvis fanenavnene er ens.\n ',
+ compositionInUse:
+ 'Indholdstypen bliver brugt i en komposition og kan derfor ikke blive anvendt som\n komposition\n ',
+ noAvailableCompositions: 'Der er ingen indholdstyper tilgængelige at bruge som komposition',
+ compositionRemoveWarning:
+ 'Når du fjerner en komposition vil alle associerede indholdsdata blive slettet.\n Når først dokumenttypen er gemt, er der ingen vej tilbage.\n ',
+ availableEditors: 'Opret ny indstilling',
+ reuse: 'Genbrug',
+ editorSettings: 'Input indstillinger',
+ searchResultSettings: 'Tilgængelige indstillinger',
+ searchResultEditors: 'Opret ny indstilling',
+ configuration: 'Konfiguration',
+ yesDelete: 'Ja, slet',
+ movedUnderneath: 'blev flyttet til',
+ copiedUnderneath: 'blev kopieret til',
+ folderToMove: 'Vælg hvor',
+ folderToCopy: 'Vælg hvor',
+ structureBelow: 'skal flyttes til',
+ allDocumentTypes: 'Alle dokumenttyper',
+ allDocuments: 'Alle dokumenter',
+ allMediaItems: 'Alle medier',
+ usingThisDocument:
+ 'som benytter denne dokumenttype vil blive slettet permanent. Bekræft at du også vil\n slette dem.\n ',
+ usingThisMedia:
+ 'som benytter denne medietype vil blive slettet permanent. Bekræft at du også vil slette\n dem.\n ',
+ usingThisMember:
+ 'som benytter denne medlemstype vil blive slettet permanent. Bekræft at du også vil\n slette dem.\n ',
+ andAllDocuments: 'og alle dokumenter, som benytter denne type',
+ andAllMediaItems: 'og alle medier, som benytter denne type',
+ andAllMembers: 'og alle medlemmer, som benytter denne type',
+ memberCanEdit: 'Medlem kan redigere',
+ memberCanEditDescription: 'Tillad at denne egenskab kan redigeres af medlemmet på dets profil.',
+ isSensitiveData: 'Er følsom data',
+ isSensitiveDataDescription:
+ 'Skjul værdien af denne egenskab for indholdsredaktører der ikke har adgang til at se følsomme data',
+ showOnMemberProfile: 'Vis på medlemsprofil',
+ showOnMemberProfileDescription: 'Tillad at denne egenskab kan vises på medlemmets profil.',
+ tabHasNoSortOrder: 'fane har ingen sorteringsrækkefølge',
+ compositionUsageHeading: 'Hvor er denne komposition brugt?',
+ compositionUsageSpecification: 'Denne komposition brugt i kompositionen af de følgende indholdstyper:\n ',
+ variantsHeading: 'Tillad variationer',
+ cultureVariantHeading: 'Tillad sprogvariation',
+ segmentVariantHeading: 'Tillad segmentering',
+ cultureVariantLabel: 'Tillader sprogvariationer',
+ segmentVariantLabel: 'Tillader segmentering',
+ variantsDescription: 'Tillad at redaktører kan oprette indhold af denne type på flere sprog.',
+ cultureVariantDescription: 'Tillad at redaktører kan oprette dette indhold på flere sprog.',
+ segmentVariantDescription: 'Tillad at redaktører kan oprette flere udgaver af denne type indhold.',
+ allowVaryByCulture: 'Tillad sprogvariation',
+ allowVaryBySegment: 'Tillad segmentering',
+ elementType: 'Element-type',
+ elementHeading: 'Er en Element-type',
+ elementDescription: 'En Element-type er tiltænkt brug i andre Dokumenttyper, ikke i indholdstræet.\n ',
+ elementCannotToggle:
+ 'En Dokumenttype kan ikke ændres til en Element-type efter den er blevet brugt til\n at oprette en eller flere indholds elementer.\n ',
+ elementDoesNotSupport: 'Dette benyttes ikke for en Element-type',
+ propertyHasChanges: 'Du har lavet ændringer til denne egenskab. Er du sikker på at du vil kassere dem?\n ',
+ displaySettingsHeadline: 'Visning',
+ displaySettingsLabelOnTop: 'Label hen over (fuld bredde)',
+ removeChildNode: 'Du fjerner noden',
+ removeChildNodeWarning:
+ 'Fjernelse af noden, begrænser redaktørens muligheder for at oprette forskellige\n typer af underindhold.\n ',
+ groupReorderSameAliasError:
+ 'You can\'t move the group %0% to this tab because the group will get the same\n alias as a tab: "%1%". Rename the group to continue.\n ',
+ confirmDeleteTabMessage: 'Are you sure you want to delete the tab %0%?',
+ confirmDeleteGroupMessage: 'Are you sure you want to delete the group %0%?',
+ confirmDeletePropertyMessage: 'Are you sure you want to delete the property %0%?',
+ confirmDeleteTabNotice: 'This will also delete all items below this tab.',
+ confirmDeleteGroupNotice: 'This will also delete all items below this group.',
+ addTab: 'Add tab',
+ convertToTab: 'Convert to tab',
+ tabDirectPropertiesDropZone: 'Drag properties here to place directly on the tab',
+ usingEditor: 'using this editor will get updated with the new settings.',
+ historyCleanupHeading: 'History cleanup',
+ historyCleanupDescription: 'Allow overriding the global history cleanup settings.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Keep all versions newer than days',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Keep latest version per day for days',
+ historyCleanupPreventCleanup: 'Prevent cleanup',
+ historyCleanupEnableCleanup: 'Enable cleanup',
+ historyCleanupGloballyDisabled:
+ 'NOTE! The cleanup of historically content versions are disabled globally. These settings will not take effect before it is enabled.',
+ changeDataTypeHelpText:
+ 'Changing a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ collections: 'Samlinger',
+ collectionsDescription: 'Konfigurerer indholdselementet til at vise listen over dets underordnede elementer.',
+ structure: 'Struktur',
+ presentation: 'Præsentation',
+ },
+ languages: {
+ addLanguage: 'Tilføj sprog',
+ mandatoryLanguage: 'Påkrævet sprog',
+ mandatoryLanguageHelp: 'Egenskaber på dette sprog skal være udfyldt før noden kan blive udgivet.',
+ defaultLanguage: 'Standardsprog',
+ defaultLanguageHelp: 'Et Umbraco-site kan kun have ét standardsprog.',
+ changingDefaultLanguageWarning: 'At skifte standardsprog kan resultere i at standardindhold mangler.\n ',
+ fallsbackToLabel: 'Fallback til',
+ noFallbackLanguageOption: 'Intet fallback-sprog',
+ fallbackLanguageDescription:
+ 'For at tillade flersproget indhold, som ikke er tilgængeligt i det anmodede\n sprog, skal du her vælge et sprog at falde tilbage på.\n ',
+ fallbackLanguage: 'Fallback-sprog',
+ none: 'ingen',
+ culture: 'ISO code',
+ invariantPropertyUnlockHelp: '%0% is shared across languages and segments.',
+ invariantCulturePropertyUnlockHelp: '%0% is shared across all languages.',
+ invariantSegmentPropertyUnlockHelp: '%0% is shared across all segments.',
+ invariantLanguageProperty: 'Shared: Languages',
+ invariantSegmentProperty: 'Shared: Segments',
+ },
+ macro: {
+ addParameter: 'Tilføj parameter',
+ editParameter: 'Redigér parameter',
+ enterMacroName: 'Indtast makronavn',
+ parameters: 'Parametre',
+ parametersDescription: 'Definér de parametre der skal være tilgængelige, når du bruger denne makro.',
+ selectViewFile: 'Vælg partial view makrofil',
+ },
+ modelsBuilder: {
+ buildingModels: 'Bygger modeller',
+ waitingMessage: 'dette kan tage lidt tid',
+ modelsGenerated: 'Modeller genereret',
+ modelsGeneratedError: 'Modeller kunne ikke genereres',
+ modelsExceptionInUlog: 'Modelgeneration fejlet, se fejlmeddelelse i log',
+ },
+ templateEditor: {
+ addDefaultValue: 'Tilføj standard værdi',
+ defaultValue: 'Standard værdi',
+ alternativeField: 'Alternativt felt',
+ alternativeText: 'Alternativ tekst',
+ casing: 'Casing',
+ encoding: 'Kodning',
+ chooseField: 'Felt som skal indsættes',
+ convertLineBreaks: 'Konvertér linjeskift',
+ convertLineBreaksHelp: "Erstatter et linjeskift med html-tag'et <br>",
+ customFields: 'Custom felter',
+ dateOnly: 'Ja, kun dato',
+ formatAsDate: 'Formatér som dato',
+ htmlEncode: 'HTML indkod',
+ htmlEncodeHelp: 'Vil erstatte specielle karakterer med deres HTML jævnbyrdige.',
+ insertedAfter: 'Denne tekst vil blive sat ind lige efter værdien af feltet',
+ insertedBefore: 'Denne tekst vil blive sat ind lige før værdien af feltet',
+ lowercase: 'Lowercase',
+ none: 'Ingen',
+ outputSample: 'Udskrift eksempel',
+ postContent: 'Indsæt efter felt',
+ preContent: 'Indsæt før felt',
+ recursive: 'Rekursivt',
+ recursiveDescr: 'Ja, lav det rekursivt',
+ removeParagraph: 'Fjern paragraf-tags',
+ removeParagraphHelp: 'Fjerner eventuelle <P> omkring teksten',
+ standardFields: 'Standard felter',
+ uppercase: 'Store bogstaver',
+ urlEncode: 'URL encode',
+ urlEncodeHelp:
+ 'Hvis indholdet af felterne skal sendes til en URL, skal denne slåes til så specialtegn\n formateres\n ',
+ usedIfAllEmpty: 'Denne tekst bruges hvis ovenstående felter er tomme',
+ usedIfEmpty: 'Dette felt vil blive brugt hvis ovenstående felt er tomt',
+ withTime: 'Ja, med klokkeslæt. Dato/tid separator:',
+ },
+ translation: {
+ details: 'Oversættelsesdetaljer',
+ DownloadXmlDTD: 'Download XML DTD',
+ fields: 'Felter',
+ includeSubpages: 'Inkluder undersider',
+ noTranslators:
+ 'Ingen oversættelsesbrugere er fundet. Opret venligst en oversættelsesbruger før du\n begynder at sende indhold til oversættelse\n ',
+ pageHasBeenSendToTranslation: "Siden '%0%' er blevet sent til oversættelse",
+ sendToTranslate: "Send siden '%0%' til oversættelse",
+ totalWords: 'Totalt antal ord',
+ translateTo: 'Oversæt til',
+ translationDone: 'Oversættelse gennemført.',
+ translationDoneHelp:
+ 'Du kan gennemse de sider, som du lige har oversat, ved at klikke nedenfor. Hvis den\n originale side bliver fundet, vil du blive præsenteret for en sammenligning af de to sider.\n ',
+ translationFailed: 'Oversættelse fejlede, XML-filen kan være korrupt (indeholde fejl)',
+ translationOptions: 'Oversættelsesmuligheder',
+ translator: 'Oversætter',
+ uploadTranslationXml: 'Upload oversættelse (xml)',
+ },
+ treeHeaders: {
+ content: 'Indhold',
+ contentBlueprints: 'Indholdsskabeloner',
+ media: 'Mediearkiv',
+ cacheBrowser: 'Cacheviser',
+ contentRecycleBin: 'Papirkurv',
+ createdPackages: 'Oprettede pakker',
+ dataTypes: 'Datatyper',
+ dictionary: 'Ordbog',
+ installedPackages: 'Installerede pakker',
+ installSkin: 'Installér et skin',
+ installStarterKit: 'Installér et starterkit',
+ languages: 'Sprog',
+ localPackage: 'Installér lokal pakke',
+ macros: 'Makroer',
+ mediaTypes: 'Medietyper',
+ member: 'Medlemmer',
+ memberGroups: 'Medlemsgrupper',
+ memberRoles: 'Roller',
+ memberTypes: 'Medlemstyper',
+ documentTypes: 'Dokumenttyper',
+ relationTypes: 'Relationstyper',
+ packager: 'Pakker',
+ packages: 'Pakker',
+ partialViews: 'Partial Views',
+ partialViewMacros: 'Partial View makrofiler',
+ repositories: 'Installer fra "repository"',
+ relations: 'Relationer',
+ runway: 'Installer Runway',
+ runwayModules: 'Runway-moduler',
+ scripting: 'Scripting filer',
+ scripts: 'Scripts',
+ stylesheets: 'Stylesheets',
+ templates: 'Skabeloner',
+ logViewer: 'Logfremviser',
+ userPermissions: 'Brugertilladelser',
+ userTypes: 'Brugertyper',
+ users: 'Brugere',
+ settingsGroup: 'Indstillinger',
+ templatingGroup: 'Design og layout',
+ thirdPartyGroup: 'Tredjepart',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'Ny opdatering er klar',
+ updateDownloadText: '%0% er klar, klik her for at downloade',
+ updateNoServer: 'Ingen forbindelse til server',
+ updateNoServerError: 'Der kunne ikke tjekkes for ny opdatering. Se trace for mere info.',
+ },
+ user: {
+ access: 'Adgang',
+ accessHelp: 'Baseret på de tildelte grupper og startnoder har brugeren adgang til følgende noder',
+ assignAccess: 'Tildel adgang',
+ administrators: 'Administrator',
+ categoryField: 'Kategorifelt',
+ createDate: 'Bruger oprettet',
+ createUserHeadline: (kind: string) => {
+ return kind === 'Api' ? 'Opret API bruger' : 'Opret bruger';
+ },
+ changePassword: 'Skift dit kodeord',
+ changePhoto: 'Skift billede',
+ newPassword: 'Nyt kodeord',
+ newPasswordFormatLengthTip: 'Minium %0% karakterer tilbage!',
+ newPasswordFormatNonAlphaTip: 'Der skal som minium være %0% specielle karakterer.',
+ noLockouts: 'er ikke blevet låst ude',
+ noPasswordChange: 'Kodeordet er ikke blevet ændret',
+ confirmNewPassword: 'Gentag dit nye kodeord',
+ changePasswordDescription:
+ "Du kan ændre dit kodeord, som giver dig adgang til Umbraco backoffice ved at\n udfylde formularen og klikke på knappen 'Skift dit kodeord'\n ",
+ contentChannel: 'Indholdskanal',
+ createAnotherUser: 'Opret endnu en bruger',
+ createUserHelp:
+ 'Opret nye brugere for at give dem adgang til Umbraco. Når en ny bruger oprettes,\n genereres der en adgangskode, som du kan dele med brugeren.\n ',
+ descriptionField: 'Beskrivelsesfelt',
+ disabled: 'Deaktivér bruger',
+ documentType: 'Dokumenttype',
+ editors: 'Redaktør',
+ excerptField: 'Uddragsfelt',
+ failedPasswordAttempts: 'Fejlede loginforsøg',
+ goToProfile: 'Gå til brugerprofil',
+ groupsHelp: 'Tilføj grupper for at tildele adgang og tilladelser',
+ invite: 'Invitér',
+ inviteAnotherUser: 'Invitér anden bruger',
+ inviteUserHelp:
+ 'Invitér nye brugere til at give dem adgang til Umbraco. En invitation vil blive sendt\n via e-mail til brugeren med oplysninger om, hvordan man logger ind i Umbraco.\n ',
+ kind: 'Slags',
+ language: 'Sprog',
+ languageHelp: 'Indstil det sprog, du vil se i menuer og dialoger',
+ lastLockoutDate: 'Senest låst ude',
+ lastLogin: 'Seneste login',
+ lastPasswordChangeDate: 'Kodeord sidst ændret',
+ loginname: 'Brugernavn',
+ loginnameRequired: 'Påkrævet - indtast et brugernavn for denne bruger',
+ loginnameDescription: 'Brugernavnet bruges til at logge ind og til at identificere brugeren',
+ mediastartnode: 'Startnode i mediearkivet',
+ mediastartnodehelp: 'Begræns mediebiblioteket til en bestemt startnode',
+ mediastartnodes: 'Medie startnoder',
+ mediastartnodeshelp: 'Begræns mediebiblioteket til bestemte startnoder',
+ modules: 'Moduler',
+ noConsole: 'Deaktivér adgang til Umbraco',
+ noLogin: 'har endnu ikke logget ind',
+ oldPassword: 'Gammelt kodeord',
+ password: 'Adgangskode',
+ resetPassword: 'Nulstil kodeord',
+ passwordChanged: 'Dit kodeord er blevet ændret!',
+ passwordChangedGeneric: 'Kodeord ændret',
+ passwordConfirm: 'Bekræft venligst dit nye kodeord',
+ passwordEnterNew: 'Indtast dit nye kodeord',
+ passwordIsBlank: 'Dit nye kodeord kan ikke være blankt!',
+ passwordCurrent: 'Nuværende kodeord',
+ passwordInvalid: 'ugyldig nuværende kodeord',
+ passwordIsDifferent: 'Dit nye kodeord og dit bekræftede kodeord var ikke ens, forsøg venligst igen!',
+ passwordMismatch: 'Det bekræftede kodeord matcher ikke det nye kodeord',
+ permissionReplaceChildren: 'Erstat underelement-rettigheder',
+ permissionSelectedPages: 'Du ændrer i øjeblikket rettigheder for siderne:',
+ permissionSelectPages: 'Vælg sider for at ændre deres rettigheder',
+ removePhoto: 'Fjern billede',
+ permissionsDefault: 'Standardrettigheder',
+ permissionsGranular: 'Granulære rettigheder',
+ permissionsGranularHelp: 'Sæt rettigheder for specifikke noder',
+ permissionsEntityGroup_document: 'Indhold',
+ permissionsEntityGroup_media: 'Medie',
+ permissionsEntityGroup_member: 'Medlemmer',
+ profile: 'Profil',
+ searchAllChildren: "Søg alle 'børn'",
+ languagesHelp: 'Tilføj sprog for at give brugerne adgang til at redigere',
+ sectionsHelp: 'Tilføj sektioner for at give brugerne adgang',
+ allowAccessToAllLanguages: 'Tillad adgang til alle sprog',
+ allowAccessToAllDocuments: 'Tillad adgang til alle dokumenter',
+ allowAccessToAllMedia: 'Tillad adgang til alle medier',
+ selectUserGroup: (multiple: boolean) => {
+ return multiple ? 'Vælg brugergrupper' : 'Vælg brugergruppe';
+ },
+ noStartNode: 'Ingen startnode valgt',
+ noStartNodes: 'Ingen startnoder valgt',
+ startnode: 'Indhold startnode',
+ startnodehelp: 'Begræns indholdstræet til en bestemt startnode',
+ startnodes: 'Indhold startnoder',
+ startnodeshelp: 'Begræns indholdstræet til bestemte startnoder',
+ updateDate: 'Bruger sidst opdateret',
+ userCreated: 'er blevet oprettet',
+ userCreatedSuccessHelp:
+ 'Den nye bruger er blevet oprettet. For at logge ind i Umbraco skal du bruge\n adgangskoden nedenfor.\n ',
+ userManagement: 'Brugeradministration',
+ username: 'Navn',
+ userPermissions: 'Brugertilladelser',
+ usergroup: 'Brugergruppe',
+ usergroups: 'Brugergrupper',
+ userInvited: 'er blevet inviteret',
+ userInvitedSuccessHelp:
+ 'En invitation er blevet sendt til den nye bruger med oplysninger om, hvordan man\n logger ind i Umbraco.\n ',
+ userinviteWelcomeMessage:
+ 'Hej og velkommen til Umbraco! På bare 1 minut vil du være klar til at komme i\n gang, vi skal bare have dig til at oprette en adgangskode og tilføje et billede til din avatar.\n ',
+ userinviteExpiredMessage:
+ 'Velkommen til Umbraco! Desværre er din invitation udløbet. Kontakt din\n administrator og bed om at gensende invitationen.\n ',
+ userinviteAvatarMessage:
+ 'Hvis du uploader et billede af dig selv, gør du det nemt for andre brugere at\n genkende dig. Klik på cirklen ovenfor for at uploade et billede.\n ',
+ writer: 'Forfatter',
+ configureTwoFactor: 'Konfigurer totrinsbekræftelse',
+ change: 'Skift',
+ yourProfile: 'Din profil',
+ yourHistory: 'Din historik',
+ sessionExpires: 'Session udløber',
+ inviteUser: 'Invitér bruger',
+ createUser: 'Opret bruger',
+ sendInvite: 'Send invitation',
+ backToUsers: 'Tilbage til brugere',
+ defaultInvitationMessage: 'Gensender invitation...',
+ deleteUser: 'Slet bruger',
+ deleteUserConfirmation: 'Er du sikker på du ønsker at slette denne brugers konto?',
+ stateAll: 'Alle',
+ stateActive: 'Aktiv',
+ stateDisabled: 'Deaktiveret',
+ stateLockedOut: 'Låst ude',
+ stateApproved: 'Godkendt',
+ stateInvited: 'Inviteret',
+ stateInactive: 'Inaktiv',
+ sortNameAscending: 'Navn (A-Å)',
+ sortNameDescending: 'Navn (Å-A)',
+ sortCreateDateAscending: 'Nyeste',
+ sortCreateDateDescending: 'Ældste',
+ userKindDefault: 'Bruger',
+ userKindApi: 'API Bruger',
+ sortLastLoginDateDescending: 'Sidst logget ind',
+ noUserGroupsAdded: 'Ingen brugere er blevet tilføjet',
+ '2faDisableText': 'Hvis du ønsker at slå denne totrinsbekræftelse fra, så skal du nu indtaste koden fra din enhed:',
+ '2faProviderIsEnabled': 'Denne totrinsbekræftelse er slået til',
+ '2faProviderIsEnabledMsg': '{0} er nu slået til',
+ '2faProviderIsNotEnabledMsg': 'Der skete en fejl da {0} skulles slåes til',
+ '2faProviderIsDisabledMsg': '{0} er nu slået fra',
+ '2faProviderIsNotDisabledMsg': 'Der skete en fejl da {0} skulles slåes fra',
+ '2faDisableForUser': 'Er du sikker på, at du vil fjerne "{0}" for denne bruger?',
+ '2faQrCodeAlt': 'QR kode for totrinsbekræftelse med {0}',
+ '2faQrCodeTitle': 'QR kode for totrinsbekræftelse med {0}',
+ '2faQrCodeDescription': 'Scan QR koden med din autentificeringsapp',
+ '2faCodeInput': 'Indtast din verifikationskode',
+ '2faCodeInputHelp': 'Indtast din verifikationskode fra din autentificeringsapp',
+ '2faInvalidCode': 'Den indtastede kode er ugyldig',
+ emailRequired: 'Påkrævet - indtast en emailadresse for denne bruger',
+ emailDescription: (usernameIsEmail: boolean) => {
+ return usernameIsEmail
+ ? 'Emailadressen bruges som brugernavn og til notifikationer og adgangskode gendannelse'
+ : 'Emailadressen bruges til notifikationer og adgangskode gendannelse';
+ },
+ duplicateLogin: 'A user with this login already exists',
+ nameRequired: 'Required - enter a name for this user',
+ passwordRequiresDigit: "The password must have at least one digit ('0'-'9')",
+ passwordRequiresLower: "The password must have at least one lowercase ('a'-'z')",
+ passwordRequiresNonAlphanumeric: 'The password must have at least one non alphanumeric character',
+ passwordRequiresUniqueChars: 'The password must use at least %0% different characters',
+ passwordRequiresUpper: "The password must have at least one uppercase ('A'-'Z')",
+ passwordTooShort: 'The password must be at least %0% characters long',
+ userHasPassword: 'The user already has a password set',
+ userHasGroup: "The user is already in group '%0%'",
+ userLockoutNotEnabled: 'Lockout is not enabled for this user',
+ userNotInGroup: "The user is not in group '%0%'",
+ },
+ validation: {
+ validation: 'Validering',
+ validateAsEmail: 'Valider som e-mail',
+ validateAsNumber: 'Valider som tal',
+ validateAsUrl: 'Valider som URL',
+ enterCustomValidation: '...eller indtast din egen validering',
+ fieldIsMandatory: 'Feltet er påkrævet',
+ mandatoryMessage: 'Indtast en selvvalgt validerings fejlbesked (valgfrit)',
+ validationRegExp: 'Indtast et regulært udtryk',
+ validationRegExpMessage: 'Indtast en selvvalgt validerings fejlbesked (valgfrit)',
+ minCount: 'Du skal tilføje mindst',
+ maxCount: 'Du kan kun have',
+ addUpTo: 'Tilføj op til',
+ items: 'elementer',
+ urls: 'URL(er)',
+ urlsSelected: 'URL(er) valgt',
+ itemsSelected: 'elementer valgt',
+ invalidDate: 'Ugyldig dato',
+ invalidNumber: 'Ikke et tal',
+ invalidNumberStepSize: 'Ikke en gyldig numerisk trinstørrelse',
+ invalidEmail: 'Ugyldig e-mail',
+ invalidNull: 'Værdien kan ikke være tom',
+ invalidEmpty: 'Værdien kan ikke være tom',
+ invalidPattern: 'Værdien er ugyldig, som ikke matcher det korrekte format',
+ customValidation: 'Selvvalgt validering',
+ entriesShort: 'Minimum %0% element(er), tilføj %1% mere.',
+ entriesExceed: 'Maksimum %0% element(er), %1% for mange.',
+ entriesAreasMismatch: 'Ét eller flere områder lever ikke op til kravene for antal indholdselementer.',
+ invalidMemberGroupName: 'Invalid member group name',
+ invalidUserGroupName: 'Invalid user group name',
+ invalidToken: 'Invalid token',
+ invalidUsername: 'Invalid username',
+ duplicateEmail: "Email '%0%' is already taken",
+ duplicateUserGroupName: "User group name '%0%' is already taken",
+ duplicateMemberGroupName: "Member group name '%0%' is already taken",
+ duplicateUsername: "Username '%0%' is already taken",
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Slå URL tracker fra',
+ enableUrlTracker: 'Slå URL tracker til',
+ culture: 'Kultur',
+ originalUrl: 'Original URL',
+ redirectedTo: 'Viderestillet til',
+ redirectUrlManagement: 'Viderestil URL håndtering',
+ panelInformation: 'De følgende URLs viderestiller til dette indholds element',
+ noRedirects: 'Der er ikke lavet nogen viderestillinger',
+ noRedirectsDescription:
+ 'Når en udgivet side bliver omdøbt eller flyttet, vil en viderestilling\n automatisk blive lavet til den nye side.\n ',
+ redirectRemoved: 'Viderestillings URL fjernet.',
+ redirectRemoveError: 'Fejl under fjernelse af viderestillings URL.',
+ redirectRemoveWarning: 'Dette vil fjerne viderestillingen',
+ confirmDisable: 'Er du sikker på at du vil slå URL trackeren fra?',
+ disabledConfirm: 'URL tracker er nu slået fra.',
+ disableError:
+ 'Der opstod en fejl under forsøget på at slå URL trackeren fra, der findes mere information\n i logfilen.\n ',
+ enabledConfirm: 'URL tracker er nu slået fra.',
+ enableError:
+ 'Der opstod en fejl under forsøget på at slå URL trackeren til, der findes mere information\n i logfilen.\n ',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Ingen ordbog elementer at vælge imellem',
+ },
+ textbox: {
+ characters_left: '%0% tegn tilbage.',
+ characters_exceed: 'Maksimum %0% tegn, %1% for mange.',
+ },
+ recycleBin: {
+ contentTrashed: 'Slettet indhold med Id: {0} Relateret til original "parent" med id: {1}',
+ mediaTrashed: 'Slettet medie med Id: {0} relateret til original "parent" / mappe med id: {1}',
+ itemCannotBeRestored: 'Kan ikke automatisk genoprette dette element',
+ itemCannotBeRestoredHelpText:
+ 'Der er ikke nogen placering hvor dette element automatisk kan genoprettes.\n Du kan flytte elementet manuelt i træet nedenfor.\n ',
+ wasRestored: 'blev genoprettet under',
+ },
+ relationType: {
+ direction: 'Retning',
+ parentToChild: 'Forælder til barn',
+ bidirectional: 'Tovejs',
+ parent: 'Forælder',
+ child: 'Barn',
+ count: 'Antal',
+ relations: 'Relationer',
+ created: 'Oprettet',
+ comment: 'Kommentar',
+ name: 'Navn',
+ noRelations: 'Der er ingen relationer for denne relationstype.',
+ tabRelationType: 'Relationstype',
+ tabRelations: 'Relationer',
+ relation: 'Relation',
+ isDependency: 'Is Dependency',
+ dependency: 'Yes',
+ noDependency: 'No',
+ },
+ dashboardTabs: {
+ contentIntro: 'Kom godt i gang',
+ contentRedirectManager: 'Redirects håndtering',
+ mediaFolderBrowser: 'Indhold',
+ settingsWelcome: 'Velkommen',
+ settingsExamine: 'Examine Management',
+ settingsPublishedStatus: 'Published Cache',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profiling',
+ memberIntro: 'Kom godt i gang',
+ settingsAnalytics: 'Telemetri-indsamling',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Gå tilbage',
+ activeListLayout: 'Aktivt layout:',
+ jumpTo: 'Gå til',
+ group: 'gruppe',
+ passed: 'bestået',
+ warning: 'advarsel',
+ failed: 'fejlet',
+ suggestion: 'forslag',
+ checkPassed: 'Test bestået',
+ checkFailed: 'Test fejlet',
+ openBackofficeSearch: 'Åben backoffice søgning',
+ openCloseBackofficeHelp: 'Åben/Luk backoffice hjælp',
+ openCloseBackofficeProfileOptions: 'Åben/Luk dine profil indstillinger',
+ assignDomainDescription: 'Tilføj domæne på %0%',
+ createDescription: 'Opret ny node under %0%',
+ protectDescription: 'Opsæt offentlig adgang på %0%',
+ rightsDescription: 'Opsæt rettigheder på %0%',
+ sortDescription: 'Juster soterings rækkefølgen for %0%',
+ createblueprintDescription: 'Opret indholdsskabelon baseret på %0%',
+ openContextMenu: 'Åben kontext menu for',
+ currentLanguage: 'Aktivt sprog',
+ switchLanguage: 'Skift sprog til',
+ createNewFolder: 'Opret ny mappe',
+ newPartialView: 'Delvist View',
+ newPartialViewMacro: 'Delvist View Macro',
+ newMember: 'Medlem',
+ newDataType: 'Data type',
+ redirectDashboardSearchLabel: 'Søg i viderestillings dashboardet',
+ userGroupSearchLabel: 'Søg i brugergruppe sektionen',
+ userSearchLabel: 'Søg i bruger sektionen',
+ createItem: 'Opret element',
+ create: 'Opret',
+ edit: 'Rediger',
+ name: 'Navn',
+ addNewRow: 'Tilføj ny række',
+ tabExpand: 'Vis flere muligheder',
+ searchOverlayTitle: 'Søg i Umbraco backoffice',
+ searchOverlayDescription: 'Søg efter indholdsnoder, medienoder osv. i backoffice',
+ searchInputDescription:
+ 'Når autoudfyldnings resultaterne er klar, tryk op og ned pilene, eller benyt tab\n knappen og brug enter knappen til at vælge.\n ',
+ path: 'Vej',
+ foundIn: 'Fundet i',
+ hasTranslation: 'Har oversættelse',
+ noTranslation: 'Mangler oversættelse',
+ dictionaryListCaption: 'Ordbogs elementer',
+ contextMenuDescription: 'Udfør handling %0% på %1% noden',
+ addImageCaption: 'Tilføj billede overskrift',
+ searchContentTree: 'Søg i indholdstræet',
+ maxAmount: 'Maximum antal',
+ contextDialogDescription: 'Perform action %0% on the %1% node',
+ },
+ references: {
+ tabName: 'Referencer',
+ DataTypeNoReferences: 'Denne Data Type har ingen referencer.',
+ labelUsedByMediaTypes: 'Brugt i Medie Typer',
+ labelUsedByMemberTypes: 'Brugt i Medlems Typer',
+ usedByProperties: 'Brugt af',
+ labelUsedByDocuments: 'Brugt i Dokumenter',
+ labelUsedByMembers: 'Brugt i Medlemmer',
+ labelUsedByMedia: 'Brugt i Medier',
+ itemHasNoReferences: 'This item has no references.',
+ labelUsedByDocumentTypes: 'Referenced by the following Document Types',
+ labelUsedByItems: 'Referenced by the following items',
+ labelDependsOnThis: 'The following items depend on this',
+ labelUsedItems: 'The following items are referenced',
+ labelUsedDescendants: 'The following descendant items have dependencies',
+ labelDependentDescendants: 'The following descending items have dependencies',
+ deleteWarning:
+ 'This item or its descendants is being referenced. Deletion can lead to broken links on your website.',
+ unpublishWarning:
+ 'This item or its descendants is being referenced. Unpublishing can lead to broken links on your website. Please take the appropriate actions.',
+ deleteDisabledWarning: 'This item or its descendants is being referenced. Therefore, deletion has been disabled.',
+ listViewDialogWarning: 'The following items you are trying to %0% are referenced by other content.',
+ labelMoreReferences: (count: number) => {
+ if (count === 1) return '...og en mere';
+ return `...og ${count} andre`;
+ },
+ },
+ logViewer: {
+ deleteSavedSearch: 'Slet gemte søgning',
+ logLevels: 'Log type',
+ selectAllLogLevelFilters: 'Vælg alle',
+ deselectAllLogLevelFilters: 'Fravælg alle',
+ savedSearches: 'Gemte søgninger',
+ saveSearch: 'Gem søgning',
+ saveSearchDescription: 'Indtast et navn for din søgebetingelse',
+ filterSearch: 'Filter søgning',
+ totalItems: 'Samlet resultat',
+ timestamp: 'Dato',
+ level: 'Type',
+ machine: 'Maskine',
+ message: 'Besked',
+ exception: 'Exception',
+ properties: 'Egenskaber',
+ searchWithGoogle: 'Søg med Google',
+ searchThisMessageWithGoogle: 'Søg efter denne besked på Google',
+ searchWithBing: 'Søg med Bing',
+ searchThisMessageWithBing: 'Søg efter denne besked på Bing',
+ searchOurUmbraco: 'Søg på Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs:
+ 'Søg efter denne besked på Our Umbraco forum og\n dokumentation\n ',
+ searchOurUmbracoWithGoogle: 'Søg på Our Umbraco med Google',
+ searchOurUmbracoForumsUsingGoogle: 'Søg på Our Umbraco forum med Google',
+ searchUmbracoSource: 'Søg i Umbraco kildekoden',
+ searchWithinUmbracoSourceCodeOnGithub: 'Søg i Umbraco kildekoden på Github',
+ searchUmbracoIssues: 'Søg i Umbraco issues',
+ searchUmbracoIssuesOnGithub: 'Søg i Umbraco issues på Github',
+ deleteThisSearch: 'Slet denne søgning',
+ findLogsWithRequestId: 'Find logs med request Id',
+ findLogsWithNamespace: 'Find logs med Namespace',
+ findLogsWithMachineName: 'Find logs med maskin navn',
+ open: 'Åben',
+ polling: 'Henter',
+ every2: 'Hver 2 sekunder',
+ every5: 'Hver 5 sekunder',
+ every10: 'Hver 10 sekunder',
+ every20: 'Hver 20 sekunder',
+ every30: 'Hver 30 sekunder',
+ pollingEvery2: 'Henter hver 2s',
+ pollingEvery5: 'Henter hver 5s',
+ pollingEvery10: 'Henter hver 10s',
+ pollingEvery20: 'Henter hver 20s',
+ pollingEvery30: 'Henter hver 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Kopier %0%',
+ labelForArrayOfItemsFrom: '%0% fra %1%',
+ labelForArrayOfItems: 'Samling af %0%',
+ labelForRemoveAllEntries: 'Fjern alle elementer',
+ labelForClearClipboard: 'Ryd udklipsholder',
+ labelForCopyToClipboard: 'Kopier til udklipsholder',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Åben egenskabshandlinger',
+ tooltipForPropertyActionsMenuClose: 'Luk egenskabshandlinger',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Vælg elementtype',
+ headlineAddSettingsElementType: 'Tilføj en indstillings elementtype',
+ headlineAddCustomView: 'Tilføj visning',
+ headlineAddCustomStylesheet: 'Tilføj stylesheet',
+ headlineAddThumbnail: 'Vælg billede',
+ labelcreateNewElementType: 'Opret ny elementtype',
+ labelCustomStylesheet: 'Overskriv stylesheet',
+ addCustomStylesheet: 'Tilføj stylesheet',
+ headlineEditorAppearance: 'Redigerings udseende',
+ headlineDataModels: 'Data modeller',
+ headlineCatalogueAppearance: 'Katalog udseende',
+ labelBackgroundColor: 'Baggrunds farve',
+ labelIconColor: 'Ikon farve',
+ labelContentElementType: 'Indholds model',
+ labelLabelTemplate: 'Label',
+ labelCustomView: 'Speciel visning',
+ labelCustomViewInfoTitle: 'Vis speciel visning beskrivelsen',
+ labelCustomViewDescription:
+ 'Overskrift hvordan denne block præsenteres i backoffice interfacet. Vælg en\n .html fil der indeholder din præsensation.\n ',
+ labelSettingsElementType: 'Indstillings model',
+ labelEditorSize: 'Rederings lagets størrelse',
+ addCustomView: 'Tilføj speciel visning',
+ addSettingsElementType: 'Tilføj instillinger',
+ confirmDeleteBlockMessage: 'Er du sikker på at du vil slette indholdet %0%?',
+ confirmDeleteBlockTypeMessage: 'Er du sikker på at du vil slette konfigurationen %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'Indholdet vil stadigt eksistere, men redigering af dette indhold vil ikke\n være muligt. Indholdet vil blive vist som ikke understøttet indhold.\n ',
+ confirmDeleteBlockGroupMessage:
+ 'Er du sikker på at du vil slette gruppen %0% og blok konfigurationer?',
+ confirmDeleteBlockGroupNotice:
+ 'Indholdet af gruppens blokke vil stadigt eksistere, men redigering af dette indhold vil ikke\n være muligt. Indholdet vil blive vist som ikke understøttet indhold.\n ',
+ blockConfigurationOverlayTitle: "Konfiguration af '%0%'",
+ elementTypeDoesNotExist: 'Kan ikke redigeres fordi elementtypen ikke eksisterer.',
+ thumbnail: 'Billede',
+ addThumbnail: 'Tilføj billede',
+ tabCreateEmpty: 'Opret ny',
+ tabClipboard: 'Udklipsholder',
+ tabBlockSettings: 'Indstillinger',
+ headlineAdvanced: 'Avanceret',
+ forceHideContentEditor: 'Skjul indholdseditoren',
+ forceHideContentEditorHelp: 'Skjul indholds redigerings knappen samt indholdseditoren i Blok Redigerings vinduet',
+ gridInlineEditing: 'Direkte redigering',
+ gridInlineEditingHelp:
+ 'Tilføjer direkte redigering af det første felt. Yderligere felter optræder kun i redigerings vinduet.',
+ blockHasChanges: 'Du har lavet ændringer til dette indhold. Er du sikker på at du vil kassere dem?',
+ confirmCancelBlockCreationHeadline: 'Annuller oprettelse?',
+ confirmCancelBlockCreationMessage: 'Er du sikker på at du vil annullere oprettelsen.',
+ elementTypeDoesNotExistHeadline: 'Fejl!',
+ elementTypeDoesNotExistDescription: 'Elementtypen for denne blok eksisterer ikke længere',
+ addBlock: 'Tilføj indhold',
+ addThis: 'Tilføj %0%',
+ propertyEditorNotSupported: 'Feltet %0% bruger editor %1% som ikke er supporteret for blokke.',
+ focusParentBlock: 'Fokusér på den ydre blok',
+ areaIdentification: 'Identifikation',
+ areaValidation: 'Validering',
+ areaValidationEntriesShort: '%0% skal tilføjes minimum %2% gang(e).',
+ areaValidationEntriesExceed: '%0% må maksimalt tilføjes %3% gang(e).',
+ areaNumberOfBlocks: 'Antal blokke',
+ areaDisallowAllBlocks: 'Tillad kun specifikke blok-typer',
+ areaAllowedBlocks: 'Tilladte blok-typer',
+ areaAllowedBlocksHelp:
+ 'Vælg de blok-typer, der er tilladt i dette område, og evt. også hvor mange af hver type, redaktørerne skal tilføje til området.',
+ areaAllowedBlocksEmpty: 'Når denne er tom er alle block-typer tilladt for områder tilladt.',
+ confirmDeleteBlockAreaMessage: 'Er du sikker på, at du vil slette dette område?',
+ confirmDeleteBlockAreaNotice: 'Alle blokke, der er oprettet i dette område, vil blive slettet.',
+ layoutOptions: 'Layout-opsætning',
+ structuralOptions: 'Struktur',
+ sizeOptions: 'Størrelses opsætning',
+ allowedBlockColumns: 'Tilgængelige kolonne-størrelser',
+ allowedBlockColumnsHelp:
+ 'Vælg de forskellige antal kolonner denne blok må optage i layoutet. Dette forhindre ikke blokken i at optræde i et mindre område.',
+ allowedBlockRows: 'TIlgængelige række-størrelser',
+ allowedBlockRowsHelp: 'Vælg hvor mange rækker denne blok på optage i layoutet.',
+ allowBlockInRoot: 'Tillad på rodniveau',
+ allowBlockInRootHelp:
+ 'Gør denne blok tilgængelig i layoutets rodniveau. Hvis dette ikke er valgt, kan denne blok kun bruges inden for andre blokkes definerede områder.',
+ areas: 'Blok-områder',
+ areasLayoutColumns: 'Layout-kolonner',
+ areasLayoutColumnsHelp:
+ 'Vælg hvor mange layout-kolonnner der skal være tilgængelig for blokkens områder. Hvis der ikke er valgt noget her, benyttes det antal layout-kolonner der er valgt for hele layoutet.',
+ areasConfigurations: 'Opsætning af områder',
+ areasConfigurationsHelp:
+ 'Hvis det skal være muligt at indsætte nye blokke indeni denne blok, skal der oprettes ét eller flere områder til at indsætte de nye blokke i.',
+ invalidDropPosition: 'Ikke tilladt placering.',
+ defaultLayoutStylesheet: 'Standardlayout stylesheet',
+ confirmPasteDisallowedNestedBlockHeadline: 'Ikke tilladt indhold blev afvist',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'Det indsatte indhold bestod af ikke tilladt del-indhold, disse dele er blevet afvist. Vil du beholde det resterene alligevel?',
+ areaAliasHelp:
+ 'Dette alias skrives ud via GetBlockGridHTML(), brug aliaset til at fange det element der repræsentere dette område. F.eks.. .umb-block-grid__area[data-area-alias="MitOmraadeAlias"] { ... }',
+ scaleHandlerButtonTitle: 'Træk for at skalere',
+ areaCreateLabelTitle: 'Tilføj indhold label',
+ areaCreateLabelHelp: 'Overskriv labellen for tilføj indholds knappen i dette område.',
+ showSizeOptions: 'Tilføj skalerings muligheder',
+ addBlockType: 'Tilføj Blok',
+ addBlockGroup: 'Tilføj gruppe',
+ pickSpecificAllowance: 'Tilføj gruppe eller Blok',
+ allowanceMinimum: 'Sæt minimum krav',
+ allowanceMaximum: 'Sæt maksimum krav',
+ block: 'Blok',
+ tabBlock: 'Blok',
+ tabBlockTypeSettings: 'Indstillinger',
+ tabAreas: 'Områder',
+ tabAdvanced: 'Avanceret',
+ headlineAllowance: 'Tilladelser',
+ getSampleHeadline: 'Installer demo konfiguration',
+ getSampleDescription:
+ 'Dette tilføjer basale og hjælper dig til at komme igang med Block Grid Editor. Dette indeholder Blokke for Overskrift, Beriget-Tekst, Billede og To-Koloners-Layout.',
+ getSampleButton: 'Installer',
+ actionEnterSortMode: 'Sortings tilstand',
+ actionExitSortMode: 'Afslut sortings tilstand',
+ areaAliasIsNotUnique: 'Dette område alias skal være unikt sammenlignet med andre områder af denne Blok.',
+ configureArea: 'Konfigurer område',
+ deleteArea: 'Slet område',
+ addColumnSpanOption: 'Tilføj mulighed for %0% koloner',
+ sizeOptionsHelp: 'Define one or more size options, this enables resizing of the Block',
+ allowBlockInAreas: 'Allow in areas',
+ allowBlockInAreasHelp:
+ 'Make this block available by default within the areas of other Blocks (unless explicit permissions are set for these areas).',
+ createThisFor: (name: string, variantName: string) =>
+ variantName ? `Opret ${name} for ${variantName}` : `Create ${name}`,
+ insertBlock: 'Indsæt Block',
+ labelInlineMode: 'Indsæt på linje med tekst',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Hvad er Indholdsskabeloner?',
+ whatDescription:
+ 'Indholdsskabeloner er foruddefineret indhold der kan vælges når der oprettes nye\n indholdselementer.\n ',
+ createHeadline: 'Hvordan opretter jeg en Indholdsskabelon?',
+ createDescription:
+ '\n
Der er to måder at oprette Indholdsskabeloner på:
\n
\n
Højreklik på en indholdsnode og vælg "Opret indholdsskabelon" for at oprette en ny Indholdsskabelon.
\n
Højreklik på Indholdsskabeloner i sektionen Indstillinger og vælg den dokumenttype du vil oprette en Indholdsskabelon for.
\n
\n
Når indholdsskabelonen har fået et navn, kan redaktører begynde at bruge indholdsskabelonen som udgangspunkt for deres nye side.
\n ',
+ manageHeadline: 'Hvordan vedligeholder jeg Indholdsskabeloner?',
+ manageDescription:
+ 'Du kan redigere og slette Indholdsskabeloner fra "Indholdsskabeloner" i sektionen\n Indstillinger. Fold dokumenttypen som Indholdsskabelonen er baseret på ud og klik på den for at redigere eller\n slette den.\n ',
+ },
+ preview: {
+ endLabel: 'Afslut',
+ endTitle: 'Afslut forhåndsvisning',
+ openWebsiteLabel: 'Vis i nyt vindue',
+ openWebsiteTitle: 'Åben forhåndsvisning i nyt vindue',
+ returnToPreviewHeadline: 'Forhåndsvisning af indholdet?',
+ returnToPreviewDescription:
+ 'Du har afslutet forhåndsvisning, vil du starte forhåndsvisning igen for at\n se seneste gemte version af indholdet?\n ',
+ returnToPreviewDeclineButton: 'Se udgivet indhold',
+ viewPublishedContentHeadline: 'Se udgivet indhold?',
+ viewPublishedContentDescription:
+ 'Du er i forhåndsvisning, vil du afslutte for at se den udgivet\n version?\n ',
+ viewPublishedContentAcceptButton: 'Se udgivet version',
+ viewPublishedContentDeclineButton: 'Forbliv i forhåndsvisning',
+ returnToPreviewAcceptButton: 'Preview latest version',
+ },
+ permissions: {
+ FolderCreation: 'Mappeoprettelse',
+ FileWritingForPackages: 'Filskrivning for pakker',
+ FileWriting: 'Filskrivning',
+ MediaFolderCreation: 'Medie mappeoprettelse',
+ },
+ treeSearch: {
+ searchResult: 'resultat',
+ searchResults: 'resultater',
+ },
+ propertyEditorPicker: {
+ title: 'Select Property Editor',
+ openPropertyEditorPicker: 'Select Property Editor',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Value is set to the recommended value: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Expected value '%1%' for '%2%' in configuration file '%3%', but\n found '%0%'.\n ",
+ checkErrorMessageUnexpectedValue: "Found unexpected value '%0%' for '%2%' in configuration file '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "MacroErrors are set to '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors are set to '%0%' which will prevent some or all pages in\n your site from loading completely if there are any errors in macros. Rectifying this will set the value to '%1%'.\n ",
+ httpsCheckValidCertificate: "Your website's certificate is valid.",
+ httpsCheckInvalidCertificate: "Certificate validation error: '%0%'",
+ httpsCheckExpiredCertificate: "Your website's SSL certificate has expired.",
+ httpsCheckExpiringCertificate: "Your website's SSL certificate is expiring in %0% days.",
+ healthCheckInvalidUrl: "Error pinging the URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'You are currently %0% viewing the site using the HTTPS scheme.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to 'false' in\n your appSettings.json file. Once you access this site using the HTTPS scheme, that should be set to 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to '%0%' in your\n appSettings.json file, your cookies are %1% marked as secure.\n ",
+ compilationDebugCheckSuccessMessage: 'Debug compilation mode is disabled.',
+ compilationDebugCheckErrorMessage:
+ 'Debug compilation mode is currently enabled. It is recommended to\n disable this setting before go live.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is set to %0%.",
+ umbracoApplicationUrlCheckResultFalse: "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is not set.",
+ clickJackingCheckHeaderFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was found.',
+ clickJackingCheckHeaderNotFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was not found.',
+ noSniffCheckHeaderFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was found.',
+ noSniffCheckHeaderNotFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was not found.',
+ hSTSCheckHeaderFound:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found.',
+ hSTSCheckHeaderNotFound: 'The header Strict-Transport-Security was not found.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found. This header should not be present on localhost.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'The header Strict-Transport-Security was not found. This header should not be present on localhost.',
+ xssProtectionCheckHeaderFound:
+ 'The header X-XSS-Protection was found. It is recommended not to add this header to your website. \n You can read about this on the Mozilla website ',
+ xssProtectionCheckHeaderNotFound: 'The header X-XSS-Protection was not found.',
+ excessiveHeadersFound:
+ 'The following headers revealing information about the website technology were found: %0%.',
+ excessiveHeadersNotFound: 'No headers revealing information about the website technology were found.\n ',
+ smtpMailSettingsNotFound: "The 'Umbraco:CMS:Global:Smtp' configuration could not be found.",
+ smtpMailSettingsHostNotConfigured:
+ "The 'Umbraco:CMS:Global:Smtp:Host' configuration could not be\n found.\n ",
+ smtpMailSettingsConnectionSuccess:
+ 'SMTP settings are configured correctly and the service is operating\n as expected.\n ',
+ smtpMailSettingsConnectionFail:
+ "The SMTP server configured with host '%0%' and port '%1%' could not be\n reached. Please check to ensure the SMTP settings in the configuration 'Umbraco:CMS:Global:Smtp' are correct.\n ",
+ notificationEmailsCheckSuccessMessage: 'Notification email has been set to %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Notification email is still set to the default value of %0%.',
+ checkGroup: 'Check group',
+ helpText:
+ '\n
The health checker evaluates various areas of your site for best practice settings, configuration, potential problems, etc. You can easily fix problems by pressing a button.\n You can add your own health checks, have a look at the documentation for more information about custom health checks.
\n ',
+ },
+ nuCache: {
+ refreshStatus: 'Refresh status',
+ memoryCache: 'Memory Cache',
+ memoryCacheDescription:
+ '\n This button lets you reload the in-memory cache, by entirely reloading it from the database\n cache (but it does not rebuild that database cache). This is relatively fast.\n Use it when you think that the memory cache has not been properly refreshed, after some events\n triggered—which would indicate a minor Umbraco issue.\n (note: triggers the reload on all servers in an LB environment).\n ',
+ reload: 'Reload',
+ databaseCache: 'Database Cache',
+ databaseCacheDescription:
+ '\n This button lets you rebuild the database cache, ie the content of the cmsContentNu table.\n Rebuilding can be expensive.\n Use it when reloading is not enough, and you think that the database cache has not been\n properly generated—which would indicate some critical Umbraco issue.\n ',
+ rebuild: 'Rebuild',
+ internals: 'Internals',
+ internalsDescription:
+ '\n This button lets you trigger a NuCache snapshots collection (after running a fullCLR GC).\n Unless you know what that means, you probably do not need to use it.\n ',
+ collect: 'Collect',
+ publishedCacheStatus: 'Published Cache Status',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Performance profiling',
+ performanceProfilingDescription:
+ "\n
\n Umbraco currently runs in debug mode. This means you can use the built-in performance profiler to assess the performance when rendering pages.\n
\n
\n If you want to activate the profiler for a specific page rendering, simply add umbDebug=true to the querystring when requesting the page.\n
\n
\n If you want the profiler to be activated by default for all page renderings, you can use the toggle below.\n It will set a cookie in your browser, which then activates the profiler automatically.\n In other words, the profiler will only be active by default in your browser - not everyone else's.\n
\n ",
+ activateByDefault: 'Activate the profiler by default',
+ reminder: 'Friendly reminder',
+ reminderDescription:
+ '\n
\n You should never let a production site run in debug mode. Debug mode is turned off by setting Umbraco:CMS:Hosting:Debug to false in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ',
+ profilerEnabledDescription:
+ "\n
\n Umbraco currently does not run in debug mode, so you can't use the built-in profiler. This is how it should be for a production site.\n
\n
\n Debug mode is turned on by setting Umbraco:CMS:Hosting:Debug to true in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ",
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Hours of Umbraco training videos are only a click away',
+ trainingDescription:
+ '\n
Want to master Umbraco? Spend a couple of minutes learning some best practices by watching one of these videos about using Umbraco. And visit umbraco.tv for even more Umbraco videos
\n ',
+ getStarted: 'To get you started',
+ },
+ settingsDashboard: {
+ documentationHeader: 'Dokumentation',
+ documentationDescription: 'Læs mere om at arbejde med elementerne i Indstillinger i vores Dokumentation.',
+ communityHeader: 'Community',
+ communityDescription: 'Stil et spørgsmål i community forummet eller i vores Discord community',
+ trainingHeader: 'Træning',
+ trainingDescription: 'Se mulighederne for real-life træning og certificering',
+ supportHeader: 'Support',
+ supportDescription: 'Udvid dit team med en højt kvalificeret og passioneret flok Umbraco-vidende mennesker.',
+ videosHeader: 'Videoer',
+ videosDescription:
+ 'Se vores gratis tutortial videoer på Umbraco Learning Base YouTube-kanel, for hurtigt at komme i gang med Umbraco.',
+ getHelp: 'Få den hjælp du har brug for',
+ getCertified: 'Bliv certificeret',
+ goForum: 'Gå til forummet',
+ chatWithCommunity: 'Chat med communitiet',
+ watchVideos: 'Se videoerne',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Welcome to The Friendly CMS',
+ fallbackDescription:
+ "Thank you for choosing Umbraco - we think this could be the beginning of something\n beautiful. While it may feel overwhelming at first, we've done a lot to make the learning curve as smooth and fast\n as possible.\n ",
+ },
+ welcomeDashboard: {
+ ourUmbracoHeadline: 'Our Umbraco - Det Venligste Fællesskab',
+ ourUmbracoDescription:
+ 'Our Umbraco, den officielle fællesskabsplatform, er dit komplette sted for alt, hvad der vedrører Umbraco. Uanset om du har brug for svar på spørgsmål, spændende tilføjelser eller vejledninger til at udføre noget i Umbraco, er verdens bedste og venligste fællesskab kun et klik væk.',
+ ourUmbracoButton: 'Besøg Our Umbraco',
+ documentationHeadline: 'Dokumentation',
+ documentationDescription: 'Find svarene på alle dine Umbraco-spørgsmål',
+ communityHeadline: 'Fællesskab',
+ communityDescription: 'Få support og inspiration fra engagerede Umbraco-eksperter',
+ resourcesHeadline: 'Ressourcer',
+ resourcesDescription: "Gratis video tutorials til at kickstarte din rejse med CMS'et",
+ trainingHeadline: 'Træning',
+ trainingDescription: 'Praktisk træning og officielle certificeringer fra Umbraco',
+ },
+ analytics: {
+ consentForAnalytics: 'Consent for telemetry data',
+ analyticsLevelSavedSuccess: 'Telemetry level saved!',
+ analyticsDescription:
+ '\n In order to improve Umbraco and add new functionality based on as relevant information as possible,\n we would like to collect system- and usage information from your installation.\n Aggregate data will be shared on a regular basis as well as learnings from these metrics.\n Hopefully, you will help us collect some valuable data.\n \n We WILL NOT collect any personal data such as content, code, user information, and all data will be fully anonymized.\n ',
+ minimalLevelDescription: 'We will only send an anonymized site ID to let us know that the site exists.',
+ basicLevelDescription: 'We will send an anonymized site ID, Umbraco version, and packages installed',
+ detailedLevelDescription:
+ '\n We will send:\n
\n
Anonymized site ID, Umbraco version, and packages installed.
\n
Number of: Root nodes, Content nodes, Media, Document Types, Templates, Languages, Domains, User Group, Users, Members, Backoffice external login providers, and Property Editors in use.
\n
System information: Webserver, server OS, server framework, server OS language, and database provider.
\n
Configuration settings: Modelsbuilder mode, if custom Umbraco path exists, ASP environment, whether the delivery API is enabled, and allows public access, and if you are in debug mode.
\n
\n We might change what we send on the Detailed level in the future. If so, it will be listed above.\n By choosing "Detailed" you agree to current and future anonymized information being collected.\n ',
+ },
+ routing: {
+ routeNotFoundTitle: 'Ikke fundet',
+ routeNotFoundDescription: 'Den side du leder efter kunne ikke findes. Kontroller adressen og prøv igen.',
+ },
+ codeEditor: {
+ label: 'Code editor',
+ languageConfigLabel: 'Sprog',
+ languageConfigDescription: 'Vælg sprog til syntax highlighting og IntelliSense.',
+ heightConfigLabel: 'Højde',
+ heightConfigDescription: 'Indstil højden på editorvinduet i pixels.',
+ lineNumbersConfigLabel: 'Linjenumre',
+ lineNumbersConfigDescription: 'Vis linjenumre i editorvinduet.',
+ minimapConfigLabel: 'Minimap',
+ minimapConfigDescription: 'Vis en minimap i editorvinduet.',
+ wordWrapConfigLabel: 'Ordbrydning',
+ wordWrapConfigDescription:
+ 'Slå ordbrydning til eller fra, så tekst automatisk brydes ved vinduets kant i stedet for at skabe en horisontal scrollbar.',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/de-ch.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/de-ch.ts
new file mode 100644
index 0000000000..cd33f22eab
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/de-ch.ts
@@ -0,0 +1,17 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: de_CH
+ * Language Int Name: German Switzerland (DE-CH)
+ * Language Local Name: Deutsch Schweiz (DE-CH)
+ * Language LCID: 7
+ * Language Culture: de-CH
+ */
+import de_de from './de-de.js';
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+
+export default {
+ // NOTE: Imports and re-exports the German (Germany) localizations, so that any German (Switzerland) localizations can be override them. [LK]
+ ...de_de,
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/de-de.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/de-de.ts
new file mode 100644
index 0000000000..7733d6fa34
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/de-de.ts
@@ -0,0 +1,2014 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: de
+ * Language Int Name: German (DE)
+ * Language Local Name: Deutsch (DE)
+ * Language LCID: 7
+ * Language Culture: de-DE
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Kulturen und Hostnamen',
+ auditTrail: 'Protokoll',
+ browse: 'Durchsuchen',
+ changeDocType: 'Dokumenttyp ändern',
+ changeDataType: 'Datentyp ändern',
+ copy: 'Kopieren',
+ create: 'Neu',
+ export: 'Exportieren',
+ createPackage: 'Neues Paket',
+ createGroup: 'Neue Gruppe',
+ delete: 'Entfernen',
+ disable: 'Deaktivieren',
+ editContent: 'Inhalt bearbeiten',
+ editSettings: 'Einstellungen bearbeiten',
+ emptyrecyclebin: 'Papierkorb leeren',
+ enable: 'Aktivieren',
+ exportDocumentType: 'Dokumenttyp exportieren',
+ importdocumenttype: 'Dokumenttyp importieren',
+ importPackage: 'Paket importieren',
+ liveEdit: "'Canvas'-Modus starten",
+ logout: 'Abmelden',
+ move: 'Verschieben',
+ notify: 'Benachrichtigungen',
+ protect: 'Öffentlicher Zugriff',
+ publish: 'Veröffentlichen',
+ unpublish: 'Veröffentlichung zurücknehmen',
+ refreshNode: 'Aktualisieren',
+ republish: 'Erneut veröffentlichen',
+ remove: 'Entfernen',
+ rename: 'Umbenennen',
+ restore: 'Wiederherstellen',
+ chooseWhereToCopy: 'Wähle worunter kopiert werden soll',
+ chooseWhereToMove: 'Wähle worunter verschoben werden soll',
+ chooseWhereToImport: 'Wähle wohin importiert werden soll',
+ infiniteEditorChooseWhereToCopy: 'Wähle wohin die ausgewählten Elemente kopiert werden soll',
+ infiniteEditorChooseWhereToMove: 'Wähle wohin die ausgewählten Elemente verschoben werden soll',
+ toInTheTreeStructureBelow: 'in der Baumstrukture',
+ wasMovedTo: 'wurde verschoben nach',
+ wasCopiedTo: 'wurde kopiert nach',
+ wasDeleted: 'wurde gelöscht',
+ rights: 'Berechtigungen',
+ rollback: 'Zurücksetzen',
+ sendtopublish: 'Zur Veröffentlichung einreichen',
+ sendToTranslate: 'Zur Übersetzung senden',
+ setGroup: 'Gruppe festlegen',
+ sort: 'Sortieren',
+ translate: 'Übersetzen',
+ update: 'Aktualisieren',
+ setPermissions: 'Berechtigung festlegen',
+ unlock: 'Freigeben',
+ createblueprint: 'Inhaltsvorlage anlegen',
+ resendInvite: 'Einladung erneut versenden',
+ },
+ actionCategories: {
+ content: 'Inhalt',
+ administration: 'Administration',
+ structure: 'Struktur',
+ other: 'Anderes',
+ },
+ actionDescriptions: {
+ assignDomain: 'Erlaube Zugriff auf "Kultur und Hostname"-Einstellungen',
+ auditTrail: 'Erlaube Zugriff auf Bearbeiten-Verlauf',
+ browse: 'Erlaube das Anzeigen eines Knotens',
+ changeDocType: 'Erlaube Ändern des Dokumenten-Typs',
+ copy: 'Erlaube Kopieren',
+ create: 'Erlaube Erzeugen',
+ delete: 'Erlaube Entfernen',
+ move: 'Erlaube Verschieben',
+ protect: 'Erlaube Zugriff auf "Öffentlich zugänglich"-Einstellungen',
+ publish: 'Erlaube Veröffentlichung',
+ unpublish: 'Erlaube Rücknahme der Veröffentlichung',
+ rights: 'Erlaube Zugriff auf die Berechtigungen',
+ rollback: 'Erlaube Zurücksetzen auf eine vorherige Version',
+ sendtopublish: 'Erlaube Anforderungen von Veröffentlichungen',
+ sendToTranslate: 'Erlaube Anfordern von Übersetzungen',
+ sort: 'Erlaube Sortieren',
+ translate: 'Erlaube Übersetzung',
+ update: 'Erlaube Sichern von Änderungen',
+ createblueprint: 'Erlaube Anlegen von Inhaltsvorlagen',
+ notify: 'Erlaube das Einrichten von Benachrichtungen für Inhalte',
+ },
+ apps: {
+ umbContent: 'Inhalt',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Erlaubnis verweigert.',
+ addNew: 'Neue Domain hinzufügen',
+ addCurrent: 'Aktuelle Domain hinzufügen',
+ remove: 'entfernen',
+ invalidNode: 'Ungültiges Element.',
+ invalidDomain: 'Format der Domain ungültig.',
+ duplicateDomain: 'Domain wurde bereits zugewiesen.',
+ language: 'Sprache',
+ domain: 'Domain',
+ domainCreated: "Domain '%0%' hinzugefügt",
+ domainDeleted: "Domain '%0%' entfernt",
+ domainExists: "Die Domain '%0%' ist bereits zugeordnet",
+ domainUpdated: "Domain '%0%' aktualisiert",
+ orEdit: 'Domains bearbeiten',
+ domainHelpWithVariants:
+ 'Gültige Domain-Namen sind: "example.com", "www.example.com", "example.com:8080", oder "https://www.example.com/".\n Außerdem werden Pfade mit erstem URL-Segment unterstützt z. B.: "example.com/en" or "/en".',
+ inherit: 'Vererben',
+ setLanguage: 'Kultur',
+ setLanguageHelp:
+ 'Definiert die Kultureinstellung für untergeordnete Elemente dieses Elements oder vererbt vom übergeordneten Element.\n Wird auch auf das aktuelle Element angewendet, sofern auf tieferer Ebene keine Domain zugeordnet ist.',
+ setDomains: 'Domainen',
+ },
+ buttons: {
+ clearSelection: 'Auswahl aufheben',
+ select: 'Auswählen',
+ somethingElse: 'Etwas anderes machen',
+ bold: 'Fett',
+ deindent: 'Ausrücken',
+ formFieldInsert: 'Formularelement einfügen',
+ graphicHeadline: 'Graphische Überschrift einfügen',
+ htmlEdit: 'HTML bearbeiten',
+ indent: 'Einrücken',
+ italic: 'Kursiv',
+ justifyCenter: 'Zentriert',
+ justifyLeft: 'Linksbündig',
+ justifyRight: 'Rechtsbündig',
+ linkInsert: 'Link einfügen',
+ linkLocal: 'Anker einfügen',
+ listBullet: 'Aufzählung',
+ listNumeric: 'Nummerierung',
+ macroInsert: 'Makro einfügen',
+ pictureInsert: 'Abbildung einfügen',
+ publishAndClose: 'Veröffentlichen und schliessen',
+ publishDescendants: 'Veröffentlichen mit Unterknoten',
+ relations: 'Datenbeziehungen bearbeiten',
+ returnToList: 'Zurück zur Liste',
+ save: 'Speichern',
+ saveAndClose: 'Sichern und schliessen',
+ saveAndPublish: 'Speichern und veröffentlichen',
+ saveToPublish: 'Speichern und zur Abnahme übergeben',
+ saveListView: 'Listenansicht sichern',
+ schedulePublish: 'Veröffentlichung planen',
+ saveAndPreview: 'Vorschau',
+ showPageDisabled: 'Die Vorschaufunktion ist deaktiviert, da keine Vorlage zugewiesen ist',
+ styleChoose: 'Stil auswählen',
+ styleShow: 'Stil anzeigen',
+ tableInsert: 'Tabelle einfügen',
+ generateModelsAndClose: 'Erzeuge Daten-Model und schliesse',
+ saveAndGenerateModels: 'Sichern und Daten-Model erzeugen',
+ undo: 'Zurücknehmen',
+ redo: 'Erneut anwenden',
+ deleteTag: 'TAG entfernen',
+ confirmActionCancel: 'Abbrechen',
+ confirmActionConfirm: 'Bestätigen',
+ morePublishingOptions: 'Mehr Veröffentlichungs Optionen',
+ submitChanges: 'Senden',
+ },
+ auditTrailsMedia: {
+ delete: 'Medie gelöscht',
+ move: 'Medie verschoben',
+ copy: 'Medie kopiert',
+ save: 'Medie gesichert',
+ },
+ auditTrails: {
+ atViewingFor: 'Anzeigen als',
+ delete: 'Inhalt gelöscht',
+ unpublish: 'Inhalt unveröffentlicht',
+ unpublishvariant: 'Inhalt unveröffentlicht für Sprache: %0% ',
+ publish: 'Inhalt veröffentlicht',
+ publishvariant: 'Inhalt veröffentlicht für Sprache: %0% ',
+ save: 'Inhalt gesichert',
+ savevariant: 'Inhalt gesichert für Sprache: %0%',
+ move: 'Inhalt verschoben',
+ copy: 'Inhalt kopiert',
+ rollback: 'Inhalt auf vorherige Version geändert',
+ sendtopublish: 'Veröffentlichung für Inhalt angefordert',
+ sendtopublishvariant: 'Veröffentlichung für Inhalt angefordert in Sprache: %0%',
+ sort: 'Unterknoten wurden sortiert von Benutzer',
+ custom: '%0%',
+ contentversionpreventcleanup: 'Versionsbereinigung deaktiviert für Version: %0%',
+ contentversionenablecleanup: 'Versionsbereinigung aktiviert für Version: %0%',
+ smallCopy: 'Kopieren',
+ smallPublish: 'Veröffentlichen',
+ smallPublishVariant: 'Veröffentlichen',
+ smallMove: 'Verschieben',
+ smallSave: 'Sichern',
+ smallSaveVariant: 'Sichern',
+ smallDelete: 'Entfernen',
+ smallUnpublish: 'Veröffentlichung zurücknehmen',
+ smallUnpublishVariant: 'Veröffentlichung zurücknehmen',
+ smallRollBack: 'Vorgängerversion wieder herstellen',
+ smallSendToPublish: 'Veröffentlichung anfordern',
+ smallSendToPublishVariant: 'Veröffentlichung anfordern',
+ smallSort: 'Sortieren',
+ smallCustom: 'Benutzerdefiniert',
+ smallContentVersionPreventCleanup: 'Speichern',
+ smallContentVersionEnableCleanup: 'Speichern',
+ historyIncludingVariants: 'Verlauf (alle Variationen)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Der Verzeichnisname darf keine ungültigen Zeichen enthalten.',
+ deleteItemFailed: 'Folgendes Element konnte nicht entfernt werden: %0%',
+ },
+ content: {
+ isPublished: 'Ist veröffentlicht',
+ about: 'Über dieses Dokument',
+ alias: 'Alias',
+ alternativeTextHelp: '(Wie würden Sie das Bild über das Telefon beschreiben?)',
+ alternativeUrls: 'Alternative Links',
+ clickToEdit: 'Klicken, um das Dokument zu bearbeiten',
+ createBy: 'Erstellt von',
+ createByDesc: 'Ursprünglicher Autor',
+ updatedBy: 'Aktualisiert von',
+ createDate: 'Erstellt am',
+ createDateDesc: 'Erstellungszeitpunkt des Dokuments',
+ documentType: 'Dokumenttyp',
+ editing: 'In Bearbeitung',
+ expireDate: 'Veröffentlichung aufheben am',
+ itemChanged: 'Dieses Dokument wurde nach dem Veröffentlichen bearbeitet.',
+ itemNotPublished: 'Dieses Dokument ist nicht veröffentlicht.',
+ lastPublished: 'Zuletzt veröffentlicht',
+ noItemsToShow: 'Keine Elemente anzuzeigen',
+ listViewNoItems: 'Diese Liste enthält keine Einträge.',
+ listViewNoContent: 'Es wurden keine untergeordneten Elemente hinzugefügt',
+ listViewNoMembers: 'Es wurden keine Mitglieder hinzugefügt',
+ mediatype: 'Medientyp',
+ mediaLinks: 'Verweis auf Medienobjekt(e)',
+ membergroup: 'Mitgliedergruppe',
+ memberrole: 'Mitgliederrolle',
+ membertype: 'Mitglieder-Typ',
+ noChanges: 'Es wurden keine Änderungen vorgenommen',
+ noDate: 'Kein Datum gewählt',
+ nodeName: 'Name des Dokument',
+ noMediaLink: 'Dieses Media-Element hat keinen Link',
+ noProperties: 'Diesem Element kann kein Inhalt zugewiesen werden',
+ otherElements: 'Eigenschaften',
+ parentNotPublished:
+ "Dieses Dokument ist veröffentlicht aber nicht sichtbar,\n da das übergeordnete Dokument '%0%' nicht publiziert ist\n ",
+ parentCultureNotPublished:
+ "Diese Kultur wurde veröffentlicht, aber wird nicht angezeigt,\n weil sie auf dem Oberknoten '%0%' unveröffentlicht ist\n ",
+ parentNotPublishedAnomaly:
+ 'Ups! Dieses Dokument ist veröffentlicht aber nicht im internen Cache aufzufinden: Systemfehler.',
+ getUrlException: 'Der URL wurde nicht gefunden',
+ routeError: 'Dieses Dokument wurde veröffentlicht, aber sein URL würde mit Inhalt %0% kollidieren',
+ routeErrorCannotRoute: 'Dieses Dokument wurde veröffentlicht, aber sein URL kann nicht aufgelöst (routed) werden',
+ publish: 'Veröffentlichen',
+ published: 'Veröffentlicht',
+ publishedPendingChanges: 'Veröffentlicht (Änderungen bereit)',
+ publishStatus: 'Publikationsstatus',
+ publishDescendantsHelp:
+ 'Wähle Veröffentlichen mit Unterknoten zum Veröffentlichen der gewählten Sprache samt aller Unterknoten der selben Sprache, um ihren Inhalt öffentlich verfügbar zu machen.',
+ publishDescendantsWithVariantsHelp:
+ 'Wähle Veröffentlichen mit Unterknoten zum Veröffentlichen der gewählten Sprache samt aller Unterknoten der selben Sprache, um ihren Inhalt öffentlich verfügbar zu machen.',
+ releaseDate: 'Veröffentlichen am',
+ unpublishDate: 'Veröffentlichung widerrufen am',
+ removeDate: 'Datum entfernen',
+ setDate: 'Datum wählen',
+ sortDone: 'Sortierung abgeschlossen',
+ sortHelp:
+ 'Um die Dokumente zu sortieren, ziehen Sie sie einfach an die gewünschte Position.\n Sie können mehrere Zeilen markieren indem Sie die Umschalttaste ("Shift") oder die Steuerungstaste ("Strg") gedrückt halten\n ',
+ statistics: 'Statistiken',
+ titleOptional: 'Titel (optional)',
+ altTextOptional: 'Alternativtext (optional)',
+ captionTextOptional: 'Beschriftung (optional)',
+ type: 'Typ',
+ unpublish: 'Veröffentlichung widerrufen',
+ unpublished: 'Entwurf',
+ notCreated: 'Nicht angelegt',
+ updateDate: 'Zuletzt bearbeitet am',
+ updateDateDesc: 'Letzter Änderungszeitpunkt des Dokuments',
+ uploadClear: 'Datei entfernen',
+ uploadClearImageContext: 'Klicke hier um das das Bild vom Medienelement zu entfernen.',
+ uploadClearFileContext: 'Klicke hier um das das Bild vom Medienelement zu entfernen.',
+ urls: 'Link zum Dokument',
+ memberof: 'Mitglied der Gruppe(n)',
+ notmemberof: 'Kein Mitglied der Gruppe(n)',
+ childItems: 'Untergeordnete Elemente',
+ target: 'Ziel',
+ scheduledPublishServerTime: 'Dies führt zur folgenden Zeit auf dem Server:',
+ scheduledPublishDocumentation:
+ 'Was bedeutet dies?',
+ nestedContentDeleteItem: 'Wollen Sie dieses Element wirklich entfernen?',
+ nestedContentDeleteAllItems: 'Sicher das Sie alle Elemente entfernen wollen?',
+ nestedContentEditorNotSupported:
+ 'Eigenschaft %0% verwendet Editor %1%,\n welcher nicht von Nested Content unterstützt wird.\n ',
+ nestedContentNoContentTypes: 'Keine Dokument-Typen für diese Eigenschaft konfiguriert.',
+ nestedContentAddElementType: 'Elementtyp hinzufügen',
+ nestedContentSelectElementTypeModalTitle: 'Elementtype auswählen',
+ nestedContentGroupHelpText:
+ 'Wählen Sie die Gruppe aus von der die Eigenschaften angezeigt werden soll. Sollte der Wert leer sein\n wird die erste Gruppe des Elementtypen verwendet.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Geben Sie eine Angular Anweisung an um den Namen für das jweilige Element\n zu bestimmen. Verwende\n ',
+ nestedContentTemplateHelpTextPart2: 'um den Index des Elements anzuzeigen.',
+ nestedContentNoGroups:
+ 'Das ausgewählte Element verfügt nicht über unterstützte Gruppen. (Tabs werden von diesem Editor nicht unterstützt, entweder Sie ändern diese zu Gruppen oder Sie verwenden den Block List Editor.',
+ addTextBox: 'Füge ein weiteres Textfeld hinzu',
+ removeTextBox: 'Entferne dieses Textfeld',
+ contentRoot: 'Inhalt-Basis',
+ includeUnpublished: 'Inklusive Entwürfen: veröffentliche auch unveröffentlichte Elemente.',
+ isSensitiveValue:
+ 'Dieser Wert ist verborgen.\n Wenn Sie diesen Wert einsehen müssen, wenden Sie sich bitte an einen Administrator.\n ',
+ isSensitiveValue_short: 'Dieser Wert ist verborgen.',
+ languagesToPublish: 'Welche Sprache möchten Sie veröffentlichen?',
+ languagesToSendForApproval: 'Welche Sprachen möchten Sie zur Freigabe schicken?',
+ languagesToSchedule: 'Welche Sprachen möchten Sie zu einer bestimmten Zeit veröffentlichen?',
+ languagesToUnpublish:
+ 'Wählen Sie die Sprachen, deren Veröffentlichung zurück genommen werden soll.\n Das Zurücknehmen der Veröffentlichung einer Pflichtsprache betrifft alle Sprachen.\n ',
+ variantsWillBeSaved: 'Alle neuen Variationen werden gespeichert.',
+ variantsToPublish: 'Welche Variationen wollen Sie veröffentlichen?',
+ variantsToSave: 'Wählen Sie welche Variation gespeichert werden soll.',
+ publishRequiresVariants: 'Folgende Variationen werden benötigt um das Element veröffentlichen zu können: ',
+ notReadyToPublish: 'Wir sind für Veröffentlichungen bereit',
+ readyToPublish: 'Bereit zu Veröffentlichen?',
+ readyToSave: 'Bereit zu Sichern?',
+ resetFocalPoint: 'Fokus zurücksetzten.',
+ sendForApproval: 'Freigabe anfordern',
+ schedulePublishHelp: 'Wählen Sie Datum und Uhrzeit für die Veröffentlichung bzw. deren Rücknahme.',
+ createEmpty: 'Neues Element anlegen',
+ createFromClipboard: 'Aus der Zwischenablage einfügen',
+ nodeIsInTrash: 'Dieses Element befindet sich im Papierkorb.',
+ variantSaveNotAllowed: 'Speichern ist nicht erlaubt.',
+ variantPublishNotAllowed: 'Veröffentlichen ist nicht erlaubt.',
+ variantSendForApprovalNotAllowed: 'Zur Genehmigung senden ist nicht erlaubt.',
+ variantScheduleNotAllowed: 'Plannung ist nicht erlaubt',
+ variantUnpublishNotAllowed: 'Veröffentlichung zurücknehmen ist nicht erlaubt.',
+ saveModalTitle: 'Speichern',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Erzeuge eine neue Inhaltsvorlage von %0%',
+ blankBlueprint: 'Leer',
+ selectBlueprint: 'Wählen Sie eine Inhaltsvorlage',
+ createdBlueprintHeading: 'Inhaltsvorlage erzeugt',
+ createdBlueprintMessage: "Inhaltsvorlage von '%0%' wurde erzeugt",
+ duplicateBlueprintMessage: 'Eine gleichnamige Inhaltsvorlage ist bereits vorhanden',
+ blueprintDescription:
+ 'Eine Inhaltsvorlage ist vordefinierter Inhalt,\n den ein Redakteur als Basis für neuen Inhalt verwenden kann\n ',
+ },
+ media: {
+ clickToUpload: 'Für Upload klicken',
+ orClickHereToUpload: 'oder klicken Sie hier um eine Datei zu wählen',
+ disallowedFileType: 'Dieser Dateityp darf nicht hochgeladen werden',
+ invalidFileName: 'Diese Datei kann nicht hochgeladen werden wil der Dateiname ungültig ist.',
+ disallowedMediaType:
+ "Diese Datei kann nicht hochgeladen werden, der Medienttype mit dem Alias '%0%' ist hier nicht erlaubt.",
+ maxFileSize: 'Max. Dateigröße ist',
+ mediaRoot: 'Media-Basis',
+ moveToSameFolderFailed: 'Eltern- und Ziel-Verzeichnis dürfen nicht übereinstimmen',
+ createFolderFailed: 'Unter Element Id %0% konnte kein Verzeichnis angelegt werden',
+ renameFolderFailed: 'Das Verzeichnis mit Id %0% konnte nicht umbenannt werden',
+ dragAndDropYourFilesIntoTheArea: 'Wählen Sie Dateien aus und ziehen Sie diese in diesen Bereich',
+ uploadNotAllowed: 'Hochladen ist in diesem Bereich nicht erlaubt.',
+ },
+ member: {
+ createNewMember: 'Neues Mitglied anlegen',
+ allMembers: 'Alle Mitglieder',
+ duplicateMemberLogin: 'Ein Mitglied mit diesem Login existiert bereits.',
+ memberGroupNoProperties: 'Mitgliedsgruppen haben keine weiteren editierbaren Eigenschaften.',
+ memberHasGroup: "Das Mitglied ist bereits in der Gruppe '%0%'",
+ memberHasPassword: 'Das Mitglied hat bereits ein Passwort',
+ memberLockoutNotEnabled: 'Sperren ist nicht aktiviert für dieses Mitglied.',
+ memberNotInGroup: "Das Mitglied ist nicht in der Gruppe '%0%'",
+ '2fa': 'Zwei-Faktor-Authentifizierung',
+ },
+ contentType: {
+ copyFailed: 'Kopieren des Dokumenttyps fehlgeschlagen',
+ moveFailed: 'Bewegen des Dokumenttyps fehlgeschlagen',
+ },
+ mediaType: {
+ copyFailed: 'Kopieren des Medienttyps fehlgeschlagen',
+ moveFailed: 'Bewegen des Medienttyps fehlgeschlagen',
+ autoPickMediaType: 'Automatische auswahl.',
+ },
+ memberType: {
+ copyFailed: 'Kopieren des Mitgliedtyps fehlgeschlagen',
+ },
+ create: {
+ chooseNode: 'An welcher Stellen wollen Sie das Element erstellen',
+ createUnder: 'Neues Element unterhalb von',
+ createContentBlueprint: 'Wählen Sie einen Dokumenttyp für eine Inhaltsvorlage',
+ enterFolderName: 'Geben Sie einen Verzeichnisnamen ein',
+ updateData: 'Wählen Sie einen Namen und einen Typ',
+ noDocumentTypes:
+ 'Es stehen keine erlaubten Dokumenttypen zur Verfügung. Sie müssen diese in den Einstellungen (unter "Dokumenttypen") aktivieren.',
+ noDocumentTypesAtRoot:
+ 'Es stehen keine erlaubten Dokumenttypen zur Verfügung. Sie müssen diese in den Einstellungen (unter "Dokumenttypen") aktivieren.',
+ noDocumentTypesWithNoSettingsAccess: 'Die im Inhaltsbaum ausgewählte Seite\n erlaubt keine Unterseiten.\n ',
+ noDocumentTypesEditPermissions: 'Bearbeitungsrechte für diesen Dokumenttyp',
+ noDocumentTypesCreateNew: 'Neuen Dokumenttypen erstellen',
+ noDocumentTypesAllowedAtRoot:
+ 'Keine Dokumenttypen vorhanden welche hier eingefügt werden dürfen. Sie müssen diese in den Einstellungen (unter "Dokumenttypen") aktivieren.',
+ noMediaTypes:
+ 'Es stehen keine erlaubten Medientypen zur Verfügung.\n Sie müssen diese in den Einstellungen (unter "Medientypen") aktivieren.',
+ noMediaTypesWithNoSettingsAccess:
+ 'Das im Strukturbaum ausgewählte Medienelement\n erlaubt keine untergeordneten Elemente.\n ',
+ noMediaTypesEditPermissions: 'Bearbeitungsrechte für diesen Medientyp',
+ documentTypeWithoutTemplate: 'Dokumenttyp ohne Vorlage',
+ documentTypeWithTemplate: 'Dokumenttyp mit Template',
+ documentTypeWithTemplateDescription:
+ 'Die Definition für eine Inhaltsseite welche von einem\n Redakteur im Inhaltsbaum angelgt werden können und direkt über die URL aufgerufen werden kann.\n ',
+ documentType: 'Dokumenttype',
+ documentTypeDescription:
+ 'Die Definition für eine Inhaltsseite welche von einem\n Redakteur im Inhaltsbaum angelgt werden können und direkt über die URL aufgerufen werden kann.\n ',
+ elementType: 'Elementtyp',
+ elementTypeDescription:
+ "Definiert die Vorlage für sich wiederholende Eigenschaften, zum Beispiel, in einer 'Block\n List' oder im 'Nested Content' Editor.\n ",
+ composition: 'Komposition',
+ compositionDescription:
+ 'Definiert eine wiederverwendbare Komposition von Eigenschaften welche in anderen\n Dokumenttypen wiederverwendet werden können.\n ',
+ folder: 'Ordner',
+ folderDescription:
+ 'Werden benützt um Dokumenttypen, Komposition und Elementtypen in diesem\n Dokumenttypbaums zu organisieren.\n ',
+ newFolder: 'Neues Verzeichnis',
+ newDataType: 'Neuer Datentyp',
+ newJavascriptFile: 'Neue JavaScript-Datei',
+ newEmptyPartialView: 'Neue leere Partial-View',
+ newPartialViewMacro: 'Neues Partial-View-Makro',
+ newPartialViewFromSnippet: 'Neue Partial-View nach Vorlage',
+ newPartialViewMacroFromSnippet: 'Neues Partial-View-Makro nach Vorlage',
+ newPartialViewMacroNoMacro: 'Neues Partial-View-Makro (ohne Makro)',
+ newStyleSheetFile: 'Neue Style-Sheet-Datei',
+ newRteStyleSheetFile: 'Neue Rich-Text-Editor Style-Sheet-Datei',
+ },
+ dashboard: {
+ browser: 'Website anzeigen',
+ dontShowAgain: '- Verstecken',
+ nothinghappens: 'Wenn Umbraco nicht geöffnet wurde, wurde möglicherweise das Pop-Up unterdrückt.',
+ openinnew: 'wurde in einem neuen Fenster geöffnet',
+ restart: 'Neu öffnen',
+ visit: 'Besuchen',
+ welcome: 'Willkommen',
+ },
+ prompt: {
+ stay: 'Bleiben',
+ discardChanges: 'Änderungen verwerfen',
+ unsavedChanges: 'Es gibt ungesicherte Änderungen',
+ unsavedChangesWarning: 'Wollen Sie diese Seite wirklich verlassen?\n - es gibt ungesicherte Änderungen\n ',
+ confirmListViewPublish: 'Veröffentlichen macht die ausgewählten Elemente auf der Website sichtbar.',
+ confirmListViewUnpublish:
+ 'Aufheben der Veröffentlichung entfernt die ausgewählten Elemente\n und ihre Unterknoten von der Website.\n ',
+ confirmUnpublish: 'Aufheben der Veröffentlichung entfernt diese Seite und ihre Unterseiten von der Website.',
+ doctypeChangeWarning:
+ 'Es gibt ungesicherte Änderungen.\n Ändern des Dokumenttyps macht diese rückgängig.\n ',
+ },
+ bulk: {
+ done: 'Fertig',
+ deletedItem: '%0% Element entfernt',
+ deletedItems: '%0% Elemente entfernt',
+ deletedItemOfItem: '%0% von %1% Element entfernt',
+ deletedItemOfItems: '%0% von %1% Elementen entfernt',
+ publishedItem: '%0% Element veröffentlicht',
+ publishedItems: '%0% Elemente veröffentlicht',
+ publishedItemOfItem: '%0% von %1% Element veröffentlicht',
+ publishedItemOfItems: '%0% von %1% Elementen veröffentlicht',
+ unpublishedItem: '%0% Veröffentlichung aufgehoben',
+ unpublishedItems: '%0% Veröffentlichungen aufgehoben',
+ unpublishedItemOfItem: '%0% von %1% Veröffentlichung aufgehoben',
+ unpublishedItemOfItems: '%0% von %1% Veröffentlichungen aufgehoben',
+ movedItem: '%0% Element verschoben',
+ movedItems: '%0% Elemente verschoben',
+ movedItemOfItem: '%0% von %1% Element verschoben',
+ movedItemOfItems: '%0% von %1% Elementen verschoben',
+ copiedItem: '%0% Element kopiert',
+ copiedItems: '%0% Elemente kopiert',
+ copiedItemOfItem: '%0% von %1% Element kopiert',
+ copiedItemOfItems: '%0% von %1% Elementen kopiert',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Name des Link',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Anker / querystring',
+ anchorInsert: 'Name',
+ closeThisWindow: 'Fenster schließen',
+ confirmdelete: 'Wollen Sie dies wirklich entfernen',
+ confirmdeleteNumberOfItems:
+ 'Sicher das Sie %0% von %1% Elementen löschen wollen?',
+ confirmdisable: 'Wollen Sie folgendes wirklich deaktivieren',
+ confirmremove: 'Sicher das Sie es entfernen wollen?',
+ confirmremoveusageof: 'Sicher das Sie die Verwendung von %0% entfernen wollen?',
+ confirmlogout: 'Sind Sie sich wirklich abmelden?',
+ confirmSure: 'Sind Sie sicher?',
+ cut: 'Ausschneiden',
+ editDictionary: 'Wörterbucheintrag bearbeiten',
+ editLanguage: 'Sprache bearbeiten',
+ editSelectedMedia: 'Ausgewähltes Medien',
+ insertAnchor: 'Anker einfügen',
+ insertCharacter: 'Zeichen einfügen',
+ insertgraphicheadline: 'Grafische Überschrift einfügen',
+ insertimage: 'Abbildung einfügen',
+ insertlink: 'Link einfügen',
+ insertMacro: 'klicken um Macro hinzuzufügen',
+ inserttable: 'Tabelle einfügen',
+ languagedeletewarning: 'Dies entfernt die Sprache',
+ languageChangeWarning:
+ '\n Die Kultur-Variante einer Sprache zu ändern ist möglicherweise eine aufwendige Operation und führt zum Erneuern von Inhalts-Zwischenspeicher und Such-Index.\n ',
+ lastEdited: 'Zuletzt bearbeitet',
+ link: 'Verknüpfung',
+ linkinternal: 'Internen Link',
+ linklocaltip: 'Wenn lokale Links verwendet werden, füge ein "#" vor den Link ein',
+ linknewwindow: 'In einem neuen Fenster öffnen?',
+ macroDoesNotHaveProperties: 'Dieses Makro enthält keine einstellbaren Eigenschaften.',
+ paste: 'Einfügen',
+ permissionsEdit: 'Berechtigungen bearbeiten für',
+ permissionsSet: 'Berechtigungen vergeben für',
+ permissionsSetForGroup: 'Berechtigungen vergeben für %0% für Benutzer-Gruppe %1%',
+ permissionsHelp: 'Wählen Sie die Benutzer-Gruppe, deren Berechtigungen Sie setzen möchten',
+ recycleBinDeleting:
+ 'Der Papierkorb wird geleert.\n Bitte warten Sie und schließen Sie das Fenster erst, wenn der Vorgang abgeschlossen ist.\n ',
+ recycleBinIsEmpty: 'Der Papierkorb ist leer',
+ recycleBinWarning:
+ 'Wenn Sie den Papierkorb leeren, werden die enthaltenen Elemente endgültig gelöscht. Dieser Vorgang kann nicht rückgängig gemacht werden.',
+ regexSearchError:
+ "\n Der Webservice von regexlib.com ist zur Zeit nicht erreichbar. Bitte versuchen Sie es später erneut.",
+ regexSearchHelp:
+ "\n Finden Sie einen vorbereiteten regulären Ausdruck zur Validierung der Werte, die in dieses Feld eingegeben werden - zum Beispiel 'email, 'plz', 'URL' oder ähnlich.\n ",
+ removeMacro: 'Macro entfernen',
+ requiredField: 'Pflichtfeld',
+ sitereindexed: 'Die Website-Index wurd neu erstellt',
+ siterepublished:
+ 'Der Zwischenspeicher der Website wurde aktualisiert und alle veröffentlichten Inhalte sind jetzt auf dem neuesten Stand.\n Bisher unveröffentliche Inhalte wurden dabei nicht veröffentlicht.\n ',
+ siterepublishHelp:
+ 'Der Zwischenspeicher der Website wird aktualisiert und der veröffentlichte Inhalt auf den neuesten Stand gebracht.\n Unveröffentlichte Inhalte bleiben dabei weiterhin unveröffentlicht.\n ',
+ tableColumns: 'Anzahl der Spalten',
+ tableRows: 'Anzahl der Zeilen',
+ thumbnailimageclickfororiginal: 'Für Originalgröße auf die Abbildung klicken',
+ treepicker: 'Element auswählen',
+ viewCacheItem: 'Zwischenspeicher-Element anzeigen',
+ relateToOriginalLabel: 'Verknüpfe mit Original',
+ includeDescendants: 'Einschliesslich Unterknoten',
+ theFriendliestCommunity: 'Die freundlichste Community',
+ linkToPage: 'Seiten-Link',
+ openInNewWindow: 'In neuem Fenster / Tab öffnen',
+ linkToMedia: 'Medien-Link',
+ selectContentStartNode: 'Inhalts-Startknoten wählen',
+ selectMedia: 'Medienelement wählen',
+ selectMediaType: 'Medientype wählen',
+ selectIcon: 'Bildzeichen wählen',
+ selectItem: 'Element wählen',
+ selectLink: 'Link wählen',
+ selectMacro: 'Makro wählen',
+ selectContent: 'Inhalt wählen',
+ selectContentType: 'Inhaltstyp wählen',
+ selectMediaStartNode: 'Medien-Startknoten wählen',
+ selectMember: 'Mitglied wählen',
+ selectMemberGroup: 'Mitgliedergruppe wählen',
+ selectMemberType: 'Membertype wählen',
+ selectNode: 'Knoten wählen',
+ selectSections: 'Bereich wählen',
+ selectLanguages: 'Sprachen wählen',
+ selectUser: 'Benutzer wählen',
+ selectUsers: 'Benutzer wählen',
+ noIconsFound: 'Keine Bildzeichen gefunden',
+ noMacroParams: 'Für dieses Makro gibt es keine Parameter',
+ noMacros: 'Es gibt keine Makros zum Einfügen',
+ externalLoginProviders: 'Externe Login-Anbieter',
+ exceptionDetail: 'Ausnahmedetails',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Verknüpfen Sie Ihr',
+ unLinkYour: 'Trennen Sie Ihr',
+ account: 'Konto',
+ selectEditor: 'Editor wählen',
+ selectEditorConfiguration: 'Konfiguration wählen',
+ selectSnippet: 'Kode-Vorlage wählen',
+ variantdeletewarning:
+ 'Dies wird den Knoten und all seine Sprachen entfernen.\n Wenn Sie nur eine Sprache entfernen wollen, wählen Sie diese und setzen sie auf unveröffentlicht.\n ',
+ propertyuserpickerremovewarning: 'Dies entfernt den User %0%.',
+ userremovewarning: 'Dies entfernt den User %0% von der %1% Gruppe',
+ yesRemove: 'Ja, entfernen',
+ deleteLayout: 'Sie löschen das Layout',
+ deletingALayout:
+ 'Bearbeiten des layout resultiert im Verlust der aller Daten für bestehenden Inhalt basierend auf dieser Konfiruation.',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n Um einen Eintrag zu importieren, suchen sie die ".udt" Datei auf ihren Computer durch Klicken des\n "Import" Knopfes. (Sie werden für Ihre Zustimmung im nächsten Schritt gefragt)\n ',
+ itemDoesNotExists: 'Wörterbuch Eintrag existiert nicht.',
+ parentDoesNotExists: 'Eltern Element existiert nicht.',
+ noItems: 'Es gibt keine Einträge im Wörterbuch.',
+ noItemsInFile: 'Keine Wörterbuch Einträge in dieser Datei gefunden.',
+ noItemsFound: 'Keine Wörterbuch Einträge gefunden.',
+ createNew: 'Eintrag erstellen',
+ },
+ dictionaryItem: {
+ description:
+ "Bearbeiten Sie nachfolgend die verschiedenen Sprachversionen für den Wörterbucheintrag '%0%'. Unter dem links angezeigten Menüpunkt 'Sprachen' können Sie weitere hinzufügen.",
+ displayName: 'Name der Kultur',
+ changeKeyError: "Der Wert '%0%' ist bereits vorhanden.",
+ overviewTitle: 'Wörterbuch Übersicht',
+ },
+ examineManagement: {
+ configuredSearchers: 'Sucher einrichten ',
+ configuredSearchersDescription:
+ '\n Zeigt die Eigenschaften und Werkzeuge für eingerichtete Sucher (z.B.: multi-index searcher)',
+ fieldValues: 'Feldwerte',
+ healthStatus: 'Gesundheitsstatus',
+ healthStatusDescription: 'Der Gesundheitsstatus und Lesbarkeit des Indizes.',
+ indexers: 'Indizierer',
+ indexInfo: 'Indexinformationen',
+ contentInIndex: 'Inhalt des Indexes',
+ indexInfoDescription: 'Zeigt die Eigenschaften des Indizes',
+ manageIndexes: 'Examine Index-Verwaltung',
+ manageIndexesDescription: '\n Index Detailanzeige und Verwaltungswerkzeuge\n ',
+ rebuildIndex: 'Index erneuern',
+ rebuildIndexWarning:
+ '\n Dies erzeugt den Index neu. \n Abhängig von der Inhaltsmenge Ihrer Website kann das eingie Zeit dauern. \n Es wird davon abgeraten, einen Index einer Website während hoher Auslastung- oder Inhaltbearbeitungszeiten zu erneuern.\n ',
+ searchers: 'Sucher',
+ searchDescription: 'Durchsuche den Index und betrachte die Ergebnisse',
+ tools: 'Werkzeuge',
+ toolsDescription: 'Werkzeuge zur Indexverwaltung',
+ fields: 'Felder',
+ indexCannotRead: 'Der Index kann nicht gelesen werden und wird deshalb neu erstellt.',
+ processIsTakingLonger:
+ 'Der Prozess dauert länger als erwartet, checken Sie die Umbraco Logs um zu sehen ob\n Fehler passiert sind.\n ',
+ indexCannotRebuild: 'Der Index kann nicht rebuilded werden weil er nicht zugewissen wurde.',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Benutzername eingeben',
+ password: 'Kennwort eingeben',
+ confirmPassword: 'Bestätige das Kennwort',
+ nameentity: '%0% benennen ...',
+ entername: 'Bitte Name angeben ...',
+ enteremail: 'Bitte E-Mail eingeben...',
+ enterusername: 'Bitte Benutzernamen eingeben...',
+ label: 'Label...',
+ enterDescription: 'Bitte eine Beschreibung eingeben...',
+ search: 'Durchsuchen ...',
+ filter: 'Filtern ...',
+ enterTags: 'Tippen, um Tags hinzuzufügen (nach jedem Tag die Eingabetaste drücken) ...',
+ email: 'Bitte E-Mail eingeben',
+ enterMessage: 'Bitte Nachricht eingeben...',
+ usernameHint: 'Der Benutzername ist normalerweise Ihre E-Mail-Adresse',
+ anchor: '#value oder ?key=value',
+ enterAlias: 'Bitte einen Alias eingeben...',
+ generatingAlias: 'Alias erzeugen...',
+ a11yCreateItem: 'Element erstellen',
+ a11yEdit: 'Bearbeiten',
+ a11yName: 'Benennen',
+ },
+ editcontenttype: {
+ createListView: 'Angepasste Listenansicht erstellen',
+ removeListView: 'Angepasste Listenansicht entfernen',
+ aliasAlreadyExists: 'Ein Inhalts-, Medien oder Mitgliedstyp mit gleichem Alias ist bereits vorhanden.',
+ },
+ renamecontainer: {
+ renamed: 'Umbenannt',
+ enterNewFolderName: 'Tragen Sie hier einen neuen Verzeichnisnamen ein',
+ folderWasRenamed: '%0% wurde umbenannt in %1%',
+ },
+ editdatatype: {
+ canChangePropertyEditorHelp:
+ 'Ändern des Editors in einem Datatyps mit gespeicherten Werten ist nicht erlaubt. Um es zu erlauben müssen Sie die Umbraco:CMS:DataTypes:CanBeChanged Einstellung in der appsettings.json ändern.',
+ addPrevalue: 'Neuer Vorgabewert',
+ dataBaseDatatype: 'Feldtyp in der Datenbank',
+ guid: 'Datentyp-GUID',
+ renderControl: 'Steuerelement zur Darstellung',
+ rteButtons: 'Schaltflächen',
+ rteEnableAdvancedSettings: 'Erweiterte Einstellungen aktivieren für',
+ rteEnableContextMenu: 'Kontextmenü aktivieren',
+ rteMaximumDefaultImgSize: 'Maximale Standardgröße für eingefügte Bilder',
+ rteRelatedStylesheets: 'Verknüpfte Stylesheets',
+ rteShowLabel: 'Beschriftung anzeigen',
+ rteWidthAndHeight: 'Breite und Höhe',
+ selectFolder: 'Wählen Sie das Verzeichnis aus der untenstehenden Baumstruktur, in das',
+ inTheTree: 'verschoben werden soll.',
+ wasMoved: 'wurde verschoben in',
+ hasReferencesDeleteConsequence:
+ 'Löschen von %0% wird die Eigenschaften und Daten von folgenden Element löschen',
+ acceptDeleteConsequence:
+ 'Ich verstehe das diese Aktion Eigenschaften und Daten basierend auf diesem\n DataTyps löschen wird.\n ',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Ihre Daten wurden gespeichert.\n Bevor Sie diese Seite jedoch veröffentlichen können, müssen Sie die folgenden Korrekturen vornehmen:\n ',
+ errorChangingProviderPassword:
+ 'Der aktuelle Mitgliedschaftsanbieter erlaubt keine Kennwortänderung\n (EnablePasswordRetrieval muss auf "true" gesetzt sein)\n ',
+ errorExistsWithoutTab: "'%0%' ist bereits vorhanden",
+ errorHeader: 'Bitte prüfen und korrigieren:',
+ errorHeaderWithoutTab: 'Bitte prüfen und korrigieren:',
+ errorInPasswordFormat:
+ 'Für das Kennwort ist eine Mindestlänge von %0% Zeichen vorgesehen,\n wovon mindestens %1% Sonderzeichen (nicht alphanumerisch) sein müssen\n ',
+ errorIntegerWithoutTab: "'%0%' muss eine Zahl sein",
+ errorMandatory: "'%0%' (in Registerkarte '%1%') ist ein Pflichtfeld",
+ errorMandatoryWithoutTab: "'%0%' ist ein Pflichtfeld",
+ errorRegExp: "'%0%' (in Registerkarte '%1%') hat ein falsches Format",
+ errorRegExpWithoutTab: "'%0%' hat ein falsches Format",
+ },
+ errors: {
+ defaultError: 'Ein unbekannter Fehler ist passiert.',
+ concurrencyError: 'Optimistic concurrency Fehler, Objekte wurde geändert.',
+ receivedErrorFromServer: 'Der Server hat einen Fehler gemeldet',
+ dissallowedMediaType: 'Dieser Dateityp wird durch die Systemeinstellungen blockiert',
+ codemirroriewarning:
+ 'ACHTUNG! Obwohl CodeMirror in den Einstellungen aktiviert ist,\n bleibt das Modul wegen mangelnder Stabilität in Internet Explorer deaktiviert.\n ',
+ contentTypeAliasAndNameNotNull: 'Bitte geben Sie die Bezeichnung und den Alias des neuen Dokumenttyps ein.',
+ filePermissionsError: 'Es besteht ein Problem mit den Lese-/Schreibrechten auf eine Datei oder einen Ordner',
+ macroErrorLoadingPartialView: 'Fehler beim Laden einer "Partial View Kodedatei" (Datei: %0%)',
+ missingTitle: 'Bitte geben Sie einen Titel ein',
+ missingType: 'Bitte wählen Sie einen Typ',
+ pictureResizeBiggerThanOrg:
+ 'Soll die Abbildung wirklich über die\n Originalgröße hinaus vergrößert werden?\n ',
+ startNodeDoesNotExists: 'Startelement gelöscht, bitte kontaktieren Sie den System-Administrator.',
+ stylesMustMarkBeforeSelect: 'Bitte markieren Sie den gewünschten Text, bevor Sie einen Stil auswählen',
+ stylesNoStylesOnPage: 'Keine aktiven Stile vorhanden',
+ tableColMergeLeft: 'Bitte platzieren Sie den Mauszeiger in die erste der zusammenzuführenden Zellen',
+ tableSplitNotSplittable: 'Sie können keine Zelle trennen, die nicht zuvor aus mehreren zusammengeführt wurde.',
+ propertyHasErrors: 'Die Eigenschaft ist nicht valide',
+ },
+ general: {
+ options: 'Optionen',
+ about: 'Info',
+ action: 'Aktion',
+ actions: 'Aktionen',
+ add: 'Hinzufügen',
+ alias: 'Alias',
+ all: 'Alles',
+ areyousure: 'Sind Sie sicher?',
+ back: 'Zurück',
+ backToOverview: 'Zurück zur Übersicht',
+ border: 'Rahmen',
+ by: 'von',
+ cancel: 'Abbrechen',
+ cellMargin: 'Zellabstand',
+ choose: 'Auswählen',
+ close: 'Schließen',
+ clear: 'Leeren',
+ closewindow: 'Fenster schließen',
+ closepane: 'Fenster Pane',
+ comment: 'Kommentar',
+ confirm: 'bestätigen',
+ constrain: 'Beschneiden',
+ constrainProportions: 'Seitenverhältnis beibehalten',
+ content: 'Inhalt',
+ continue: 'Weiter',
+ copy: 'Kopieren',
+ create: 'Neu',
+ cropSection: 'Ausschnitte Bereich',
+ database: 'Datenbank',
+ date: 'Datum',
+ default: 'Standard',
+ delete: 'Löschen',
+ deleted: 'Gelöscht',
+ deleting: 'Löschen ...',
+ design: 'Design',
+ dictionary: 'Wörterbuch',
+ dimensions: 'Abmessungen',
+ discard: 'Verwerfen',
+ down: 'nach unten',
+ download: 'Herunterladen',
+ edit: 'Bearbeiten',
+ edited: 'Bearbeitet',
+ elements: 'Elemente',
+ email: 'E-Mail',
+ error: 'Fehler',
+ field: 'Feld',
+ findDocument: 'Suche',
+ first: 'Erste(s)',
+ general: 'Allgemein',
+ groups: 'Gruppen',
+ generic: 'Generisch',
+ group: 'Gruppe',
+ height: 'Höhe',
+ help: 'Hilfe',
+ hide: 'Verbergen',
+ history: 'Verlauf',
+ icon: 'Bildzeichen',
+ id: 'Id',
+ import: 'Import',
+ excludeFromSubFolders: 'Nur in diesem Ordner suchen',
+ info: 'Info',
+ innerMargin: 'Innerer Abstand',
+ insert: 'Einfügen',
+ install: 'Installieren',
+ invalid: 'Ungültig',
+ justify: 'Zentrieren',
+ label: 'Bezeichnung',
+ language: 'Sprache',
+ last: 'Letzte(s)',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Laden',
+ locked: 'Gesperrt',
+ login: 'Anmelden',
+ logoff: 'Abmelden',
+ logout: 'Abmelden',
+ macro: 'Makro',
+ mandatory: 'Pflichtfeld',
+ media: 'Medien',
+ message: 'Nachricht',
+ move: 'Verschieben',
+ name: 'Name',
+ new: 'Neu',
+ next: 'Weiter',
+ no: 'Nein',
+ nodeName: 'Knoten Name',
+ of: 'von',
+ off: 'Aus',
+ ok: 'Ok',
+ open: 'Öffnen',
+ on: 'An',
+ or: 'oder',
+ orderBy: 'Sortieren nach',
+ password: 'Kennwort',
+ path: 'Pfad',
+ pleasewait: 'Einen Moment bitte...',
+ previous: 'Zurück',
+ properties: 'Eigenschaften',
+ readMore: 'Mehr erfahren',
+ rebuild: 'Erneuern',
+ reciept: 'E-Mail-Empfänger für die Formulardaten',
+ recycleBin: 'Papierkorb',
+ recycleBinEmpty: 'Ihr Mülleimer ist leer',
+ reload: 'Neu laden',
+ remaining: 'Verbleibend',
+ remove: 'Entfernen',
+ revert: 'Rückgängig',
+ rename: 'Umbenennen',
+ renew: 'Erneuern',
+ required: 'Pflichtangabe',
+ retrieve: 'Wiederherstellen',
+ retry: 'Wiederholen',
+ rights: 'Berechtigungen',
+ scheduledPublishing: 'Geplantes Veröffentlichen',
+ umbracoInfo: 'Umbraco Information',
+ search: 'Suchen',
+ searchNoResult: 'Leider können wir nicht finden, wonach Sie suchen.',
+ noItemsInList: 'Es wurden keine Elemente hinzugefügt',
+ server: 'Server',
+ settings: 'Einstellungen',
+ shared: 'Geteilt',
+ show: 'Anzeigen',
+ showPageOnSend: 'Seite beim Senden anzeigen',
+ size: 'Größe',
+ sort: 'Sortieren',
+ status: 'Status',
+ submit: 'Senden',
+ success: 'Erfolt',
+ type: 'Typ',
+ typeName: 'Typ Name',
+ typeToSearch: 'Durchsuchen ...',
+ under: 'unter',
+ up: 'nach oben',
+ update: 'Aktualisieren',
+ upgrade: 'Update',
+ upload: 'Hochladen',
+ url: 'URL',
+ user: 'Benutzer',
+ username: 'Benutzername',
+ validate: 'Validieren',
+ value: 'Wert',
+ view: 'Ansicht',
+ welcome: 'Willkommen ...',
+ width: 'Breite',
+ yes: 'Ja',
+ folder: 'Ordner',
+ searchResults: 'Suchergebnisse',
+ reorder: 'Sortieren',
+ reorderDone: 'Sortierung abschließen',
+ preview: 'Vorschau',
+ changePassword: 'Kennwort ändern',
+ to: 'nach',
+ listView: 'Listenansicht',
+ saving: 'Sichern läuft...',
+ current: 'Aktuelle(s)',
+ embed: 'Eingebettet',
+ selected: 'ausgewählt',
+ other: 'Anderes',
+ articles: 'Artikel',
+ videos: 'Videos',
+ avatar: 'Avatar für',
+ header: 'Kopf',
+ systemField: 'System Feld',
+ lastUpdated: 'Zuletzt geändert',
+ newVersionAvailable: 'Neue Version verfügbar',
+ },
+ colors: {
+ blue: 'Blau',
+ },
+ shortcuts: {
+ addTab: 'Tab hinzufügen',
+ addGroup: 'Neue Gruppe',
+ addProperty: 'Neue Eigenschaft',
+ addEditor: 'Editor hinzufügen',
+ addTemplate: 'Vorlage hinzufügen',
+ addChildNode: 'Knoten unterhalb hinzufügen',
+ addChild: 'Element unterhalb hinzufügen',
+ editDataType: 'Datentyp bearbeiten',
+ navigateSections: 'Bereiche wechseln',
+ shortcut: 'Abkürzungen',
+ showShortcuts: 'Abkürzungen anzeigen',
+ toggleListView: 'Listenansicht wechseln',
+ toggleAllowAsRoot: 'Wurzelknotenberechtigung wechseln',
+ commentLine: 'Zeile ein-/auskommentieren',
+ removeLine: 'Zeile entfernen',
+ copyLineUp: 'Zeilen oberhalb kopieren',
+ copyLineDown: 'Zeilen unterhalb kopieren',
+ moveLineUp: 'Zeilen nach oben schieben',
+ moveLineDown: 'Zeilen nach unten schieben',
+ generalHeader: 'Standard',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Kulturvariantenberechtigung wechseln',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Hintergrundfarbe',
+ bold: 'Fett',
+ color: 'Textfarbe',
+ font: 'Schriftart',
+ text: 'Text',
+ },
+ headers: {
+ page: 'Dokument',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Mit dieser Datenbank kann leider keine Verbindung hergestellt werden.',
+ databaseErrorWebConfig:
+ 'Appsettings.json Datei konnte nicht gespeichert werden. Bitte ändern Sie die Datei\n manuell.\n ',
+ databaseFound: 'Die Datenbank ist erreichbar und wurde identifiziert als',
+ databaseHeader: 'Datenbank',
+ databaseInstall:
+ '\n Klicken Sie auf Installieren, um die Datenbank für Umbraco %0% einzurichten.\n ',
+ databaseInstallDone:
+ 'Die Datenbank wurde für Umbraco %0% konfiguriert.\n Klicken Sie auf weiter, um fortzufahren.',
+ databaseText:
+ 'Um diesen Schritt abzuschließen, müssen Sie die notwendigen Informationen zur Datenbankverbindung angeben. Bitte kontaktieren Sie Ihren Provider bzw. Server-Administrator für weitere Informationen.',
+ databaseUpgrade:
+ '\n\t
\n\t Bitte bestätigen Sie mit einem Klick auf Update, dass die Datenbank auf Umbraco %0% aktualisiert werden soll.\n\t
\n\t
\n\t Keine Sorge - Dabei werden keine Inhalte gelöscht und alles wird weiterhin funktionieren!\n\t
\n ',
+ databaseUpgradeDone:
+ 'Die Datenbank wurde auf die Version %0% aktualisiert. Klicken Sie auf weiter, um fortzufahren.',
+ databaseUpToDate:
+ 'Die Datenbank ist fertig eingerichtet. Klicken Sie auf "weiter", um mit der Einrichtung fortzufahren.',
+ defaultUserChangePass: 'Das Kennwort des Standard-Benutzers muss geändert werden!',
+ defaultUserDisabled:
+ 'Der Standard-Benutzer wurde deaktiviert oder hat keinen Zugriff auf Umbraco.
Es sind keine weiteren Aktionen notwendig. Klicken Sie auf Weiter um fortzufahren.',
+ defaultUserPassChanged:
+ 'Das Kennwort des Standard-Benutzers wurde seit der Installation verändert.
Es sind keine weiteren Aktionen notwendig. Klicken Sie auf Weiter um fortzufahren.',
+ defaultUserPasswordChanged: 'Das Kennwort wurde geändert!',
+ greatStart: 'Schauen Sie sich die Einführungsvideos für einen schnellen und einfachen Start an.',
+ None: 'Noch nicht installiert.',
+ permissionsAffectedFolders: 'Betroffene Verzeichnisse und Dateien',
+ permissionsAffectedFoldersMoreInfo: 'Weitere Informationen zum Thema "Dateiberechtigungen" für Umbraco',
+ permissionsAffectedFoldersText:
+ 'Für die folgenden Dateien und Verzeichnisse müssen ASP.NET-Schreibberechtigungen gesetzt werden',
+ permissionsAlmostPerfect:
+ 'Die Dateiberechtigungen sind fast perfekt eingestellt!
Damit können Sie Umbraco ohne Probleme verwenden, werden aber viele Erweiterungspakete können nicht installiert werden.',
+ permissionsHowtoResolve: 'Problemlösung',
+ permissionsHowtoResolveLink: 'Klicken Sie hier, um den technischen Artikel zu lesen',
+ permissionsHowtoResolveText:
+ 'Schauen Sie sich die Video-Lehrgänge zum Thema Verzeichnisberechtigungen für Umbraco an oder lesen Sie den technischen Artikel.',
+ permissionsMaybeAnIssue:
+ 'Die Dateiberechtigungen sind möglicherweise fehlerhaft!Sie können Umbraco vermutlich ohne Probleme verwenden, werden aber viele Erweiterungspakete können nicht installiert werden.',
+ permissionsNotReady:
+ '\n Die Dateiberechtigungen sind nicht geeignet!
\n Die Dateiberechtigungen müssen angepasst werden.\n ',
+ permissionsPerfect:
+ 'Die Dateiberechtigungen sind perfekt eingestellt!
Damit ist Umbraco komplett eingerichtet und es können problemlos Erweiterungspakete installiert werden.',
+ permissionsResolveFolderIssues: 'Verzeichnisprobleme lösen',
+ permissionsResolveFolderIssuesLink:
+ 'Folgen Sie diesem Link für weitere Informationen zum Thema ASP.NET und der Erstellung von Verzeichnissen.',
+ permissionsSettingUpPermissions: 'Verzeichnisberechtigungen anpassen',
+ permissionsText:
+ 'Umbraco benötigt Schreibrechte auf verschiedene Verzeichnisse, um Dateien wie Bilder oder PDF-Dokumente speichern zu können. Außerdem werden temporäre Daten zur Leistungssteigerung der Website angelegt.',
+ runwayFromScratch: 'Ich möchte mit einem leeren System ohne Inhalte und Vorgaben starten',
+ runwayFromScratchText:
+ '\n Die Website ist zur Zeit komplett leer und ohne Inhalte und Vorgaben zu Erstellung eigener Dokumenttypen und Vorlagen bereit.\n (So geht\'s)\n Sie können "Runway" auch jederzeit später installieren. Verwenden Sie hierzu den Punkt "Pakete" im Entwickler-Bereich.\n ',
+ runwayHeader:
+ 'Die Einrichtung von Umbraco ist abgeschlossen und das Content-Management-System steht bereit. Wie soll es weitergehen?',
+ runwayInstalled: "'Runway' wurde installiert",
+ runwayInstalledText:
+ '\n Die Basis ist eingerichtet. Wählen Sie die Module aus, die Sie nun installieren möchten. \n Dies sind unsere empfohlenen Module. Schauen Sie sich die an, die Sie installieren möchten oder Sie sich die komplette Liste der Module an.\n ',
+ runwayOnlyProUsers: 'Nur für erfahrene Benutzer empfohlen',
+ runwaySimpleSite: 'Ich möchte mit einer einfache Website starten',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" ist eine einfache Website mit einfachen Dokumententypen und Vorlagen. Der Installer kann Runway automatisch einrichten,\n aber es kann einfach verändert, erweitert oder entfernt werden. Es ist nicht zwingend notwendig und Umbraco kann auch ohne Runway verwendet werden.\n Runway bietet eine einfache Basis zum schnellen Start mit Umbraco.\n Wenn Sie sich für Runway entscheiden, können Sie optional Blöcke nutzen, die "Runway Modules" und Ihre Runway-Seite erweitern.\n
\n \n Runway umfasst: Home page, Getting Started page, Installing Modules page. \n Optionale Module: Top Navigation, Sitemap, Contact, Gallery.\n \n ',
+ runwayWhatIsRunway: "Was ist 'Runway'?",
+ step1: 'Schritt 1/5 Lizenz',
+ step2: 'Schritt 2/5: Datenbank',
+ step3: 'Schritt 3/5: Dateiberechtigungen',
+ step4: 'Schritt 4/5: Sicherheit',
+ step5: 'Schritt 5/5: Umbraco ist startklar!',
+ thankYou: 'Vielen Dank, dass Sie Umbraco installieren!',
+ theEndBrowseSite:
+ '
Zur neuen Seite
Sie haben Runway installiert, schauen Sie sich doch mal auf Ihrer Website um.',
+ theEndFurtherHelp:
+ '
Weitere Hilfe und Informationen
Hilfe von unserer preisgekrönten Community, Dokumentation und kostenfreie Videos, wie Sie eine einfache Website erstellen, ein Packages nutzen und eine schnelle Einführung in alle Umbraco-Begriffe',
+ theEndHeader: 'Umbraco %0% wurde installiert und kann verwendet werden',
+ theEndInstallSuccess: 'Sie können sofort starten, in dem Sie auf "Umbraco starten" klicken.',
+ theEndOpenUmbraco:
+ '
Umbraco starten
Um Ihre Website zu verwalten, öffnen Sie einfach den Administrationsbereich und beginnen Sie damit, Inhalte hinzuzufügen sowie Vorlagen und Stylesheets zu bearbeiten oder neue Funktionen einzurichten',
+ Unavailable: 'Verbindung zur Datenbank fehlgeschlagen.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ watch: 'Anschauen',
+ welcomeIntro:
+ 'Dieser Assistent führt Sie durch die Einrichtung einer neuen Installation von Umbraco %0% oder einem Upgrade von Version 3.0.
Klicken Sie auf weiter, um zu beginnen.',
+ },
+ language: {
+ cultureCode: 'Kode der Kultur',
+ displayName: 'Name der Kultur',
+ },
+ lockout: {
+ lockoutWillOccur: 'Sie haben keine Tätigkeiten mehr durchgeführt und werden automatisch abgemeldet in',
+ renewSession: 'Erneuern Sie, um Ihre Arbeit zu speichern ...',
+ },
+ login: {
+ greeting0: 'Willkommen',
+ greeting1: 'Willkommen',
+ greeting2: 'Willkommen',
+ greeting3: 'Willkommen',
+ greeting4: 'Willkommen',
+ greeting5: 'Willkommen',
+ greeting6: 'Willkommen',
+ instruction: 'Hier anmelden:',
+ signInWith: 'Anmelden mit',
+ timeout: 'Sitzung abgelaufen',
+ bottomText:
+ '
',
+ forgottenPassword: 'Kennwort vergessen?',
+ forgottenPasswordInstruction:
+ 'Es wird eine E-Mail mit einem Kennwort-Zurücksetzen-Link an die angegebene Adresse geschickt.',
+ requestPasswordResetConfirmation:
+ 'Es wird eine E-Mail mit Anweisungen zum Zurücksetzen des Kennwortes an die angegebene Adresse geschickt sofern diese im Datenbestand gefunden wurde.',
+ showPassword: 'Kennwort zeigen',
+ hidePassword: 'Kennwort verbergen',
+ returnToLogin: 'Zurück zur Anmeldung',
+ setPasswordInstruction: 'Bitte wählen Sie ein neues Kennwort',
+ setPasswordConfirmation: 'Ihr Kennwort wurde aktualisiert',
+ resetCodeExpired: 'Der aufgerufene Link ist ungültig oder abgelaufen',
+ resetPasswordEmailCopySubject: 'Umbraco: Kennwort zurücksetzen',
+ resetPasswordEmailCopyFormat:
+ "\n\n\t\n\t\t\n\t\t\n\t\n\t\n\t\t\n\t\t
\n\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t
\n\t\t\t
\n\t\t
\n\t\t
\n\t\t\t
\n\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t \n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\tDas Zurücksetzen Ihres Kennwortes wurde angefordert\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\tIhr Benutzername für das Umbraco-Administration lautet: %0%\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\n\n\t",
+ },
+ main: {
+ dashboard: 'Dashboard',
+ sections: 'Bereiche',
+ tree: 'Inhalt',
+ },
+ moveOrCopy: {
+ choose: 'Bitte Element auswählen ...',
+ copyDone: '%0% wurde nach %1% kopiert',
+ copyTo: 'Bitte wählen Sie, wohin das Element %0% kopiert werden soll:',
+ moveDone: '%0% wurde nach %1% verschoben',
+ moveTo: 'Bitte wählen Sie, wohin das Element %0% verschoben werden soll:',
+ nodeSelected: "wurde als das Ziel ausgewählt. Bestätigen mit 'Ok'.",
+ noNodeSelected:
+ 'Es ist noch kein Element ausgewählt. Bitte wählen Sie ein Element aus der Liste aus, bevor Sie fortfahren.',
+ notAllowedByContentType:
+ 'Das aktuelle Element kann aufgrund seines Dokumenttyps nicht an diese Stelle verschoben werden.',
+ notAllowedByPath: 'Das ausgewählte Element kann nicht zu einem seiner eigenen Unterelemente verschoben werden.',
+ notAllowedAtRoot: 'Dieses Element kann nicht auf der obersten Ebene platziert werden.',
+ notValid:
+ 'Diese Aktion ist nicht erlaubt, da Sie unzureichende Berechtigungen für mindestens ein untergeordnetes Element haben.',
+ relateToOriginal: 'Kopierte Elemente mit dem Original verknüpfen',
+ },
+ notifications: {
+ editNotifications: "Bearbeiten Sie Ihre Benachrichtigungseinstellungen für '%0%'",
+ notificationsSavedFor: "Benachrichtigungseinstellungen wurden gesichert für '%0%'",
+ notifications: 'Benachrichtigungen',
+ },
+ packager: {
+ actions: 'Aktionen',
+ created: 'Angelegt',
+ createPackage: 'Neues Paket',
+ chooseLocalPackageText:
+ '\n Wählen Sie ein Paket auf Ihrem lokalen Computer über "Datei auswählen" aus. \n Umbraco-Pakete besitzen üblicherweise die Dateiendungen ".umb" oder ".zip".\n ',
+ deletewarning: 'Diese Aktion entfernt das Paket',
+ includeAllChildNodes: 'Alle Unterknoten einschließen',
+ installed: 'Installiert',
+ installedPackages: 'Installierte Pakete',
+ noConfigurationView: 'Diese Paket hat keine Einstellungen',
+ noPackagesCreated: 'Es wurden noche keine Pakete angelegt',
+ noPackages: 'Sie haben keine Pakete installiert',
+ noPackagesDescription:
+ "\n Sie haben keine Pakete installiert.\n Sie können entweder ein Paket von Ihrem Computer wählen oder suchen in den vorhandenen Paketen (via Klick auf Bildsymbol\n 'Pakete' rechts, oben), um es zu installieren\n ",
+ packageContent: 'Paketinhalt',
+ packageLicense: 'Lizenz',
+ packageSearch: 'Paket suchen',
+ packageSearchResults: 'Ergebnis(se) für',
+ packageNoResults: 'Keine Ergebnisse für',
+ packageNoResultsDescription: 'Bitte versuchen Sie einen anderen Begriff oder stöbern Sie in den Kategorien',
+ packagesPopular: 'Beliebt',
+ packagesNew: 'Neue Veröffentlichungen',
+ packageHas: 'hat',
+ packageKarmaPoints: 'Karma Punkte',
+ packageInfo: 'Information',
+ packageOwner: 'Besitzer',
+ packageContrib: 'Beitragende',
+ packageCreated: 'Angelegt',
+ packageCurrentVersion: 'Aktuelle Version',
+ packageNetVersion: '.NET Version',
+ packageDownloads: 'Heruntergeladenes',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Kompatibilität',
+ packageCompatibilityDescription:
+ '\n Dieses Paket ist nach Berichten von Community-Mitgliedern mit folgenden Umbraco-Version kompatibel.\n Es kann keine vollständige Kompatibilität garantiert werden für Versionen mit weniger als 100% Bewertungen.\n ',
+ packageExternalSources: 'Externe Quellen',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Dokumentation',
+ packageMetaData: 'Paket-Meta-Daten',
+ packageName: 'Name des Pakets',
+ packageNoItemsHeader: 'Paket enthält keine Elemente',
+ packageNoItemsText:
+ 'Die Paket-Datei enthält keine Elemente die deinstalliert werden können.
\n Sie können das Paket ohne Gefahr deinstallieren indem Sie "Paket deinstallieren" anklicken.',
+ packageOptions: 'Paket-Optionen',
+ packageReadme: 'Informationen zum Paket',
+ packageRepository: 'Paket-Repository',
+ packageUninstallConfirm: 'Deinstallation bestätigen',
+ packageUninstalledHeader: 'Paket wurde deinstalliert',
+ packageUninstalledText: 'Das Paket wurde erfolgreich deinstalliert',
+ packageUninstallHeader: 'Paket deinstallieren',
+ packageUninstallText:
+ 'Sie können einzelne Elemente, die Sie nicht deinstallieren möchten, unten abwählen.\n Wenn Sie "Deinstallation bestätigen" klicken, werden alle markierten Elemente entfernt. \n Achtung: alle Dokumente, Medien, etc, die von den zu entfernenden Elementen abhängen,\n werden nicht mehr funktionieren und im Zweifelsfall kann dass gesamte CMS instabil werden.\n Bitte deinstallieren Sie also mit Vorsicht. Falls Sie unsicher sind, kontaktieren Sie den Autor des Pakets.',
+ packageVersion: 'Paketversion',
+ verifiedToWorkOnUmbracoCloud: 'Bestätigt auf Umbraco Cloud zu funktioneren',
+ },
+ paste: {
+ doNothing: 'Einfügen mit Formatierung (Nicht empfohlen)',
+ errorMessage:
+ 'Der Text, den Sie einfügen möchten, enthält Sonderzeichen oder spezielle Formatierungen. Dies kann zum Beispiel beim Kopieren aus Microsoft Word heraus passieren. Umbraco kann Sonderzeichen und spezielle Formatierungen automatisch entfernen, damit der eingefügte Inhalt besser für die Veröffentlichung im Web geeignet ist.',
+ removeAll: 'Als reinen Text ohne jede Formatierung einfügen',
+ removeSpecialFormattering: 'Einfügen, aber Formatierung bereinigen (Empfohlen)',
+ },
+ publicAccess: {
+ paGroups: 'Rollenbasierter Zugriffschutz',
+ paGroupsHelp: 'Wenn Sie rollenbasierte Authentifikation mit Umbraco-Mitgliedsgruppen verwenden wollen.',
+ paGroupsNoGroups:
+ 'Sie müssen zuerst eine Mitgliedsgruppe erstellen, bevor derrollenbasierte Zugriffschutz aktiviert werden kann.',
+ paErrorPage: 'Fehlerseite',
+ paErrorPageHelp:
+ 'Seite mit Fehlermeldung (Benutzer-Login erfolgt, aber keinen Zugriff auf die aufgerufene Seite erlaubt)',
+ paHowWould: 'Bitte wählen Sie, auf welche Art der Zugriff auf diese Seite geschützt werden soll',
+ paIsProtected: '%0% ist nun zugriffsgeschützt',
+ paIsRemoved: 'Zugriffsschutz von %0% entfernt',
+ paLoginPage: 'Login-Seite',
+ paLoginPageHelp: 'Seite mit Login-Formular',
+ paRemoveProtection: 'Zugriffsschutz entfernen',
+ paRemoveProtectionConfirm: '\n Möchten Sie den Schutz der Seite %0% wirklich entfernen?\n ',
+ paSelectPages: 'Auswahl der Seiten, die das Login-Formular und die Fehlermeldung enthalten',
+ paSelectGroups: ' haben sollen\n ',
+ paSelectMembers: 'Wählen Sie die Mitglieder, die Zugriff auf Seite %0% haben sollen.',
+ paMembers: 'Mitglieder basierte Zugriffsberechtigung',
+ paMembersHelp: 'Falls Sie Mitglieder basierte Zugriffsberechtigung gewähren wollen',
+ },
+ publish: {
+ invalidPublishBranchPermissions:
+ 'Die Zugriffsrechte des Benutzers sind ungenügend, um alle Unterknoten zu veröffentlichen',
+ contentPublishedFailedIsTrashed:
+ '\n %0% konnte nicht veröffentlicht werden, weil das Element im Papierkorb ist.\n ',
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% kann nicht veröffentlicht werden, da die Veröffentlichung zeitlich geplant ist.\n ',
+ contentPublishedFailedExpired:
+ '\n %0% konnte nicht veröffentlicht werden, weil das Element abgelaufen ist.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% konnte nicht veröffentlicht werden, weil einige Eigenschaften ungültig sind.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% konnte nicht veröffentlicht werden, da ein Plug-In die Aktion abgebrochen hat.\n ',
+ contentPublishedFailedByParent:
+ '\n %0% kann nicht veröffentlicht werden, da das übergeordnete Dokument nicht veröffentlicht ist.\n ',
+ includeUnpublished: 'Unveröffentlichte Unterelemente einschließen',
+ inProgress: 'Bitte warten, Veröffentlichung läuft...',
+ inProgressCounter: '%0% Elemente veröffentlicht, %1% Elemente ausstehend ...',
+ nodePublish: '%0% wurde veröffentlicht',
+ nodePublishAll: '%0% und die untergeordneten Elemente wurden veröffentlicht',
+ publishAll: '%0% und alle untergeordneten Elemente veröffentlichen',
+ publishHelp:
+ '\n Klicken Sie Sichern und Veröffentlichen, um %0% zu veröffentlicht und auf der Website sichtbar zu machen.
\n Sie können dieses Element mitsamt seinen untergeordneten Elementen veröffentlichen, indem Sie Unveröffentlichte Unterelemente einschließen markieren.\n ',
+ },
+ colorpicker: {
+ noColors: 'Sie haben keine freigegeben Farben konfiguriert',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Sie können nur Elemente folgender Typen wählen: %0%',
+ pickedTrashedItem: 'Sie haben ein entferntes oder im Papierkorb befindliches Inhaltselement ausgewählt',
+ pickedTrashedItems: 'Sie haben entfernte oder im Papierkorb befindliche Inhaltselemente ausgewählt',
+ },
+ mediaPicker: {
+ deletedItem: 'Element entfernen',
+ pickedTrashedItem: 'Sie haben ein entferntes oder im Papierkorb befindliches Medienelement ausgewählt',
+ pickedTrashedItems: 'Sie haben entfernte oder im Papierkorb befindliche medienelemente ausgewählt',
+ trashed: 'Verworfen',
+ openMedia: 'Medien öffnen',
+ changeMedia: 'Medientyp ändern',
+ editMediaEntryLabel: 'Ändere %0% auf %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Erstellen abbrechen?',
+ confirmCancelMediaEntryCreationMessage: 'Sind Sie sich sicher das Sie das Erstellen abbrechen wollen?',
+ confirmCancelMediaEntryHasChanges:
+ 'Sie haben Änderungen an diesem Inhalt vorgenommen. Sind Sie sich sicher das Sie\n diese verwerfen wollen?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Alle Medien löschen?',
+ tabClipboard: 'Clipboard',
+ notAllowed: 'Nicht erlaubt',
+ openMediaPicker: 'Medienpicker öffnen',
+ },
+ propertyEditorPicker: {
+ title: 'Wählen Sie einen Editor',
+ openPropertyEditorPicker: 'Editor auswählen',
+ },
+ relatedlinks: {
+ enterExternal: 'Externen Link eingeben',
+ chooseInternal: 'Internen Link auswählen',
+ caption: 'Beschriftung',
+ link: 'Link',
+ newWindow: 'In neuem Fenster öffnen',
+ captionPlaceholder: 'Bezeichnung eingeben',
+ externalLinkPlaceholder: 'Link eingeben',
+ },
+ imagecropper: {
+ reset: 'Zurücksetzen',
+ updateEditCrop: 'Fertig',
+ undoEditCrop: 'Rückgängig machen',
+ customCrop: 'Benutzer definiert',
+ },
+ rollback: {
+ changes: 'Änderungen',
+ created: 'Erstellt',
+ headline: 'Wählen Sie eine Version, um diese mit der aktuellen zu vergleichen',
+ currentVersion: 'Aktuelle Version',
+ diffHelp:
+ 'Zeigt die Unterschiede zwischen der aktuellen und der ausgewählten Version an. Text in rot fehlen in der ausgewählten Version, grün markierter Text wurde hinzugefügt.',
+ noDiff: 'Keine Unterschiede zwischen den beiden Versionen gefunden.',
+ documentRolledBack: 'Dokument wurde zurückgesetzt',
+ htmlHelp:
+ 'Zeigt die ausgewählte Version als HTML an. Wenn Sie sich die Unterschiede zwischen zwei Versionen anzeigen lassen wollen, benutzen Sie bitte die Vergleichsansicht.',
+ rollbackTo: 'Zurücksetzen auf',
+ selectVersion: 'Version auswählen',
+ view: 'Ansicht',
+ pagination: 'Zeige Versionen von %0% zu %1% von %2% Versionen',
+ versions: 'Versionen',
+ currentDraftVersion: 'Aktulle Bearbeitungs Version',
+ currentPublishedVersion: 'Aktulle veröffentlichte Version',
+ },
+ scripts: {
+ editscript: 'Skript bearbeiten',
+ },
+ sections: {
+ content: 'Inhalte',
+ forms: 'Formulare',
+ media: 'Medien',
+ member: 'Mitglieder',
+ packages: 'Pakete',
+ settings: 'Einstellungen',
+ translation: 'Übersetzung',
+ users: 'Benutzer',
+ },
+ help: {
+ tours: 'Touren',
+ theBestUmbracoVideoTutorials: 'Die besten Umbraco-Video-Tutorials',
+ umbracoForum: 'Besuche our.umbraco.com',
+ umbracoTv: 'Besuche umbraco.tv',
+ umbracoLearningBase: 'Schaue gratis Tutorials',
+ umbracoLearningBaseDescription: 'von Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Standardvorlage',
+ importDocumentTypeHelp:
+ 'Wählen Sie die lokale .udt-Datei aus, die den zu importierenden Dokumenttyp enthält und fahren Sie mit dem Import fort. Die endgültige Übernahme erfolgt im Anschluss erst nach einer weiteren Bestätigung.',
+ newtabname: 'Beschriftung der neuen Registerkarte',
+ nodetype: 'Elementtyp',
+ objecttype: 'Typ',
+ stylesheet: 'Stylesheet',
+ script: 'Skript',
+ tab: 'Registerkarte',
+ tabname: 'Registerkartenbeschriftung',
+ tabs: 'Registerkarten',
+ contentTypeEnabled: 'Masterdokumenttyp aktiviert',
+ contentTypeUses: 'Dieser Dokumenttyp verwendet',
+ noPropertiesDefinedOnTab:
+ 'Für dieses Register sind keine Eigenschaften definiert. Klicken Sie oben auf "neue Eigenschaft hinzufügen", um eine neue Eigenschaft hinzuzufügen.',
+ createMatchingTemplate: 'Zugehörige Vorlage anlegen',
+ addIcon: 'Bildsymbol hinzufügen',
+ },
+ sort: {
+ sortOrder: 'Sortierreihenfolge',
+ sortCreationDate: 'Erstellungsdatum',
+ sortDone: 'Sortierung abgeschlossen.',
+ sortHelp: 'Ziehen Sie die Elemente an ihre gewünschte neue Position.',
+ sortPleaseWait: 'Bitte warten, die Seiten werden sortiert. Das kann einen Moment dauern.',
+ sortEmptyState: 'Dieser Knoten hat keine Unterknoten zum Sortieren',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validierung',
+ validationFailedMessage: 'Validierungsfehler müssen behoben werden, bevor das Element gesichert werden kann',
+ operationFailedHeader: 'Fehlgeschlagen',
+ operationSavedHeader: 'Gesichert',
+ invalidUserPermissionsText: 'Unzureichende Benutzerberechtigungen. Vorgang kann nicht abgeschlossen werden.',
+ operationCancelledHeader: 'Abgebrochen',
+ operationCancelledText: 'Vorgang wurde durch eine benutzerdefinierte Erweiterung abgebrochen',
+ contentTypeDublicatePropertyType: 'Eigenschaft existiert bereits',
+ contentTypePropertyTypeCreated: 'Eigenschaft erstellt',
+ contentTypePropertyTypeCreatedText: 'Name: %0% Datentyp: %1%',
+ contentTypePropertyTypeDeleted: 'Eigenschaft gelöscht',
+ contentTypeSavedHeader: 'Dokumenttyp gespeichert',
+ contentTypeTabCreated: 'Registerkarte erstellt',
+ contentTypeTabDeleted: 'Registerkarte gelöscht',
+ contentTypeTabDeletedText: 'Registerkarte %0% gelöscht',
+ cssErrorHeader: 'Stylesheet wurde nicht gespeichert',
+ cssSavedHeader: 'Stylesheet gespeichert',
+ cssSavedText: 'Stylesheet erfolgreich gespeichert',
+ dataTypeSaved: 'Datentyp gespeichert',
+ dictionaryItemSaved: 'Wörterbucheintrag gespeichert',
+ editContentPublishedHeader: 'Inhalt veröffentlicht',
+ editContentPublishedText: 'und ist auf der Website sichtbar',
+ editMultiContentPublishedText: '%0% Documente veröffentlicht und auf der Website sichtbar',
+ editVariantPublishedText: '%0% veröffentlicht und auf der Website sichtbar',
+ editMultiVariantPublishedText: '%0% Documente veröffentlicht in Sprache %1% und auf der Website sichtbar',
+ editContentSavedHeader: 'Inhalte gespeichert',
+ editContentSavedText: 'Denken Sie daran, die Inhalte zu veröffentlichen, um die Änderungen sichtbar zu machen',
+ editContentScheduledSavedText: 'Der Termin für die Veröffentlichung wurde geändert',
+ editVariantSavedText: '%0% gesichert',
+ editContentSendToPublish: 'Zur Abnahme eingereicht',
+ editContentSendToPublishText: 'Die Änderungen wurden zur Abnahme eingereicht',
+ editVariantSendToPublishText: '%0% Änderungen wurden zur Abnahme eingereicht',
+ editMediaSaved: 'Medium gespeichert',
+ editMediaSavedText: 'Medium fehlerfrei gespeichert',
+ editMemberSaved: 'Mitglied gespeichert',
+ editStylesheetPropertySaved: 'Stylesheet-Regel gespeichert',
+ editStylesheetSaved: 'Stylesheet gespeichert',
+ editTemplateSaved: 'Vorlage gespeichert',
+ editUserError: 'Fehler beim Speichern des Benutzers.',
+ editUserSaved: 'Benutzer gespeichert',
+ editUserTypeSaved: 'Benutzertyp gepsichert',
+ editUserGroupSaved: 'Benutzergruppe gepsichert',
+ fileErrorHeader: 'Datei wurde nicht gespeichert',
+ fileErrorText: 'Datei konnte nicht gespeichert werden. Bitte überprüfen Sie die Schreibrechte auf Dateiebene.',
+ fileSavedHeader: 'Datei gespeichert',
+ fileSavedText: 'Datei erfolgreich gespeichert',
+ languageSaved: 'Sprache gespeichert',
+ mediaTypeSavedHeader: 'Medientyp gespeichert',
+ memberTypeSavedHeader: 'Mitgliedertyp gespeichert',
+ memberGroupSavedHeader: 'Mitgliedergruppe gespeichert',
+ templateErrorHeader: 'Vorlage wurde nicht gespeichert',
+ templateErrorText: 'Bitte prüfen Sie, ob möglicherweise zwei Vorlagen den gleichen Alias verwenden.',
+ templateSavedHeader: 'Vorlage gespeichert',
+ templateSavedText: 'Vorlage erfolgreich gespeichert!',
+ contentUnpublished: 'Veröffentlichung des Inhalts aufgehoben',
+ contentCultureUnpublished: 'Inhaltsvariante %0% unveröffentlicht',
+ contentMandatoryCultureUnpublished:
+ "Die Veröffentlichung der Pflichtsprache '%0%' wurde zurück genommen. Das gleiche gilt für alle Sprachen dieses Inhalts.",
+ partialViewSavedHeader: 'Partielle Ansicht gespeichert',
+ partialViewSavedText: 'Partielle Ansicht ohne Fehler gespeichert.',
+ partialViewErrorHeader: 'Partielle Ansicht nicht gespeichert',
+ partialViewErrorText: 'Fehler beim Speichern der Datei.',
+ permissionsSavedFor: 'Berechtigungen gesichert für',
+ deleteUserGroupsSuccess: '%0% Benutzergruppen entfernt',
+ deleteUserGroupSuccess: '%0% wurde entfernt',
+ enableUsersSuccess: '%0% Benutzer aktiviert',
+ disableUsersSuccess: '%0% Benutzer deaktiviert',
+ enableUserSuccess: '%0% ist jetzt aktiviert',
+ disableUserSuccess: '%0% ist jetzt deaktiviert',
+ setUserGroupOnUsersSuccess: 'Benutzergruppen wurden gesetzt',
+ unlockUsersSuccess: '%0% Benutzer freigegeben',
+ unlockUserSuccess: '%0% ist jetzt freigegeben',
+ memberExportedSuccess: 'Mitglied wurde in Datei exportiert',
+ memberExportedError: 'Beim Exportieren des Mitglieds trat ein Fehler auf',
+ deleteUserSuccess: 'Benutzer %0% wurde entfernt',
+ resendInviteHeader: 'Benutzer einladen',
+ resendInviteSuccess: 'Einladung wurde erneut an %0% geschickt',
+ contentReqCulturePublishError:
+ "Das Dokument kann nicht veröffentlicht werden, solange '%0%' nicht veröffentlicht wurde",
+ contentCultureValidationError: "Validierung fehlgeschlagen für Sprache '%0%'",
+ documentTypeExportedSuccess: 'Dokumenttyp wurde in eine Datei exportiert',
+ documentTypeExportedError: 'Beim Exportieren des Dokumenttyps trat ein Fehler auf',
+ scheduleErrReleaseDate1: 'Das Veröffentlichungsdatum kann nicht in der Vergangenheit liegen',
+ scheduleErrReleaseDate2:
+ "Die Veröffentlichung kann nicht eingeplant werden, solange '%0%' (benötigt) nicht veröffentlicht wurde",
+ scheduleErrReleaseDate3:
+ "Die Veröffentlichung kann nicht eingeplant werden, solange '%0%' (benötigt) ein späteres Veröffentlichungsdatum hat als eine optionale Sprache",
+ scheduleErrExpireDate1: 'Das Ablaufdatum darf nicht in der Vergangenheit liegen',
+ scheduleErrExpireDate2: 'Das Ablaufdatum darf nicht vor dem Veröffentlichungsdatum liegen',
+ },
+ stylesheet: {
+ addRule: 'Neuer Stil',
+ editRule: 'Stil bearbeiten',
+ editorRules: 'Rich text editor Stile',
+ editorRulesHelp: 'Definiere die Styles, die im Rich-Text-Editor dieses Stylesheets verfügbar sein sollen.',
+ editstylesheet: 'Stylesheet bearbeiten',
+ editstylesheetproperty: 'Stylesheet-Regel bearbeiten',
+ nameHelp: 'Bezeichnung im Auswahlmenü des Rich-Text-Editors ',
+ preview: 'Vorschau',
+ previewHelp: 'So wird der Text im Rich-Text-Editor aussehen.',
+ selector: 'Selector',
+ selectorHelp: 'Benutze CSS Syntax, z. B.: "h1" oder ".redHeader"',
+ styles: 'Stile',
+ stylesHelp: 'Die CSS-Auszeichnungen, die im Rich-Text-Editor verwendet werden soll, z. B.: "color:red;"',
+ tabCode: 'Kode',
+ tabRules: 'Rich Text Editor',
+ },
+ template: {
+ deleteByIdFailed: 'Beim Entfernen der Vorlage mit Id %0% trat ein Fehler auf',
+ edittemplate: 'Vorlage bearbeiten',
+ insertSections: 'Bereich',
+ insertContentArea: 'Platzhalter-Bereich verwenden',
+ insertContentAreaPlaceHolder: 'Platzhalter einfügen',
+ insert: 'Einfügen',
+ insertDesc: 'Wählen Sie, was in die Vorlage eingefügt werden soll',
+ insertDictionaryItem: 'Wörterbucheintrag einfügen',
+ insertDictionaryItemDesc:
+ 'Ein Wörterbuchelement ist ein Platzhalter für lokalisierbaren Text. Das macht es einfach mehrsprachige Websites zu gestalten.',
+ insertMacro: 'Makro',
+ insertMacroDesc:
+ '\n Ein Makro ist eine konfigurierbare Komponente, die großartig\n für wiederverwendbare Teile Ihres Entwurfes sind,\n für welche Sie optionale Parameter benötigen, wie z. B. Galerien, Formulare oder Listen.\n ',
+ insertPageField: 'Umbraco-Feld',
+ insertPageFieldDesc:
+ '\n Zeigt den Wert eines benannten Feldes der aktuellen Seite an, mit der Möglichkeit den Wert zu verändern\n oder einen alternativen Ersatzwert zu wählen.\n ',
+ insertPartialView: 'Teilansicht (Partial View)',
+ insertPartialViewDesc:
+ '\n Eine Teilansicht ist eine eigenständige Vorlagen-Datei, die innerhalb einer anderen Vorlage verwendet werden kann.\n Sie ist gut geeignet, um "Markup"-Kode wiederzuverwenden oder komplexe Vorlagen in mehrere Dateien aufzuteilen.\n ',
+ mastertemplate: 'Basisvorlage',
+ noMaster: 'Keine Basis',
+ renderBody: 'Untergeordnete Vorlage einfügen',
+ renderBodyDesc:
+ '\n Verarbeitet den Inhalt einer untergeordneten Vorlage durch\n Einfügen eines @RenderBody() Platzhalters.\n ',
+ defineSection: 'Definiert einen benannten Bereich',
+ defineSectionDesc:
+ '\n Definiert einen Teil Ihrer Vorlage als benannten Bereich durch Umschließen mit @section { ... }.\n Dieser benannte Bereich kann in der übergeordneten Vorlage\n durch Verwendung von @RenderSection eingefügt werden.\n ',
+ renderSection: 'Füge einen benannten Bereich ein',
+ renderSectionDesc:
+ '\n Fügt einen benannten Bereich einer untergeordneten Vorlage durch Verwendung des Platzhalters @RenderSection(name) ein.\n Dies verarbeitet einen benannten Bereich einer untergeordneten Vorlage, der mit @section [name]{ ... } umschlossen, definiert wurde.\n ',
+ sectionName: 'Bereichsname',
+ sectionMandatory: 'Bereich ist notwendig',
+ sectionMandatoryDesc:
+ '\n Wenn notwendig, dann muss die untergeordnete Vorlage eine @section Definition gleichen Namens enthalten,\n anderfalls tritt ein Fehler auf.\n ',
+ queryBuilder: 'Abfrage-Generator',
+ itemsReturned: 'zurückgegebene Elemente, in',
+ iWant: 'Ich möchte',
+ allContent: 'den ganzen Inhalt',
+ contentOfType: 'Inhalt vom Typ "%0%"',
+ from: 'von',
+ websiteRoot: 'meiner website',
+ where: 'wobei',
+ and: 'und',
+ is: 'ist',
+ isNot: 'ist nicht',
+ before: 'vor',
+ beforeIncDate: 'vor (inkl. gewähltes Datum)',
+ after: 'nach',
+ afterIncDate: 'nach (inkl. gewähltes Datum)',
+ equals: 'gleich',
+ doesNotEqual: 'ungleich',
+ contains: 'enthält',
+ doesNotContain: 'ohne',
+ greaterThan: 'größer als',
+ greaterThanEqual: 'größer als oder gleich',
+ lessThan: 'weniger als',
+ lessThanEqual: 'weniger als oder gleich',
+ id: 'Id',
+ name: 'Name',
+ createdDate: 'Datum der Erzeugung',
+ lastUpdatedDate: 'Datum der letzten Aktualisierung',
+ orderBy: 'sortiert nach',
+ ascending: 'aufsteigend',
+ descending: 'absteigend',
+ template: 'Vorlage',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Neues Element',
+ chooseLayout: 'Layout auswählen',
+ addRows: 'Neue Zeile',
+ addElement: 'Neuer Inhalt',
+ dropElement: 'Inhalt entfernen',
+ settingsApplied: 'Einstellungen anwenden',
+ contentNotAllowed: 'Dieser Inhalt ist hier nicht zugelassen',
+ contentAllowed: 'Dieser Inhalt ist hier zugelassen',
+ clickToEmbed: 'Klicken, um Inhalt einzubetten',
+ clickToInsertImage: 'Klicken, um Abbildung einzufügen',
+ placeholderWriteHere: 'Hier schreiben ...',
+ gridLayouts: 'Layouts',
+ gridLayoutsDetail:
+ 'Layouts sind die grundlegenden Arbeitsflächen für das Gestaltungsraster. Üblicherweise sind nicht mehr als ein oder zwei Layouts nötig.',
+ addGridLayout: 'Layout hinzufügen',
+ addGridLayoutDetail: 'Passen Sie das Layout an, indem Sie die Spaltenbreiten einstellen und Abschnitte hinzufügen.',
+ rowConfigurations: 'Einstellungen für das Zeilenlayout',
+ rowConfigurationsDetail: 'Zeilen sind vordefinierte horizontale Zellenanordnungen',
+ addRowConfiguration: 'Zeilenlayout hinzufügen',
+ addRowConfigurationDetail:
+ 'Passen Sie das Zeilenlayout an, indem Sie die Zellenbreite einstellen und Zellen hinzufügen.',
+ columns: 'Spalten',
+ columnsDetails: 'Insgesamte Spaltenanzahl im Layout',
+ settings: 'Einstellungen',
+ settingsDetails: 'Legen Sie fest, welche Einstellungen die Autoren anpassen können.',
+ styles: 'CSS-Stile',
+ stylesDetails: 'Legen Sie fest, welche Stile die Autoren anpassen können.',
+ allowAllEditors: 'Alle Elemente erlauben',
+ allowAllRowConfigurations: 'Alle Zeilenlayouts erlauben',
+ maxItems: 'Maximal erlaubte Elemente',
+ maxItemsDescription: 'Leer lassen oder auf 0 setzen für unbegrenzt',
+ setAsDefault: 'Als Standard setzen',
+ chooseExtra: 'Extra wählen',
+ chooseDefault: 'Standard wählen',
+ areAdded: 'wurde hinzugefügt',
+ },
+ contentTypeEditor: {
+ compositions: 'Mischungen',
+ group: 'Gruppe',
+ noGroups: 'Sie haben keine Gruppen hinzugefügt',
+ addGroup: 'Gruppe hinzufügen',
+ inheritedFrom: 'Übernimm von',
+ addProperty: 'Eigenschaft hinzufügen',
+ requiredLabel: 'Notwendige Bezeichnung',
+ enableListViewHeading: 'Listenansicht aktivieren',
+ enableListViewDescription:
+ '\n Konfiguriert die Verwendung einer sortier- und filterbaren Listenansicht der Unterknoten für diesen Dokumenttyp.\n Die Unterknoten werden nicht in Baumstruktur angezeigt.\n ',
+ allowedTemplatesHeading: 'Erlaubte Vorlagen',
+ allowedTemplatesDescription:
+ '\n Wählen Sie die Vorlagen, die Editoren für diesen Dokumenttyp wählen dürfen\n ',
+ allowAsRootHeading: 'Als Wurzelknoten zulassen',
+ allowAsRootDescription:
+ '\n Ermöglicht es Editoren diesen Dokumenttyp in der obersten Ebene der Inhalt-Baum-Strukur zu wählen\n ',
+ childNodesHeading: 'Erlaubte Dokumenttypen für Unterknoten',
+ childNodesDescription:
+ '\n Erlaubt es Inhalt der angegebenen Typen unterhalb Inhalten dieses Typs anzulegen\n ',
+ chooseChildNode: 'Wählen Sie einen Unterknoten',
+ compositionsDescription:
+ 'Übernimm Tabs und Eigenschaften vone einem vorhandenen Inhaltstyp. Neue Tabs werden zum vorliegenden Inhaltstyp hinzugefügt oder mit einem gleichnamigen Tab zusammengeführt.',
+ compositionInUse:
+ 'Dieser Inhaltstyp wird in einer Mischung verwendet und kann deshalb nicht selbst zusammengemischt werden.',
+ noAvailableCompositions: 'Es sind keine Inhaltstypen für eine Mischung vorhanden.',
+ availableEditors: 'Neu anlegen',
+ reuse: 'Vorhandenen nutzen',
+ editorSettings: 'Editor-Einstellungen',
+ configuration: 'Konfiguration',
+ yesDelete: 'Ja, entferne',
+ movedUnderneath: 'wurde verschoben unter',
+ copiedUnderneath: 'wurde kopiert unter',
+ folderToMove: 'Wähle den Ordner in den verschoben wird',
+ folderToCopy: 'Wähle den Ordner in den kopiert wird',
+ structureBelow: 'in der untenstehenden Baumstruktur',
+ allDocumentTypes: 'Alle Dokumenttypen',
+ allDocuments: 'Alle Inhalte',
+ allMediaItems: 'Alle Medien',
+ usingThisDocument:
+ 'welche auf diesem Dokumenttyp beruhen, werden unwiderruflich entfernt, bitte bestätigen Sie, dass diese ebenfalls entfernt werden sollen.',
+ usingThisMedia:
+ 'welche auf diesem Medientyp beruhen, werden unwiderruflich entfernt, bitte bestätigen Sie, dass diese ebenfalls entfernt werden sollen.',
+ usingThisMember:
+ 'welche auf diesem Mitgliedstyp beruhen, werden unwiderruflich entfernt, bitte bestätigen Sie, dass diese ebenfalls entfernt werden sollen.',
+ andAllDocuments: 'und alle Inhalte, die auf diesem Typ basieren',
+ andAllMediaItems: 'und alle Medienelemente, die auf diesem Typ basieren',
+ andAllMembers: 'und alle Mitglieder, die auf diesem Typ basieren',
+ memberCanEdit: 'Mitglied kann bearbeiten',
+ memberCanEditDescription: 'Diese Eigenschaft zur Bearbeitung des Mitglieds auf seiner Profileseite freigeben',
+ isSensitiveData: 'sensibelle Daten',
+ isSensitiveDataDescription:
+ 'Diese Eigenschaft für Editoren, die keine Berechtigung für sensibelle Daten haben, verbergen',
+ showOnMemberProfile: 'Auf Mitgliedsprofil anzeigen',
+ showOnMemberProfileDescription:
+ 'Diesen Eigenschaftswert für die Anzeige auf der Profilseite des Mitglieds zulassen',
+ tabHasNoSortOrder: 'Tab hat keine Sortierung',
+ compositionUsageHeading: 'Wo wird diese Mischung verwendet?',
+ compositionUsageSpecification:
+ '\n Diese Mischung wird aktuell in den Mischungen folgender Dokumenttypen verwendet:\n ',
+ variantsHeading: 'Kultur basierte Variationen zulassen',
+ variantsDescription: 'Editoren erlauben, Inhalt dieses Typs in verschiedenen Sprachen anzulegen',
+ allowVaryByCulture: 'Kultur basierte Variationen zulassen',
+ elementHeading: 'Ist ein Elementtyp',
+ elementDescription:
+ '\n Ein Elementtyp ist z. B. für die Verwendung in Nested Content vorgesehen, nicht jedoch als Inhalt-Knoten in der Baumstruktur\n ',
+ elementDoesNotSupport: 'Dies kann nicht für Elementtypen verwendet werden',
+ },
+ languages: {
+ addLanguage: 'Sparche hinzufügen',
+ mandatoryLanguage: 'Notwendige Sprache',
+ mandatoryLanguageHelp:
+ 'Eigenschaften müssen für diese Sprache ausgefüllt sein bevor ein Knoten veröffentlicht werden kann.',
+ defaultLanguage: 'Standardsprache',
+ defaultLanguageHelp: 'Eine Umbraco site kann nur eine Standardsprache haben.',
+ changingDefaultLanguageWarning: 'Ändern der Standardsprache kann zum Fehlen von Standard-Inhalt führen.',
+ fallsbackToLabel: 'Wird ersetzt durch',
+ noFallbackLanguageOption: 'Kein Ersatzsprache',
+ fallbackLanguageDescription:
+ '\n Um mehrsprachigem Inhalt zu ermöglichen durch eine andere Sprache ersetzt zu werden,\n falls die angefragte Sprache nicht verfügbar ist, wählen Sie diese Option hier aus.\n ',
+ fallbackLanguage: 'Ersatzsprache',
+ none: 'Keine',
+ invariantPropertyUnlockHelp: '%0% wird zwischen Sprachen und Segmenten geteilt.',
+ invariantCulturePropertyUnlockHelp: '%0% wird zwischen allen Sprachen geteilt.',
+ invariantSegmentPropertyUnlockHelp: '%0% wird zwischen allen Segmenten geteilt.',
+ invariantLanguageProperty: 'Geteilt: Sprachen',
+ invariantSegmentProperty: 'Geteilt: Segmente',
+ },
+ macro: {
+ addParameter: 'Parameter hinzufügen',
+ editParameter: 'Parameter bearbeiten',
+ enterMacroName: 'Makroname vergeben',
+ parameters: 'Parameter',
+ parametersDescription: 'Definiere die Parameter, die verfügbar sein sollen, wenn dieses Makro verwendet wird.',
+ },
+ modelsBuilder: {
+ buildingModels: 'Datenmodel erzeugen',
+ waitingMessage: 'Keine Sorge, das kann eine Weile dauern',
+ modelsGenerated: 'Datenmodel erzeugt',
+ modelsGeneratedError: 'Datenmodel konnte nicht erzeugt werden',
+ modelsExceptionInUlog: 'Erzeugung des Datenmodels fehlgeschlagen, siehe Ausnahmen in den Log-Daten',
+ },
+ templateEditor: {
+ addDefaultValue: 'Standardwert hinzufügen',
+ defaultValue: 'Standardwert',
+ alternativeField: 'Alternatives Feld',
+ alternativeText: 'Alternativer Text',
+ casing: 'Groß- und Kleinschreibung',
+ encoding: 'Kodierung',
+ chooseField: 'Feld auswählen',
+ convertLineBreaks: 'Zeilenumbrüche ersetzen',
+ convertLineBreaksHelp: 'Ersetzt Zeilenumbrüche durch das HTML-Tag ',
+ customFields: 'Benutzerdefinierte Felder',
+ dateOnly: 'nur Datum',
+ formatAsDate: 'Als Datum formatieren',
+ htmlEncode: 'HTML kodieren',
+ htmlEncodeHelp: 'Wandelt Sonderzeichen in HTML-Zeichencodes um',
+ insertedAfter: 'Wird nach dem Feldinhalt eingefügt',
+ insertedBefore: 'Wird vor dem Feldinhalt eingefügt',
+ lowercase: 'Kleinbuchstaben',
+ none: 'Keine',
+ outputSample: 'Beispiel-Ausgabe',
+ postContent: 'An den Feldinhalt anhängen',
+ preContent: 'Dem Feldinhalt voranstellen',
+ recursive: 'Rekursiv',
+ recursiveDescr: 'Ja, verwende es rekursiv',
+ standardFields: 'Standardfelder',
+ uppercase: 'Großbuchstaben',
+ urlEncode: 'URL kodieren',
+ urlEncodeHelp: 'Wandelt Sonderzeichen zur Verwendung in URLs um',
+ usedIfAllEmpty: 'Wird nur verwendet, wenn beide vorgenannten Felder leer sind',
+ usedIfEmpty: 'Dieses Feld wird nur verwendet, wenn das primäre Feld leer ist',
+ withTime: 'Datum und Zeit',
+ },
+ translation: {
+ details: 'Details zur Übersetzung',
+ DownloadXmlDTD: 'Herunterladen der XML-Defintionen (XML-DTD)',
+ fields: 'Felder',
+ includeSubpages: 'Einschließlich der Unterseiten',
+ mailBody:
+ "\n Hallo %0%,\n\n das Dokument '%1%' wurde von '%2%' zur Übersetzung in '%5%' freigegeben.\n\n Zum Bearbeiten verwenden Sie bitte diesen Link: http://%3%/translation/details.aspx?id=%4%.\n\n Sie können sich auch alle anstehenden Übersetzungen gesammelt im Umbraco-Verwaltungsbereich anzeigen lassen: http://%3%/umbraco\n\n Einen schönen Tag wünscht\n Ihr freundlicher Umbraco-Robot\n\t",
+ noTranslators: 'Bitte erstellen Sie zuerst mindestens einen Übersetzer.',
+ pageHasBeenSendToTranslation: "Die Seite '%0%' wurde zur Übersetzung gesendet",
+ sendToTranslate: "Sendet die Seite '%0%' zur Übersetzung",
+ totalWords: 'Anzahl der Wörter',
+ translateTo: 'Übersetzen in',
+ translationDone: 'Übersetzung abgeschlossen.',
+ translationDoneHelp:
+ 'Sie können eine Vorschau der Seiten anzeigen, die Sie gerade übersetzt haben, indem Sie sie unten anklicken. Wenn die Originalseite zugeordnet werden kann, erhalten Sie einen Vergleich der beiden Seiten angezeigt.',
+ translationFailed: 'Übersetzung fehlgeschlagen, die XML-Datei könnte beschädigt oder falsch formatiert sein',
+ translationOptions: 'Übersetzungsoptionen',
+ translator: 'Übersetzer',
+ uploadTranslationXml: 'Hochladen der XML-Übersetzungsdatei',
+ },
+ treeHeaders: {
+ content: 'Inhalt',
+ contentBlueprints: 'Inhalt-Vorlage',
+ media: 'Medien',
+ cacheBrowser: 'Zwischenspeicher',
+ contentRecycleBin: 'Papierkorb',
+ createdPackages: 'Erstellte Pakete',
+ dataTypes: 'Datentypen',
+ dictionary: 'Wörterbuch',
+ installedPackages: 'Installierte Pakete',
+ installSkin: 'Design-Skin installieren',
+ installStarterKit: 'Starter-Kit installieren',
+ languages: 'Sprachen',
+ localPackage: 'Lokales Paket hochladen und installieren',
+ macros: 'Makros',
+ mediaTypes: 'Medientypen',
+ member: 'Mitglieder',
+ memberGroups: 'Mitgliedergruppen',
+ memberRoles: 'Mitgliederrollen',
+ memberTypes: 'Mitglieder-Typen',
+ documentTypes: 'Dokumententypen',
+ relationTypes: 'Relationstypen',
+ packager: 'Pakete',
+ packages: 'Pakete',
+ partialViews: 'Teilansicht (Partial View)',
+ partialViewMacros: 'Makro-Teilansicht(Partial View Macro Files)',
+ repositories: 'Paket-Repositories',
+ runway: "'Runway' installieren",
+ runwayModules: 'Runway-Module',
+ scripting: 'Server-Skripte',
+ scripts: 'Client-Skripte',
+ stylesheets: 'Stylesheets',
+ templates: 'Vorlagen',
+ logViewer: 'Log-Einträge anzeigen',
+ users: 'Benutzer',
+ settingsGroup: 'Einstellungen',
+ templatingGroup: 'Vorlagen',
+ thirdPartyGroup: 'Drittanbieter',
+ },
+ update: {
+ updateAvailable: 'Neues Update verfügbar',
+ updateDownloadText: '%0% verfügbar, hier klicken zum Herunterladen',
+ updateNoServer: 'Keine Verbindung zum Update-Server',
+ updateNoServerError: 'Fehler beim Überprüfen der Updates. Weitere Informationen finden Sie im Stacktrace.',
+ },
+ user: {
+ access: 'Zugang',
+ accessHelp: 'Basierend auf den zugewiesenen Gruppen und Startknoten, hat der Benutzer Zugang zu folgenden Knoten',
+ assignAccess: 'Zugang zuweisen',
+ administrators: 'Administrator',
+ categoryField: 'Feld für Kategorie',
+ createDate: 'Benutzer angelegt',
+ changePassword: 'Kennwort ändern',
+ changePhoto: 'Foto ändern',
+ emailRequired: 'Benötigt - geben Sie eine Email Adresse für diesen User an',
+ newPassword: 'Neues Kennwort',
+ newPasswordFormatLengthTip: 'Noch %0% Zeichen benötigt!',
+ newPasswordFormatNonAlphaTip: 'Es sollten mindestens %0% Sonderzeichen verwendet werden.',
+ noLockouts: 'wurde nicht ausgeschlossen',
+ noPasswordChange: 'Das Kennwort wurde nicht geändert',
+ confirmNewPassword: 'Neues Kennwort (Bestätigung)',
+ changePasswordDescription:
+ "Sie können Ihr Kennwort für den Zugriff auf den Umbraco-Verwaltungsbereich ändern, indem Sie das nachfolgende Formular ausfüllen und auf 'Kennwort ändern' klicken",
+ contentChannel: 'Schnittstelle für externe Editoren',
+ createAnotherUser: 'Weiteren Benutzer anlegen',
+ createUserHelp:
+ '\n Lege neue Benutzer an, um ihnen Zugang zum Umbraco-Back-Office zu geben.\n Während des Anlegens eines neuen Benutzer wird ein Kennwort erzeugt, das Sie dem Benutzer mitteilen können.\n ',
+ descriptionField: 'Feld für Beschreibung',
+ disabled: 'Benutzer endgültig deaktivieren',
+ documentType: 'Dokumenttyp',
+ editors: 'Editor',
+ excerptField: 'Feld für Textausschnitt',
+ failedPasswordAttempts: 'Fehlgeschlagene Anmeldeversuche',
+ goToProfile: 'Benutzerprofil aufrufen',
+ groupsHelp: 'Gruppen hinzufügen, um Zugang und Berechtigungen zuzuweisen',
+ inviteAnotherUser: 'Weitere Benutzer einladen',
+ inviteUserHelp:
+ '\n Laden Sie neue Benutzer ein, um ihnen Zugang zum Umbraco-Back-Office zu geben.\n Eine Einladungs-E-Mail wird an dem Benutzer geschickt. Diese enthält Informationen, wie sich der Benutzer im Umbraco-Back-Office anmelden kann.\n Einladungen sind 72 Stunden lang gültig.\n ',
+ language: 'Sprache',
+ languageHelp: 'Bestimmen Sie die Sprache für Menüs und Dialoge',
+ lastLockoutDate: 'Letztes Abmeldedatum',
+ lastLogin: 'Letzte Anmeldung',
+ lastPasswordChangeDate: 'letzte Änderung des Kennworts',
+ loginname: 'Benutzername',
+ mediastartnode: 'Startelement in der Medienbibliothek',
+ mediastartnodehelp: 'Beschränke die Medien-Bibliothek auf einen bestimmen Startknoten',
+ mediastartnodes: 'Medien-Startknoten',
+ mediastartnodeshelp: 'Beschränke die Medien-Bibliothek auf bestimme Startknoten',
+ modules: 'Bereiche',
+ noConsole: 'Umbraco-Back-Office sperren',
+ noLogin: 'hat sich noch nie angemeldet',
+ oldPassword: 'Altes Kennwort',
+ password: 'Kennwort',
+ resetPassword: 'Kennwort zurücksetzen',
+ passwordChanged: 'Ihr Kennwort wurde geändert!',
+ passwordConfirm: 'Bitte bestätigen Sie das neue Kennwort',
+ passwordEnterNew: 'Geben Sie Ihr neues Kennwort ein',
+ passwordIsBlank: 'Ihr neues Kennwort darf nicht leer sein!',
+ passwordCurrent: 'Aktuelles Kennwort',
+ passwordInvalid: 'Aktuelles Kennwort falsch',
+ passwordIsDifferent:
+ 'Ihr neues Kennwort und die Wiederholung Ihres neuen Kennworts stimmen nicht überein. Bitte versuchen Sie es erneut!',
+ passwordMismatch: 'Die Bestätigung Ihres Kennworts stimmt nicht mit dem angegebenen neuen Kennwort überein!',
+ permissionReplaceChildren: 'Die Berechtigungen der untergeordneten Elemente ersetzen',
+ permissionSelectedPages: 'Die Berechtigungen für folgende Seiten werden angepasst:',
+ permissionSelectPages: 'Dokumente auswählen, um deren Berechtigungen zu ändern',
+ removePhoto: 'Foto entfernen',
+ permissionsDefault: 'Normale Berechtigungen',
+ permissionsGranular: 'Detailierte Berechtigungen',
+ permissionsGranularHelp: 'Knoten basierte Berechtigungen vergeben',
+ profile: 'Profil',
+ searchAllChildren: 'Untergeordnete Elemente durchsuchen',
+ sectionsHelp: 'Bereiche hinzufügen, um Benutzern Zugang zu gewähren',
+ selectUserGroups: 'Wählen Sie Benutzergruppen',
+ noStartNode: 'Kein Startknoten ausgewählt',
+ noStartNodes: 'Keine Startknoten ausgewählt',
+ startnode: 'Startknoten in den Inhalten',
+ startnodehelp: 'Inhalt auf bestimmt Startknoten beschränken',
+ startnodes: 'Startknoten in den Inhalten',
+ startnodeshelp: 'Inhalt auf bestimmte Startknoten beschränken',
+ updateDate: 'Benutzer zuletzt aktualiert',
+ userCreated: 'wurde angelegt',
+ userCreatedSuccessHelp:
+ 'Der Benutzer wurde erfolgreich angelegt. Zu Anmelden im Umbraco-Back-Office verwenden Sie bitte folgendes Kennwort:',
+ userManagement: 'Benutzer Verwaltung',
+ username: 'Benutzername',
+ userPermissions: 'Berechtigungen',
+ usergroup: 'Benutzergruppe',
+ userInvited: 'wurde eingeladen',
+ userInvitedSuccessHelp:
+ 'Eine Einladung mit Anweisungen zur Anmeldung im Umbraco-Back-Office wurde dem neuen Benutzer zugeschickt.',
+ userinviteWelcomeMessage:
+ 'Hallo und Willkommen bei Umbraco! In nur einer Minute sind Sie bereit loszulegen, Sie müssen nur ein Kennwort festlegen.',
+ userinviteExpiredMessage:
+ 'Willkommen bei Umbraco! Bedauerlicherweise ist Ihre Einladung verfallen. Bitte kontaktieren Sie Ihren Administrator und bitten Sie ihn, diese erneut zu schicken.',
+ writer: 'Autor',
+ change: 'Änderung',
+ yourProfile: 'Ihr Profil',
+ yourHistory: 'Ihr Verlauf',
+ sessionExpires: 'Sitzung läuft ab in',
+ inviteUser: 'Benutzer einladen',
+ createUser: 'Benutzer anlegen',
+ sendInvite: 'Einladung schicken',
+ backToUsers: 'Zurück zu den Benutzern',
+ inviteEmailCopySubject: 'Umbraco: Einladung',
+ inviteEmailCopyFormat:
+ "\n \n\t\n\t\t\n\t\t\n\t\n\t\n\t\t\n\t\t
\n\t\n\n",
+ defaultInvitationMessage: 'Einladung erneut verschicken...',
+ deleteUser: 'Benutzer entfernen',
+ deleteUserConfirmation: 'Wollen Sie dieses Benutzerkonto wirklich entfernen?',
+ stateAll: 'Alle',
+ stateActive: 'Aktiv',
+ stateDisabled: 'Gesperrt',
+ stateLockedOut: 'Ausgeschlossen',
+ stateInvited: 'Eingeladen',
+ stateInactive: 'Nicht aktiv',
+ sortNameAscending: 'Name (A-Z)',
+ sortNameDescending: 'Name (Z-A)',
+ sortCreateDateAscending: 'Oldest',
+ sortCreateDateDescending: 'Newest',
+ sortLastLoginDateDescending: 'Last login',
+ },
+ validation: {
+ validation: 'Validierung',
+ validateAsEmail: 'Prüfe auf gültiges E-Mail-Format',
+ validateAsNumber: 'Prüfe auf gültiges Zahlen-Format',
+ validateAsUrl: 'Prüfe auf gültiges URL-Format',
+ enterCustomValidation: '...oder verwende eigene Validierung',
+ fieldIsMandatory: 'Pflichtfeld',
+ validationRegExp: 'Regulären Ausdruck eingeben',
+ minCount: 'Fügen Sie mindestens',
+ maxCount: 'Fügen Sie maximal',
+ items: 'Element(e) hinzu',
+ itemsSelected: 'Element(e) ausgewählt',
+ invalidDate: 'Ungültiges Datum',
+ invalidNumber: 'Keine Zahl',
+ invalidEmail: 'Ungültiges E-Mail-Format',
+ invalidNull: 'Der Wert darf nicht ungesetzt bleiben',
+ invalidEmpty: 'Der Wert darf nicht leer bleiben',
+ invalidPattern: 'Der Wert ist ungültig',
+ customValidation: 'Eigene Validierung',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Wert wurde auf den empfohlenen Wert gesetzt: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Erwartete Wert '%1%' für '%2%' in der Konfigurationsdatei '%3%', '%0%' wurde jedoch gefunden.",
+ checkErrorMessageUnexpectedValue: "Unerwarteten Wert '%0%' für '%2%' in der Konfigurationsdatei '%3%' gefunden.",
+ macroErrorModeCheckSuccessMessage: '"MacroErrors" auf \'%0%\' gesetzt.',
+ macroErrorModeCheckErrorMessage:
+ '\n "MacroErrors" sind auf \'%0%\' gesetzt,\n was verhindert, dass einige oder alle Seiten Ihrer Website vollständig geladen werden, falls Fehler in Makros auftreten. Schaltfläche "Beheben" setzt den Wert auf \'%1%\'.\n ',
+ httpsCheckValidCertificate: 'Ihr Website-Zertifikat (SSL) ist gültig.',
+ httpsCheckInvalidCertificate: "(SSL-)Zertifikat-Validierungsfehler: '%0%'",
+ httpsCheckExpiredCertificate: 'Ihr Website-Zertifikat (SSL) ist abgelaufen.',
+ httpsCheckExpiringCertificate: 'Ihr Website-Zertifikat (SSL) wird in %0% Tagen ablaufen.',
+ healthCheckInvalidUrl: "Fehler beim PINGen der URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Sie betrachten diese Website %0% unter Verwendung des HTTPS-Schemas.',
+ compilationDebugCheckSuccessMessage: "'Debug' Kompilierungsmodus ist abgeschaltet.",
+ compilationDebugCheckErrorMessage:
+ "'Debug' Kompilierungsmodus ist gegenwertig eingeschaltet. Es ist empfehlenswert diesen vor Live-Gang abzuschalten.",
+ clickJackingCheckHeaderFound:
+ 'Der Header oder das Meta-Tag X-Frame-Options ist vorhanden. Diese dienen zur Kontrolle, ob eine Site in IFRAMES anderer Sites angezeigt werden kann.',
+ clickJackingCheckHeaderNotFound:
+ 'Der Header oder das Meta-Tag X-Frame-Options ist nicht vorhanden. Es dient zur Kontrolle, ob eine Site in IFRAMES anderer Sites angezeigt werden kann.',
+ noSniffCheckHeaderFound:
+ "Der Header oder das Meta-Tag X-Content-Type-Options ist vorhanden. Diese dienen zum Schutz gegen MIME-'Schnüffeln'-Schwachstellen. ",
+ noSniffCheckHeaderNotFound:
+ "Der Header oder das Meta-Tag X-Content-Type-Options ist nicht vorhanden. Diese dienen zum Schutz gegen MIME-'Schnüffeln'-Schwachstellen. ",
+ hSTSCheckHeaderFound:
+ 'Der Header Strict-Transport-Security, auch bekannt als HSTS-Header, ist vorhanden.',
+ hSTSCheckHeaderNotFound:
+ 'Der Header Strict-Transport-Security, auch bekannt als HSTS-Header, ist nicht vorhanden.',
+ xssProtectionCheckHeaderFound: 'Der Header X-XSS-Protection ist vorhanden.',
+ xssProtectionCheckHeaderNotFound:
+ 'Der Header X-XSS-Protection ist nicht vorhanden',
+ excessiveHeadersFound:
+ 'Folgende Header, die Informationen über die Website-Technologie preisgeben, sind vorhanden: %0%.',
+ excessiveHeadersNotFound:
+ 'Es sind keine Header, die Informationen über die Website-Technologie preisgeben, vorhanden.',
+ smtpMailSettingsConnectionSuccess:
+ 'Die SMTP-Einstellungen sind korrekt konfiguriert und der Dienst arbeitet wie erwartet.',
+ notificationEmailsCheckSuccessMessage:
+ 'Die E-Mail-Adresse für Benachrichtigungen wurde auf %0% eingestellt.',
+ notificationEmailsCheckErrorMessage:
+ 'Die E-Mail-Adresse für Benachrichtigungen ist noch auf den Standardwert %0% gestellt.',
+ scheduledHealthCheckEmailBody:
+ '\n
\n Die Ergebnisse der geplanten Systemzustandsprüfung läuft am %0% um %1% lauten wie folgt:\n
%2%\n ',
+ scheduledHealthCheckEmailSubject: 'Status der Umbraco Systemzustand: %0%',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'URL-Änderungsaufzeichnung abschalten',
+ enableUrlTracker: 'URL-Änderungsaufzeichnung einschalten',
+ culture: 'Kultur',
+ originalUrl: 'Original URL',
+ redirectedTo: 'Weiterleiten zu',
+ redirectUrlManagement: 'URL-Weiterleitungen verwalten',
+ panelInformation: 'Die folgenden URLs leiten auf diesen Inhalt:',
+ noRedirects: 'Es wurden keine Weiterleitungen angelegt',
+ noRedirectsDescription:
+ '\n Wenn eine veröffentlichte Seite umbenannt oder verschoben wird,\n erzeugt dieses CMS automatisch eine entsprechende Weiterleitung.\n ',
+ redirectRemoved: 'URL-Weiterleitung wurde entfernt.',
+ redirectRemoveError: 'Beim Entfernen der URL-Weiterleitung ist ein Fehler aufgetreten.',
+ redirectRemoveWarning: 'Dies entfernt die Weiterleitung',
+ confirmDisable: 'Wollen Sie die URL-Änderungsaufzeichnung wirklich abschalten?',
+ disabledConfirm: 'Die URL-Änderungsaufzeichnung wurde abgeschaltet.',
+ disableError:
+ 'Fehler während der Abschaltung der URL-Änderungsaufzeichnung, weitere Information finden Sie in den Log-Dateien.',
+ enabledConfirm: 'Die URL-Änderungsaufzeichnung wurde eingeschaltet.',
+ enableError:
+ 'Fehler während der Aktivierung der URL-Änderungsaufzeichnung, weitere Information finden Sie in den Log-Dateien.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Das Wörterbuch ist leer',
+ },
+ textbox: {
+ characters_left: 'Buchstaben verbleiben',
+ },
+ recycleBin: {
+ contentTrashed: 'Inhalt mit Id = {0} des Oberknotens mit Id = {1} wurde verworfen',
+ mediaTrashed: 'Medienelement mit Id = {0} des Oberknotens mit Id = {1} wurde verworfen',
+ itemCannotBeRestored: 'Dieses Element kann nicht automatisch wiederhergestellt werden',
+ itemCannotBeRestoredHelpText:
+ '\n Es gibt keine Position für das automatische Wiederherstellen dieses Elementes.\n Sie können es manuell mit Hilfe der untenstehenden Baumstruktur verschieben.\n ',
+ wasRestored: 'wurde wiederhergestellt unterhalb von',
+ },
+ relationType: {
+ direction: 'Richtung',
+ parentToChild: 'Ober- zu Unterknoten',
+ bidirectional: 'Bidirektional',
+ parent: 'Oberknoten',
+ child: 'Unterknoten',
+ count: 'Anzahl',
+ relations: 'Relationen',
+ created: 'Angelegt',
+ comment: 'Kommentar',
+ name: 'Name',
+ noRelations: 'Es gibt keine Relationen für diesen Typ.',
+ tabRelationType: 'Relationentyp',
+ tabRelations: 'Relationen',
+ },
+ dashboardTabs: {
+ contentIntro: 'Lassen Sie uns beginnen',
+ contentRedirectManager: 'URL-Weiterleitungen verwalten',
+ mediaFolderBrowser: 'Inhalt',
+ settingsWelcome: 'Begrüßung',
+ settingsExamine: 'Examine Management',
+ settingsPublishedStatus: 'Status der Veröffentlichungen',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Systemzustand prüfen',
+ memberIntro: 'Lassen Sie uns beginnen',
+ formsInstall: 'Umbraco Forms installieren',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'zurück gehen',
+ activeListLayout: 'Aktives Layout:',
+ jumpTo: 'Springe zu',
+ group: 'Gruppe',
+ passed: 'bestanden',
+ warning: 'alarmierend',
+ failed: 'fehlgeschlagen',
+ suggestion: 'Vorschlag',
+ checkPassed: 'Prüfung bestanden',
+ checkFailed: 'Prüfung fehlgeschlagen',
+ openBackofficeSearch: 'Back-Office Suche öffnen',
+ openCloseBackofficeHelp: 'Back-Office Hilfe öffnen / schliessen',
+ openCloseBackofficeProfileOptions: 'Ihre Profil-Einstellungen öffnen / schliessen',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Wählen Sie Alle',
+ deselectAllLogLevelFilters: 'Alle abwählen',
+ },
+ clipboard: {
+ labelForCopyAllEntries: '%0% kopieren',
+ labelForArrayOfItemsFrom: '%0% von %1%',
+ labelForArrayOfItems: 'Sammlung von %0%',
+ labelForRemoveAllEntries: 'Alle Elemente entfernen',
+ labelForClearClipboard: 'Zwischenablage löschen',
+ labelForCopyToClipboard: 'Kopieren in Zwischenablage',
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Forms',
+ formsDescription:
+ 'Erstellen Sie Formulare mithilfe einer intuitiven Benutzeroberfläche. Von einfachen Kontaktformularen\n die Email verschicken bis hin zu komplexen Fragebögen die mit einem CRM System verbunden sind. Ihre Kunden werden es lieben!\n ',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Was sind Inhaltsvorlagen?',
+ whatDescription:
+ 'Inhaltsvorlagen sind vordefinierte Inhalte die ausgewählt werden können\n wenn Sie einen neuen Inhaltsknoten anlegen wollen.\n ',
+ createHeadline: 'Wie erstelle ich eine Inhaltsvorlage?',
+ createDescription:
+ '\n
Es gibt zwei Möglichkeiten eine Inhaltsvorlage zu erstellen:
\n
\n
Rechtsklicken Sie einen Inhaltsknoten und wählen Sie "Inhaltsvorlage erstellen" aus.
\n
Rechtsklicken Sie den Inhaltsvorlagen-Baum und wählen Sie den Dokumententypen aus für den Sie eine Vorlage erstellen wollen.
\n
\n
Wenn Sie einen Namen vergen haben können Reakteure diese als Vorlage für neue Seiten benutzen.
\n ',
+ manageHeadline: 'Wie verwalte ich eine Inhaltsvorlage?',
+ manageDescription:
+ 'Sie können Inhaltsvorlagen bearbeiten und löschen in dem Sie im Inhaltsvorlage-Baum die gewünschte\n Vorlage auswählen. Außerdem können Sie auch direkt den Dokumenttypen bearbeiten oder löschen auf dem die Vorlage basiert\n ',
+ },
+ preview: {
+ endLabel: 'Beenden',
+ endTitle: 'Vorschau beenden',
+ openWebsiteLabel: 'Website Vorschau',
+ openWebsiteTitle: 'Website in Vorschaumodus öffnen',
+ returnToPreviewHeadline: 'Websitevorschau anzeigen?',
+ returnToPreviewDescription:
+ 'Sie haben den Vorschaumodus beendet, wollen Sie ihn erneut öffnen um\n gespeicherte Version der Website anzusehen?\n ',
+ returnToPreviewAcceptButton: 'Vorschau der letzten Version anzeigen',
+ returnToPreviewDeclineButton: 'Veröffentlichte Version anzeigen',
+ viewPublishedContentHeadline: 'Veröffentlichte Version anzeigen?',
+ viewPublishedContentDescription:
+ 'Sie befinden sich im Vorschaumodus, wollen Sie ihn verlassen um die letzte\n veröffentlichte Version ihrer Website zu sehen?\n ',
+ viewPublishedContentAcceptButton: 'Veröffentlichte Version anzeigen',
+ viewPublishedContentDeclineButton: 'Im Vorschaumodus bleiben',
+ },
+ permissions: {
+ FolderCreation: 'Ornder erstellen',
+ FileWritingForPackages: 'Dateien durch Packages erstellen lassen',
+ FileWriting: 'Dateien schreiben',
+ MediaFolderCreation: 'Medien Ordner stellen',
+ },
+ treeSearch: {
+ searchResult: 'Element zurückgegeben',
+ searchResults: 'Elemente zurückgegeben',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/en-us.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/en-us.ts
new file mode 100644
index 0000000000..6f53119e14
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/en-us.ts
@@ -0,0 +1,2589 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: en
+ * Language Int Name: English (US)
+ * Language Local Name: English (US)
+ * Language LCID:
+ * Language Culture: en-US
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+
+export default {
+ actions: {
+ assigndomain: 'Culture and Hostnames',
+ auditTrail: 'Audit Trail',
+ browse: 'Browse Node',
+ changeDataType: 'Change Data Type',
+ changeDocType: 'Change Document Type',
+ chooseWhereToCopy: 'Choose where to copy',
+ chooseWhereToImport: 'Choose where to import',
+ chooseWhereToMove: 'Choose where to move',
+ copy: 'Duplicate',
+ copyTo: 'Duplicate to',
+ create: 'Create',
+ createblueprint: 'Create Document Blueprint',
+ createGroup: 'Create group',
+ createPackage: 'Create Package',
+ delete: 'Delete',
+ disable: 'Disable',
+ editContent: 'Edit content',
+ editSettings: 'Edit settings',
+ emptyrecyclebin: 'Empty recycle bin',
+ enable: 'Enable',
+ export: 'Export',
+ exportDocumentType: 'Export Document Type',
+ folderCreate: 'Create folder',
+ folderDelete: 'Delete folder',
+ folderRename: 'Rename folder',
+ import: 'Import',
+ importdocumenttype: 'Import Document Type',
+ importPackage: 'Import Package',
+ infiniteEditorChooseWhereToCopy: 'Choose where to copy the selected item(s)',
+ infiniteEditorChooseWhereToMove: 'Choose where to move the selected item(s)',
+ liveEdit: 'Edit in Canvas',
+ logout: 'Exit',
+ move: 'Move to',
+ notify: 'Notifications',
+ protect: 'Public Access',
+ publish: 'Publish',
+ refreshNode: 'Reload',
+ remove: 'Remove',
+ rename: 'Rename',
+ republish: 'Republish entire site',
+ resendInvite: 'Resend Invitation',
+ restore: 'Restore',
+ rights: 'Permissions',
+ rollback: 'Rollback',
+ sendtopublish: 'Send To Publish',
+ sendToTranslate: 'Send To Translation',
+ setGroup: 'Set group',
+ setPermissions: 'Set permissions',
+ sort: 'Sort children',
+ toInTheTreeStructureBelow: 'to in the tree structure below',
+ translate: 'Translate',
+ trash: 'Trash',
+ unlock: 'Unlock',
+ unpublish: 'Unpublish',
+ update: 'Update',
+ wasCopiedTo: 'was copied to',
+ wasDeleted: 'was deleted',
+ wasMovedTo: 'was moved to',
+ },
+ actionCategories: {
+ content: 'Content',
+ administration: 'Administration',
+ structure: 'Structure',
+ other: 'Other',
+ },
+ actionDescriptions: {
+ assignDomain: 'Allow access to assign culture and hostnames',
+ auditTrail: "Allow access to view a node's history log",
+ browse: 'Allow access to view a node',
+ changeDocType: 'Allow access to change Document Type for a node',
+ copy: 'Allow access to copy a node',
+ create: 'Allow access to create nodes',
+ delete: 'Allow access to delete nodes',
+ move: 'Allow access to move a node',
+ protect: 'Allow access to set and change access restrictions for a node',
+ publish: 'Allow access to publish a node',
+ unpublish: 'Allow access to unpublish a node',
+ rights: 'Allow access to change permissions for a node',
+ rollback: 'Allow access to roll back a node to a previous state',
+ sendtopublish: 'Allow access to send a node for approval before publishing',
+ sendToTranslate: 'Allow access to send a node for translation',
+ sort: 'Allow access to change the sort order for nodes',
+ translate: 'Allow access to translate a node',
+ update: 'Allow access to save a node',
+ createblueprint: 'Allow access to create a Document Blueprint',
+ notify: 'Allow access to setup notifications for content nodes',
+ },
+ apps: {
+ umbContent: 'Content',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Permission denied.',
+ addNew: 'Add new domain',
+ addCurrent: 'Add current domain',
+ remove: 'remove',
+ invalidNode: 'Invalid node.',
+ invalidDomain: 'One or more domains have an invalid format.',
+ duplicateDomain: 'Domain has already been assigned.',
+ language: 'Language',
+ domain: 'Domain',
+ domainCreated: "New domain '%0%' has been created",
+ domainDeleted: "Domain '%0%' is deleted",
+ domainExists: "Domain '%0%' has already been assigned",
+ domainUpdated: "Domain '%0%' has been updated",
+ orEdit: 'Edit Current Domains',
+ domainHelpWithVariants:
+ 'Valid domain names are: "example.com", "www.example.com", "example.com:8080", or "https://www.example.com/".\n Furthermore also one-level paths in domains are supported, eg. "example.com/en" or "/en".',
+ inherit: 'Inherit',
+ setLanguage: 'Culture',
+ setLanguageHelp:
+ 'Set the culture for nodes below the current node, or inherit culture from parent nodes. Will also apply \n to the current node, unless a domain below applies too.',
+ setDomains: 'Domains',
+ },
+ buttons: {
+ clearSelection: 'Clear selection',
+ select: 'Select',
+ somethingElse: 'Do something else',
+ bold: 'Bold',
+ deindent: 'Cancel Paragraph Indent',
+ formFieldInsert: 'Insert form field',
+ graphicHeadline: 'Insert graphic headline',
+ htmlEdit: 'Edit Html',
+ indent: 'Indent Paragraph',
+ italic: 'Italic',
+ justifyCenter: 'Center',
+ justifyLeft: 'Justify Left',
+ justifyRight: 'Justify Right',
+ linkInsert: 'Insert Link',
+ linkLocal: 'Insert local link (anchor)',
+ listBullet: 'Bullet List',
+ listNumeric: 'Numeric List',
+ macroInsert: 'Insert macro',
+ pictureInsert: 'Insert picture',
+ publishAndClose: 'Publish and close',
+ publishDescendants: 'Publish with descendants',
+ relations: 'Edit relations',
+ returnToList: 'Return to list',
+ save: 'Save',
+ saveAndClose: 'Save and close',
+ saveAndPublish: 'Save and publish',
+ saveToPublish: 'Send for approval',
+ saveListView: 'Save list view',
+ schedulePublish: 'Schedule',
+ saveAndPreview: 'Save and preview',
+ showPageDisabled: "Preview is disabled because there's no template assigned",
+ styleChoose: 'Choose style',
+ styleShow: 'Show styles',
+ tableInsert: 'Insert table',
+ generateModelsAndClose: 'Generate models and close',
+ saveAndGenerateModels: 'Save and generate models',
+ undo: 'Undo',
+ redo: 'Redo',
+ deleteTag: 'Delete tag',
+ confirmActionCancel: 'Cancel',
+ confirmActionConfirm: 'Confirm',
+ morePublishingOptions: 'More publishing options',
+ submitChanges: 'Submit',
+ },
+ auditTrailsMedia: {
+ delete: 'Media deleted',
+ move: 'Media moved',
+ copy: 'Media copied',
+ save: 'Media saved',
+ },
+ auditTrails: {
+ assigndomain: 'Domain assigned: %0%',
+ atViewingFor: 'Viewing for',
+ delete: 'Content deleted',
+ unpublish: 'Content unpublished',
+ unpublishvariant: 'Content unpublished for languages: %0%',
+ publish: 'Content published',
+ publishvariant: 'Content published for languages: %0%',
+ save: 'Content saved',
+ savevariant: 'Content saved for languages: %0%',
+ move: 'Content moved',
+ copy: 'Content copied',
+ rollback: 'Content rolled back',
+ sendtopublish: 'Content sent for publishing',
+ sendtopublishvariant: 'Content sent for publishing for languages: %0%',
+ sort: 'Sort child items performed by user',
+ custom: '%0%',
+ contentversionpreventcleanup: 'Cleanup disabled for version: %0%',
+ contentversionenablecleanup: 'Cleanup enabled for version: %0%',
+ smallAssignDomain: 'Assign Domain',
+ smallCopy: 'Copy',
+ smallPublish: 'Publish',
+ smallPublishVariant: 'Publish',
+ smallMove: 'Move',
+ smallSave: 'Save',
+ smallSaveVariant: 'Save',
+ smallDelete: 'Delete',
+ smallUnpublish: 'Unpublish',
+ smallUnpublishVariant: 'Unpublish',
+ smallRollBack: 'Rollback',
+ smallSendToPublish: 'Send To Publish',
+ smallSendToPublishVariant: 'Send To Publish',
+ smallSort: 'Sort',
+ smallCustom: 'Custom',
+ smallContentVersionPreventCleanup: 'Save',
+ smallContentVersionEnableCleanup: 'Save',
+ historyIncludingVariants: 'History (all variants)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'The folder name cannot contain illegal characters.',
+ deleteItemFailed: 'Failed to delete item: %0%',
+ },
+ collection: {
+ noItemsTitle: 'No items',
+ },
+ content: {
+ isPublished: 'Is Published',
+ about: 'About this page',
+ alias: 'Alias',
+ alternativeTextHelp: '(how would you describe the picture over the phone)',
+ alternativeUrls: 'Alternative Links',
+ clickToEdit: 'Click to edit this item',
+ createBy: 'Created by',
+ createByDesc: 'Original author',
+ updatedBy: 'Updated by',
+ createDate: 'Created',
+ createDateDesc: 'Date/time this document was created',
+ documentType: 'Document Type',
+ editing: 'Editing',
+ expireDate: 'Remove at',
+ itemChanged: 'This item has been changed after publication',
+ itemNotPublished: 'This item is not published',
+ lastPublished: 'Last published',
+ noItemsToShow: 'There are no items to show',
+ listViewNoItems: 'There are no items to show in the list.',
+ listViewNoContent: 'No child items have been added',
+ listViewNoMembers: 'No members have been added',
+ mediatype: 'Media Type',
+ mediaLinks: 'Link to media item(s)',
+ membergroup: 'Member Group',
+ memberrole: 'Role',
+ membertype: 'Member Type',
+ noChanges: 'No changes have been made',
+ noDate: 'No date chosen',
+ nodeName: 'Page title',
+ noMediaLink: 'This media item has no link',
+ noProperties: 'No content can be added for this item',
+ otherElements: 'Properties',
+ parentNotPublished:
+ "This document is published but is not visible because the parent '%0%' is\n unpublished\n ",
+ parentCultureNotPublished:
+ "This culture is published but is not visible because it is unpublished on\n parent '%0%'\n ",
+ parentNotPublishedAnomaly: 'This document is published but is not in the cache',
+ getUrlException: 'Could not get the URL',
+ routeError: 'This document is published but its URL would collide with content %0%',
+ routeErrorCannotRoute: 'This document is published but its URL cannot be routed',
+ publish: 'Publish',
+ published: 'Published',
+ publishedPendingChanges: 'Published (pending changes)',
+ publishStatus: 'Publication Status',
+ publishDescendantsHelp:
+ 'Publish %0% and all content items underneath and thereby making their content publicly available.',
+ publishDescendantsWithVariantsHelp:
+ 'Publish variants and variants of same type underneath and thereby making their content publicly available.',
+ noVariantsToProcess: 'There are no available variants',
+ releaseDate: 'Publish at',
+ unpublishDate: 'Unpublish at',
+ removeDate: 'Clear Date',
+ setDate: 'Set date',
+ sortDone: 'Sortorder is updated',
+ sortHelp:
+ 'To sort the nodes, simply drag the nodes or click one of the column headers. You can select\n multiple nodes by holding the "shift" or "control" key while selecting\n ',
+ statistics: 'Statistics',
+ titleOptional: 'Title (optional)',
+ altTextOptional: 'Alternative text (optional)',
+ captionTextOptional: 'Caption (optional)',
+ type: 'Type',
+ unpublish: 'Unpublish',
+ unpublished: 'Unpublished',
+ notCreated: 'Not created',
+ updateDate: 'Last edited',
+ updateDateDesc: 'Date/time this document was edited',
+ uploadClear: 'Remove file(s)',
+ uploadClearImageContext: 'Click here to remove the image from the media item',
+ uploadClearFileContext: 'Click here to remove the file from the media item',
+ urls: 'Link to document',
+ memberof: 'Member of group(s)',
+ notmemberof: 'Not a member of group(s)',
+ childItems: 'Child items',
+ target: 'Target',
+ scheduledPublishServerTime: 'This translates to the following time on the server:',
+ scheduledPublishDocumentation:
+ 'What does this mean?',
+ nestedContentDeleteItem: 'Are you sure you want to delete this item?',
+ nestedContentDeleteAllItems: 'Are you sure you want to delete all items?',
+ nestedContentEditorNotSupported:
+ 'Property %0% uses editor %1% which is not supported by Nested\n Content.\n ',
+ nestedContentNoContentTypes: 'No Content Types are configured for this property.',
+ nestedContentAddElementType: 'Add Element Type',
+ nestedContentSelectElementTypeModalTitle: 'Select Element Type',
+ nestedContentGroupHelpText:
+ 'Select the group whose properties should be displayed. If left blank, the\n first group on the Element Type will be used.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Enter an angular expression to evaluate against each item for its\n name. Use\n ',
+ nestedContentTemplateHelpTextPart2: 'to display the item index',
+ nestedContentNoGroups:
+ 'The selected element type does not contain any supported groups (tabs are not supported by this editor, either change them to groups or use the Block List editor).',
+ addTextBox: 'Add another text box',
+ removeTextBox: 'Remove this text box',
+ contentRoot: 'Content root',
+ includeUnpublished: 'Include unpublished content items.',
+ isSensitiveValue:
+ 'This value is hidden. If you need access to view this value please contact your\n website administrator.\n ',
+ isSensitiveValue_short: 'This value is hidden.',
+ languagesToPublish: 'What languages would you like to publish?',
+ languagesToSendForApproval: 'What languages would you like to send for approval?',
+ languagesToSchedule: 'What languages would you like to schedule?',
+ languagesToUnpublish:
+ 'Select the languages to unpublish. Unpublishing a mandatory language will unpublish all languages.',
+ variantsWillBeSaved: 'All new variants will be saved.',
+ variantsToPublish: 'Which variants would you like to publish?',
+ variantsToSave: 'Choose which variants to be saved.',
+ publishRequiresVariants: 'The following variants is required for publishing to take place:',
+ notReadyToPublish: 'We are not ready to Publish',
+ readyToPublish: 'Ready to publish?',
+ readyToSave: 'Ready to Save?',
+ resetFocalPoint: 'Reset focal point',
+ sendForApproval: 'Send for approval',
+ schedulePublishHelp: 'Select the date and time to publish and/or unpublish the content item.',
+ createEmpty: 'Create new',
+ createFromClipboard: 'Paste from clipboard',
+ nodeIsInTrash: 'This item is in the Recycle Bin',
+ variantSaveNotAllowed: 'Save is not allowed',
+ variantPublishNotAllowed: 'Publish is not allowed',
+ variantSendForApprovalNotAllowed: 'Send for approval is not allowed',
+ variantScheduleNotAllowed: 'Schedule is not allowed',
+ variantUnpublishNotAllowed: 'Unpublish is not allowed',
+ selectAllVariants: 'Select all variants',
+ saveModalTitle: 'Save',
+ },
+ blueprints: {
+ createBlueprintFrom: "Create a new Document Blueprint from '%0%'",
+ createBlueprintItemUnder: "Create a new item under '%0%'",
+ createBlueprintFolderUnder: "Create a new folder under '%0%'",
+ blankBlueprint: 'Blank',
+ selectBlueprint: 'Select a Document Blueprint',
+ createdBlueprintHeading: 'Document Blueprint created',
+ createdBlueprintMessage: "A Document Blueprint was created from '%0%'",
+ duplicateBlueprintMessage: 'Another Document Blueprint with the same name already exists',
+ blueprintDescription:
+ 'A Document Blueprint is predefined content that an editor can select to use as the\n basis for creating new content\n ',
+ },
+ media: {
+ clickToUpload: 'Click to upload',
+ orClickHereToUpload: 'or click here to choose files',
+ disallowedFileType: 'Cannot upload this file, it does not have an approved file type',
+ disallowedMediaType: "Cannot upload this file, the media type with alias '%0%' is not allowed here",
+ invalidFileName: 'Cannot upload this file, it does not have a valid file name',
+ maxFileSize: 'Max file size is',
+ mediaRoot: 'Media root',
+ createFolderFailed: 'Failed to create a folder under parent id %0%',
+ renameFolderFailed: 'Failed to rename the folder with id %0%',
+ dragAndDropYourFilesIntoTheArea: 'Drag and drop your file(s) into the area',
+ fileSecurityValidationFailure: 'One or more file security validations have failed',
+ moveToSameFolderFailed: 'Parent and destination folders cannot be the same',
+ uploadNotAllowed: 'Upload is not allowed in this location.',
+ },
+ member: {
+ '2fa': 'Two-Factor Authentication',
+ allMembers: 'All Members',
+ createNewMember: 'Create a new member',
+ duplicateMemberLogin: 'A member with this login already exists',
+ kind: 'Kind',
+ memberGroupNoProperties: 'Member groups have no additional properties for editing.',
+ memberHasGroup: "The member is already in group '%0%'",
+ memberHasPassword: 'The member already has a password set',
+ memberKindDefault: 'Member',
+ memberKindApi: 'API Member',
+ memberLockoutNotEnabled: 'Lockout is not enabled for this member',
+ memberNotInGroup: "The member is not in group '%0%'",
+ },
+ contentType: {
+ copyFailed: 'Failed to copy content type',
+ moveFailed: 'Failed to move content type',
+ },
+ mediaType: {
+ copyFailed: 'Failed to copy media type',
+ moveFailed: 'Failed to move media type',
+ autoPickMediaType: 'Auto pick',
+ },
+ memberType: {
+ copyFailed: 'Failed to copy member type',
+ },
+ create: {
+ chooseNode: 'Where do you want to create the new %0%',
+ createUnder: 'Create an item under',
+ createContentBlueprint: 'Select the Document Type you want to make a Document Blueprint for',
+ enterFolderName: 'Enter a folder name',
+ updateData: 'Choose a type and a title',
+ noDocumentTypes:
+ 'There are no allowed Document Types available for creating content here. You must enable these in Document Types within the Settings section, by editing the Allowed child node types under Permissions.',
+ noDocumentTypesAtRoot:
+ 'There are no Document Types available for creating content here. You must create these in Document Types within the Settings section.',
+ noDocumentTypesWithNoSettingsAccess:
+ "The selected page in the content tree doesn't allow for any pages\n to be created below it.\n ",
+ noDocumentTypesEditPermissions: 'Edit permissions for this Document Type',
+ noDocumentTypesCreateNew: 'Create a new Document Type',
+ noDocumentTypesAllowedAtRoot:
+ 'There are no allowed Document Types available for creating content here. You must enable these in Document Types within the Settings section, by changing the Allow as root option under Permissions.',
+ noMediaTypes:
+ 'There are no allowed Media Types available for creating media here. You must enable these in Media Types Types within the Settings section, by editing the Allowed child node types under Permissions.',
+ noMediaTypesWithNoSettingsAccess:
+ "The selected media in the tree doesn't allow for any other media to be\n created below it.\n ",
+ noMediaTypesEditPermissions: 'Edit permissions for this Media Type',
+ documentTypeWithoutTemplate: 'Document Type without a template',
+ documentTypeWithTemplate: 'Document Type with Template',
+ documentTypeWithTemplateDescription:
+ 'The data definition for a content page that can be created by\n editors in the content tree and is directly accessible via a URL.\n ',
+ documentType: 'Document Type',
+ documentTypeDescription:
+ 'The data definition for a content component that can be created by editors in\n the content tree and be picked on other pages but has no direct URL.\n ',
+ elementType: 'Element Type',
+ elementTypeDescription:
+ "Defines the schema for a repeating set of properties, for example, in a 'Block\n List' or 'Block Grid' property editor.\n ",
+ composition: 'Composition',
+ compositionDescription:
+ "Defines a re-usable set of properties that can be included in the definition of\n multiple other Document Types. For example, a set of 'Common Page Settings'.\n ",
+ folder: 'Folder',
+ folderDescription:
+ 'Used to organise the Document Types, Compositions and Element Types created in this\n Document Type tree.\n ',
+ newFolder: 'New folder',
+ newDataType: 'New Data Type',
+ newJavascriptFile: 'New JavaScript file',
+ newEmptyPartialView: 'New empty partial view',
+ newPartialViewMacro: 'New partial view macro',
+ newPartialViewFromSnippet: 'New partial view from snippet',
+ newPartialViewMacroFromSnippet: 'New partial view macro from snippet',
+ newPartialViewMacroNoMacro: 'New partial view macro (without macro)',
+ newStyleSheetFile: 'New style sheet file',
+ newRteStyleSheetFile: 'New Rich Text Editor style sheet file',
+ },
+ dashboard: {
+ browser: 'Browse your website',
+ dontShowAgain: '- Hide',
+ nothinghappens: "If Umbraco isn't opening, you might need to allow popups from this site",
+ openinnew: 'has opened in a new window',
+ restart: 'Restart',
+ visit: 'Visit',
+ welcome: 'Welcome',
+ },
+ prompt: {
+ stay: 'Stay',
+ discardChanges: 'Discard changes',
+ unsavedChanges: 'You have unsaved changes',
+ unsavedChangesWarning: 'Are you sure you want to navigate away from this page? You have unsaved changes',
+ confirmListViewPublish: 'Publishing will make the selected items visible on the site.',
+ confirmListViewUnpublish:
+ 'Unpublishing will remove the selected items and all their descendants from the\n site.\n ',
+ confirmUnpublish: 'Unpublishing will remove this page and all its descendants from the site.',
+ doctypeChangeWarning:
+ 'You have unsaved changes. Making changes to the Document Type will discard the\n changes.\n ',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: 'Deleted %0% item',
+ deletedItems: 'Deleted %0% items',
+ deletedItemOfItem: 'Deleted %0% out of %1% item',
+ deletedItemOfItems: 'Deleted %0% out of %1% items',
+ publishedItem: 'Published %0% item',
+ publishedItems: 'Published %0% items',
+ publishedItemOfItem: 'Published %0% out of %1% item',
+ publishedItemOfItems: 'Published %0% out of %1% items',
+ unpublishedItem: 'Unpublished %0% item',
+ unpublishedItems: 'Unpublished %0% items',
+ unpublishedItemOfItem: 'Unpublished %0% out of %1% item',
+ unpublishedItemOfItems: 'Unpublished %0% out of %1% items',
+ movedItem: 'Moved %0% item',
+ movedItems: 'Moved %0% items',
+ movedItemOfItem: 'Moved %0% out of %1% item',
+ movedItemOfItems: 'Moved %0% out of %1% items',
+ copiedItem: 'Copied %0% item',
+ copiedItems: 'Copied %0% items',
+ copiedItemOfItem: 'Copied %0% out of %1% item',
+ copiedItemOfItems: 'Copied %0% out of %1% items',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Link title',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Anchor / querystring',
+ anchorInsert: 'Name',
+ closeThisWindow: 'Close this window',
+ confirmdelete: 'Are you sure you want to delete',
+ confirmdeleteNumberOfItems: 'Are you sure you want to delete %0% of %1% items',
+ confirmdisable: 'Are you sure you want to disable',
+ confirmremove: 'Are you sure you want to remove',
+ confirmremoveusageof: 'Are you sure you want to remove the usage of %0%',
+ confirmlogout: 'Are you sure?',
+ confirmSure: 'Are you sure?',
+ cut: 'Cut',
+ editDictionary: 'Edit Dictionary Item',
+ editLanguage: 'Edit Language',
+ editSelectedMedia: 'Edit selected media',
+ insertAnchor: 'Insert local link',
+ insertCharacter: 'Insert character',
+ insertgraphicheadline: 'Insert graphic headline',
+ insertimage: 'Insert picture',
+ insertlink: 'Insert link',
+ insertMacro: 'Click to add a Macro',
+ inserttable: 'Insert table',
+ languagedeletewarning: 'This will delete the language',
+ languageChangeWarning:
+ 'Changing the culture for a language may be an expensive operation and will result\n in the content cache and indexes being rebuilt\n ',
+ lastEdited: 'Last Edited',
+ link: 'Link',
+ linkinternal: 'Internal link',
+ linklocaltip: 'When using local links, insert "#" in front of link',
+ linknewwindow: 'Open in new window?',
+ macroDoesNotHaveProperties: 'This macro does not contain any properties you can edit',
+ paste: 'Paste',
+ permissionsEdit: 'Edit permissions for',
+ permissionsSet: 'Set permissions for',
+ permissionsSetForGroup: 'Set permissions for %0% for user group %1%',
+ permissionsHelp: 'Select the users groups you want to set permissions for',
+ recycleBinDeleting:
+ 'The items in the recycle bin are now being deleted. Please do not close this window\n while this operation takes place\n ',
+ recycleBinIsEmpty: 'The recycle bin is now empty',
+ recycleBinWarning: 'When items are deleted from the recycle bin, they will be gone forever',
+ regexSearchError:
+ "regexlib.com's webservice is currently experiencing some problems, which we have no control over. We are very sorry for this inconvenience.",
+ regexSearchHelp:
+ "Search for a regular expression to add validation to a form field. Example: 'email,\n 'zip-code', 'URL'.\n ",
+ removeMacro: 'Remove Macro',
+ requiredField: 'Required Field',
+ sitereindexed: 'Site is reindexed',
+ siterepublished:
+ 'The website cache has been refreshed. All publish content is now up to date. While all\n unpublished content is still unpublished\n ',
+ siterepublishHelp:
+ 'The website cache will be refreshed. All published content will be updated, while\n unpublished content will stay unpublished.\n ',
+ tableColumns: 'Number of columns',
+ tableRows: 'Number of rows',
+ thumbnailimageclickfororiginal: 'Click on the image to see full size',
+ treepicker: 'Pick item',
+ viewCacheItem: 'View Cache Item',
+ relateToOriginalLabel: 'Relate to original',
+ includeDescendants: 'Include descendants',
+ theFriendliestCommunity: 'The friendliest community',
+ linkToPage: 'Link to document',
+ openInNewWindow: 'Opens the linked document in a new window or tab',
+ linkToMedia: 'Link to media',
+ selectContentStartNode: 'Select content start node',
+ selectMedia: 'Select media',
+ selectMediaType: 'Select media type',
+ selectIcon: 'Select icon',
+ selectItem: 'Select item',
+ selectLink: 'Select link',
+ selectMacro: 'Select macro',
+ selectContent: 'Select content',
+ selectContentType: 'Select content type',
+ selectMediaStartNode: 'Select media start node',
+ selectMember: 'Choose member',
+ selectMembers: 'Choose members',
+ selectMemberGroup: 'Select member group',
+ selectMemberType: 'Select member type',
+ selectNode: 'Select node',
+ selectLanguages: 'Select languages',
+ selectSections: 'Select sections',
+ selectUser: 'Select user',
+ selectUsers: 'Select users',
+ noIconsFound: 'No icons were found',
+ noMacroParams: 'There are no parameters for this macro',
+ noMacros: 'There are no macros available to insert',
+ externalLoginProviders: 'External logins',
+ exceptionDetail: 'Exception Details',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Link your {0} account',
+ linkYourConfirm:
+ 'You are about to link your Umbraco and {0} accounts and you will be redirected to {0} to confirm.',
+ unLinkYour: 'Un-link your {0} account',
+ unLinkYourConfirm: 'You are about to un-link your Umbraco and {0} accounts and you will be logged out.',
+ linkedToService: 'Your account is linked to this service',
+ selectEditor: 'Select editor',
+ selectEditorConfiguration: 'Select configuration',
+ selectSnippet: 'Select snippet',
+ variantdeletewarning:
+ 'This will delete the node and all its languages. If you only want to delete one\n language, you should unpublish the node in that language instead.\n ',
+ propertyuserpickerremovewarning: 'This will remove the user %0%.',
+ userremovewarning: 'This will remove the user %0% from the %1% group',
+ yesRemove: 'Yes, remove',
+ deleteLayout: 'You are deleting the layout',
+ deletingALayout:
+ 'Modifying layout will result in loss of data for any existing content that is based on this configuration.',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n To import a dictionary item, find the ".udt" file on your computer by clicking the\n "Import" button (you\'ll be asked for confirmation on the next screen)\n ',
+ itemDoesNotExists: 'Dictionary item does not exist.',
+ parentDoesNotExists: 'Parent item does not exist.',
+ noItems: 'There are no dictionary items.',
+ noItemsInFile: 'There are no dictionary items in this file.',
+ noItemsFound: 'There were no dictionary items found.',
+ createNew: 'Create dictionary item',
+ },
+ dictionaryItem: {
+ description: "Edit the different language versions for the dictionary item '%0%' below",
+ displayName: 'Culture Name',
+ changeKeyError: "The key '%0%' already exists.",
+ overviewTitle: 'Dictionary overview',
+ },
+ examineManagement: {
+ configuredSearchers: 'Configured Searchers',
+ configuredSearchersDescription:
+ 'Shows properties and tools for any configured Searcher (i.e. such as a multi-index searcher)',
+ fieldValues: 'Field values',
+ healthStatus: 'Health status',
+ healthStatusDescription: 'The health status of the index and if it can be read',
+ indexers: 'Indexers',
+ indexInfo: 'Index info',
+ contentInIndex: 'Content in index',
+ indexInfoDescription: 'Lists the properties of the index',
+ manageIndexes: "Manage Examine's indexes",
+ manageIndexesDescription:
+ 'Allows you to view the details of each index and provides some tools for managing the indexes',
+ rebuildIndex: 'Rebuild index',
+ rebuildIndexWarning:
+ 'This will cause the index to be rebuilt. Depending on how much content there is in your site this could take a while. It is not recommended to rebuild an index during times of high website traffic or when editors are editing content.',
+ searchers: 'Searchers',
+ searchDescription: 'Search the index and view the results',
+ tools: 'Tools',
+ toolsDescription: 'Tools to manage the index',
+ fields: 'fields',
+ indexCannotRead: 'The index cannot be read and will need to be rebuilt',
+ processIsTakingLonger:
+ 'The process is taking longer than expected, check the Umbraco log to see if there have been any errors during this operation',
+ indexCannotRebuild: 'This index cannot be rebuilt because it has no assigned',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Enter your username',
+ password: 'Enter your password',
+ confirmPassword: 'Confirm your password',
+ nameentity: 'Name the %0%...',
+ entername: 'Enter a name...',
+ enteremail: 'Enter an email...',
+ enterusername: 'Enter a username...',
+ label: 'Label...',
+ enterDescription: 'Enter a description...',
+ search: 'Type to search...',
+ filter: 'Type to filter...',
+ enterTags: 'Type to add tags (press enter after each tag)...',
+ email: 'Enter your email',
+ enterMessage: 'Enter a message...',
+ usernameHint: 'Your username is usually your email',
+ anchor: '#value or ?key=value',
+ enterAlias: 'Enter alias...',
+ generatingAlias: 'Generating alias...',
+ a11yCreateItem: 'Create item',
+ a11yEdit: 'Edit',
+ a11yName: 'Name',
+ },
+ editcontenttype: {
+ createListView: 'Create custom list view',
+ removeListView: 'Remove custom list view',
+ aliasAlreadyExists: 'A Content Type, Media Type or Member Type with this alias already exists',
+ },
+ renamecontainer: {
+ renamed: 'Renamed',
+ enterNewFolderName: 'Enter a new folder name here',
+ folderWasRenamed: '%0% was renamed to %1%',
+ },
+ editdatatype: {
+ canChangePropertyEditorHelp:
+ 'Changing a property editor on a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ addPrevalue: 'Add prevalue',
+ dataBaseDatatype: 'Database datatype',
+ guid: 'Property editor GUID',
+ renderControl: 'Property editor',
+ rteButtons: 'Buttons',
+ rteEnableAdvancedSettings: 'Enable advanced settings for',
+ rteEnableContextMenu: 'Enable context menu',
+ rteMaximumDefaultImgSize: 'Maximum default size of inserted images',
+ rteRelatedStylesheets: 'Related stylesheets',
+ rteShowLabel: 'Show label',
+ rteWidthAndHeight: 'Width and height',
+ selectFolder: 'Select the folder to move',
+ inTheTree: 'to in the tree structure below',
+ wasMoved: 'was moved underneath',
+ hasReferencesDeleteConsequence:
+ 'Deleting %0% will delete the properties and their data from the following items',
+ acceptDeleteConsequence:
+ 'I understand this action will delete the properties and data based on this Data\n Type\n ',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Your data has been saved, but before you can publish this page there are some\n errors you need to fix first:\n ',
+ errorChangingProviderPassword:
+ 'The current membership provider does not support changing password\n (EnablePasswordRetrieval need to be true)\n ',
+ errorExistsWithoutTab: '%0% already exists',
+ errorHeader: 'There were errors:',
+ errorHeaderWithoutTab: 'There were errors:',
+ errorInPasswordFormat:
+ 'The password should be a minimum of %0% characters long and contain at least %1%\n non-alpha numeric character(s)\n ',
+ errorIntegerWithoutTab: '%0% must be an integer',
+ errorMandatory: 'The %0% field in the %1% tab is mandatory',
+ errorMandatoryWithoutTab: '%0% is a mandatory field',
+ errorRegExp: '%0% at %1% is not in a correct format',
+ errorRegExpWithoutTab: '%0% is not in a correct format',
+ },
+ errors: {
+ defaultError: 'An unknown failure has occurred',
+ concurrencyError: 'Optimistic concurrency failure, object has been modified',
+ receivedErrorFromServer: 'Received an error from the server',
+ dissallowedMediaType: 'The specified file type has been disallowed by the administrator',
+ codemirroriewarning:
+ "NOTE! Even though CodeMirror is enabled by configuration, it is disabled in\n Internet Explorer because it's not stable enough.\n ",
+ contentTypeAliasAndNameNotNull: 'Please fill both alias and name on the new property type!',
+ filePermissionsError: 'There is a problem with read/write access to a specific file or folder',
+ macroErrorLoadingPartialView: 'Error loading Partial View script (file: %0%)',
+ missingTitle: 'Please enter a title',
+ missingType: 'Please choose a type',
+ pictureResizeBiggerThanOrg:
+ "You're about to make the picture larger than the original size. Are you sure\n that you want to proceed?\n ",
+ startNodeDoesNotExists: 'Startnode deleted, please contact your administrator',
+ stylesMustMarkBeforeSelect: 'Please mark content before changing style',
+ stylesNoStylesOnPage: 'No active styles available',
+ tableColMergeLeft: 'Please place cursor at the left of the two cells you wish to merge',
+ tableSplitNotSplittable: "You cannot split a cell that hasn't been merged.",
+ propertyHasErrors: 'This property is invalid',
+ externalLoginError: 'External login',
+ unauthorized: 'You were not authorized before performing this action',
+ userNotFound: 'The local user was not found in the database',
+ externalInfoNotFound: 'The server did not succeed in communicating with the external login provider',
+ externalLoginFailed:
+ 'The server failed to authorize you against the external login provider. Please close the window and try again.',
+ externalLoginSuccess: 'You have successfully logged in. You may now close this window.',
+ externalLoginRedirectSuccess: 'You have successfully logged in. You will be redirected shortly.',
+ },
+ openidErrors: {
+ accessDenied: 'Access denied',
+ invalidRequest: 'Invalid request',
+ invalidClient: 'Invalid client',
+ invalidGrant: 'Invalid grant',
+ unauthorizedClient: 'Unauthorized client',
+ unsupportedGrantType: 'Unsupported grant type',
+ invalidScope: 'Invalid scope',
+ serverError: 'Server error',
+ temporarilyUnavailable: 'The service is temporarily unavailable',
+ },
+ general: {
+ options: 'Options',
+ about: 'About',
+ action: 'Action',
+ actions: 'Actions',
+ add: 'Add',
+ alias: 'Alias',
+ all: 'All',
+ areyousure: 'Are you sure?',
+ back: 'Back',
+ backToOverview: 'Back to overview',
+ border: 'Border',
+ by: 'by',
+ cancel: 'Cancel',
+ cellMargin: 'Cell margin',
+ choose: 'Choose',
+ clear: 'Clear',
+ close: 'Close',
+ closewindow: 'Close Window',
+ closepane: 'Close Pane',
+ comment: 'Comment',
+ confirm: 'Confirm',
+ constrain: 'Constrain',
+ constrainProportions: 'Constrain proportions',
+ content: 'Content',
+ continue: 'Continue',
+ copy: 'Copy',
+ create: 'Create',
+ cropSection: 'Crop section',
+ database: 'Database',
+ date: 'Date',
+ default: 'Default',
+ delete: 'Delete',
+ deleted: 'Deleted',
+ deleting: 'Deleting...',
+ design: 'Design',
+ details: 'Details',
+ dictionary: 'Dictionary',
+ dimensions: 'Dimensions',
+ discard: 'Discard',
+ down: 'Down',
+ download: 'Download',
+ edit: 'Edit',
+ edited: 'Edited',
+ elements: 'Elements',
+ email: 'Email',
+ error: 'Error',
+ field: 'Field',
+ fieldFor: 'Field for %0%',
+ findDocument: 'Find',
+ first: 'First',
+ focalPoint: 'Focal point',
+ general: 'General',
+ generic: 'Generic',
+ groups: 'Groups',
+ group: 'Group',
+ height: 'Height',
+ help: 'Help',
+ hide: 'Hide',
+ history: 'History',
+ icon: 'Icon',
+ id: 'Id',
+ import: 'Import',
+ excludeFromSubFolders: 'Search only this folder',
+ info: 'Info',
+ innerMargin: 'Inner margin',
+ insert: 'Insert',
+ install: 'Install',
+ invalid: 'Invalid',
+ justify: 'Justify',
+ label: 'Label',
+ language: 'Language',
+ last: 'Last',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Loading',
+ locked: 'Locked',
+ login: 'Login',
+ logoff: 'Log off',
+ logout: 'Logout',
+ macro: 'Macro',
+ mandatory: 'Mandatory',
+ manifest: 'Manifest',
+ media: 'Media',
+ message: 'Message',
+ move: 'Move',
+ name: 'Name',
+ never: 'Never',
+ new: 'New',
+ next: 'Next',
+ no: 'No',
+ nodeName: 'Node Name',
+ of: 'of',
+ off: 'Off',
+ ok: 'OK',
+ open: 'Open',
+ on: 'On',
+ or: 'or',
+ orderBy: 'Order by',
+ password: 'Password',
+ path: 'Path',
+ pleasewait: 'One moment please...',
+ previous: 'Previous',
+ properties: 'Properties',
+ readMore: 'Read more',
+ rebuild: 'Rebuild',
+ reciept: 'Email to receive form data',
+ recycleBin: 'Recycle Bin',
+ recycleBinEmpty: 'Your recycle bin is empty',
+ reload: 'Reload',
+ revert: 'Revert',
+ remaining: 'Remaining',
+ remove: 'Remove',
+ rename: 'Rename',
+ renew: 'Renew',
+ required: 'Required',
+ retrieve: 'Retrieve',
+ retry: 'Retry',
+ rights: 'Permissions',
+ scheduledPublishing: 'Scheduled Publishing',
+ umbracoInfo: 'Umbraco info',
+ search: 'Search',
+ searchNoResult: 'Sorry, we can not find what you are looking for.',
+ noItemsInList: 'No items have been added',
+ server: 'Server',
+ settings: 'Settings',
+ shared: 'Shared',
+ show: 'Show',
+ showPageOnSend: 'Show page on Send',
+ size: 'Size',
+ sort: 'Sort',
+ status: 'Status',
+ submit: 'Submit',
+ success: 'Success',
+ type: 'Type',
+ typeName: 'Type Name',
+ typeToSearch: 'Type to search...',
+ unknown: 'Unknown',
+ unknownUser: 'Unknown user',
+ under: 'under',
+ up: 'Up',
+ update: 'Update',
+ upgrade: 'Upgrade',
+ upload: 'Upload',
+ url: 'URL',
+ user: 'User',
+ users: 'Users',
+ username: 'Username',
+ validate: 'Validate',
+ value: 'Value',
+ view: 'View',
+ welcome: 'Welcome...',
+ width: 'Width',
+ yes: 'Yes',
+ folder: 'Folder',
+ searchResults: 'Search results',
+ reorder: 'Reorder',
+ reorderDone: 'I am done reordering',
+ preview: 'Preview',
+ changePassword: 'Change password',
+ to: 'to',
+ listView: 'List view',
+ saving: 'Saving...',
+ current: 'current',
+ embed: 'Embed',
+ addEditLink: 'Add/Edit Link',
+ removeLink: 'Remove Link',
+ mediaPicker: 'Media Picker',
+ viewSourceCode: 'View Source Code',
+ selected: 'selected',
+ other: 'Other',
+ articles: 'Articles',
+ videos: 'Videos',
+ avatar: 'Avatar for',
+ header: 'Header',
+ systemField: 'system field',
+ lastUpdated: 'Last Updated',
+ selectAll: 'Select all',
+ skipToMenu: 'Skip to menu',
+ skipToContent: 'Skip to content',
+ restore: 'Restore',
+ readOnly: 'Read-only',
+ newVersionAvailable: 'New version available',
+ },
+ colors: {
+ blue: 'Blue',
+ },
+ shortcuts: {
+ addTab: 'Add tab',
+ addGroup: 'Add group',
+ addProperty: 'Add property',
+ addEditor: 'Add editor',
+ addTemplate: 'Add template',
+ addChildNode: 'Add child node',
+ addChild: 'Add child',
+ editDataType: 'Edit data type',
+ navigateSections: 'Navigate sections',
+ shortcut: 'Shortcuts',
+ showShortcuts: 'show shortcuts',
+ toggleListView: 'Toggle list view',
+ toggleAllowAsRoot: 'Toggle allow as root',
+ commentLine: 'Comment/Uncomment lines',
+ removeLine: 'Remove line',
+ copyLineUp: 'Copy Lines Up',
+ copyLineDown: 'Copy Lines Down',
+ moveLineUp: 'Move Lines Up',
+ moveLineDown: 'Move Lines Down',
+ generalHeader: 'General',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Toggle allow culture variants',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Background color',
+ bold: 'Bold',
+ color: 'Text color',
+ font: 'Font',
+ text: 'Text',
+ },
+ headers: {
+ page: 'Page',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'The installer cannot connect to the database.',
+ databaseErrorWebConfig:
+ 'Could not save the web.config file. Please modify the connection string\n manually.\n ',
+ databaseFound: 'Your database has been found and is identified as',
+ databaseHeader: 'Database configuration',
+ databaseInstall: '\n Press the install button to install the Umbraco %0% database\n ',
+ databaseInstallDone: 'Umbraco %0% has now been copied to your database. Press Next to proceed.',
+ databaseNotFound:
+ '
Database not found! Please check that the information in the "connection string" of the "web.config" file is correct.
\n
To proceed, please edit the "web.config" file (using Visual Studio or your favourite text editor), scroll to the bottom, add the connection string for your database in the key named "UmbracoDbDSN" and save the file.
',
+ databaseText:
+ 'To complete this step, you must know some information regarding your database server ("connection string"). \n Please contact your ISP if necessary.\n If you\'re installing on a local machine or server you might need information from your system administrator.',
+ databaseUpgrade:
+ "\n
\n Press the upgrade button to upgrade your database to Umbraco %0%
\n
\n Don't worry - no content will be deleted and everything will continue working afterwards!\n
\n ",
+ databaseUpgradeDone:
+ 'Your database has been upgraded to the final version %0%. Press Next to\n proceed. ',
+ databaseUpToDate:
+ 'Your current database is up-to-date!. Click next to continue the configuration wizard',
+ defaultUserChangePass: "The Default users' password needs to be changed!",
+ defaultUserDisabled:
+ 'The Default user has been disabled or has no access to Umbraco!
No further actions needs to be taken. Click Next to proceed.',
+ defaultUserPassChanged:
+ "The Default user's password has been successfully changed since the installation!
No further actions needs to be taken. Click Next to proceed.",
+ defaultUserPasswordChanged: 'The password is changed!',
+ greatStart: 'Get a great start, watch our introduction videos',
+ licenseText:
+ 'By clicking the next button (or modifying the umbracoConfigurationStatus in web.config),\n you accept the license for this software as specified in the box below. Notice that this Umbraco distribution\n consists of two different licenses, the open source MIT license for the framework and the Umbraco freeware license\n that covers the UI.\n ',
+ None: 'Not installed yet.',
+ permissionsAffectedFolders: 'Affected files and folders',
+ permissionsAffectedFoldersMoreInfo: 'More information on setting up permissions for Umbraco here',
+ permissionsAffectedFoldersText:
+ 'You need to grant ASP.NET modify permissions to the following\n files/folders\n ',
+ permissionsAlmostPerfect:
+ 'Your permission settings are almost perfect!
\n You can run Umbraco without problems, but you will not be able to install packages which are recommended to take full advantage of Umbraco.',
+ permissionsHowtoResolve: 'How to Resolve',
+ permissionsHowtoResolveLink: 'Click here to read the text version',
+ permissionsHowtoResolveText:
+ 'Watch our video tutorial on setting up folder permissions for Umbraco or read the text version.',
+ permissionsMaybeAnIssue:
+ 'Your permission settings might be an issue!\n
\n You can run Umbraco without problems, but you will not be able to create folders or install packages which are recommended to take full advantage of Umbraco.',
+ permissionsNotReady:
+ "Your permission settings are not ready for Umbraco!\n
\n In order to run Umbraco, you'll need to update your permission settings.",
+ permissionsPerfect:
+ 'Your permission settings are perfect!
\n You are ready to run Umbraco and install packages!',
+ permissionsResolveFolderIssues: 'Resolving folder issue',
+ permissionsResolveFolderIssuesLink:
+ 'Follow this link for more information on problems with ASP.NET and\n creating folders\n ',
+ permissionsSettingUpPermissions: 'Setting up folder permissions',
+ permissionsText:
+ "\n Umbraco needs write/modify access to certain directories in order to store files like pictures and PDF's.\n It also stores temporary data (aka: cache) for enhancing the performance of your website.\n ",
+ runwayFromScratch: 'I want to start from scratch',
+ runwayFromScratchText:
+ '\n Your website is completely empty at the moment, so that\'s perfect if you want to start from scratch and create your own Document Types and templates.\n (learn how)\n You can still choose to install Runway later on. Please go to the Developer section and choose Packages.\n ',
+ runwayHeader: "You've just set up a clean Umbraco platform. What do you want to do next?",
+ runwayInstalled: 'Runway is installed',
+ runwayInstalledText:
+ '\n You have the foundation in place. Select what modules you wish to install on top of it. \n This is our list of recommended modules, check off the ones you would like to install, or view the full list of modules\n ',
+ runwayOnlyProUsers: 'Only recommended for experienced users',
+ runwaySimpleSite: 'I want to start with a simple website',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" is a simple website providing some basic Document Types and templates. The installer can set up Runway for you automatically,\n but you can easily edit, extend or remove it. It\'s not necessary and you can perfectly use Umbraco without it. However,\n Runway offers an easy foundation based on best practices to get you started faster than ever.\n If you choose to install Runway, you can optionally select basic building blocks called Runway Modules to enhance your Runway pages.\n
\n \n Included with Runway: Home page, Getting Started page, Installing Modules page. \n Optional Modules: Top Navigation, Sitemap, Contact, Gallery.\n \n ',
+ runwayWhatIsRunway: 'What is Runway',
+ step1: 'Step 1/5 Accept license',
+ step2: 'Step 2/5: Database configuration',
+ step3: 'Step 3/5: Validating File Permissions',
+ step4: 'Step 4/5: Check Umbraco security',
+ step5: 'Step 5/5: Umbraco is ready to get you started',
+ thankYou: 'Thank you for choosing Umbraco',
+ theEndBrowseSite: '
Browse your new site
\nYou installed Runway, so why not see how your new website looks.',
+ theEndFurtherHelp:
+ '
Further help and information
\nGet help from our award winning community, browse the documentation or watch some free videos on how to build a simple site, how to use packages and a quick guide to the Umbraco terminology',
+ theEndHeader: 'Umbraco %0% is installed and ready for use',
+ theEndInstallFailed:
+ "To finish the installation, you'll need to\n manually edit the /web.config file and update the AppSetting key UmbracoConfigurationStatus in the bottom to the value of '%0%'.",
+ theEndInstallSuccess:
+ 'You can get started instantly by clicking the "Launch Umbraco" button below. If you are new to Umbraco,\nyou can find plenty of resources on our getting started pages.',
+ theEndOpenUmbraco:
+ '
Launch Umbraco
\nTo manage your website, simply open the Umbraco backoffice and start adding content, updating the templates and stylesheets or add new functionality',
+ Unavailable: 'Connection to database failed.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ watch: 'Watch',
+ welcomeIntro:
+ 'This wizard will guide you through the process of configuring Umbraco %0% for a fresh install or upgrading from version 3.0.\n
\n Press "next" to start the wizard.',
+ },
+ language: {
+ cultureCode: 'Culture Code',
+ displayName: 'Culture Name',
+ noFallbackLanguages: 'There are no other languages to choose from',
+ },
+ lockout: {
+ lockoutWillOccur: "You've been idle and logout will automatically occur in",
+ renewSession: 'Renew now to save your work',
+ },
+ login: {
+ greeting0: 'Welcome',
+ greeting1: 'Welcome',
+ greeting2: 'Welcome',
+ greeting3: 'Welcome',
+ greeting4: 'Welcome',
+ greeting5: 'Welcome',
+ greeting6: 'Welcome',
+ instruction: 'Sign in to Umbraco',
+ signInWith: 'Sign in with {0}',
+ timeout: 'Your session has timed out. Please sign in again below.',
+ },
+ main: {
+ dashboard: 'Dashboard',
+ sections: 'Sections',
+ tree: 'Content',
+ },
+ moveOrCopy: {
+ choose: 'Choose page above...',
+ copyDone: '%0% has been copied to %1%',
+ copyTo: 'Select where the document %0% should be copied to below',
+ moveDone: '%0% has been moved to %1%',
+ moveTo: 'Select where the document %0% should be moved to below',
+ nodeSelected: "has been selected as the root of your new content, click 'ok' below.",
+ noNodeSelected: "No node selected yet, please select a node in the list above before clicking 'ok'",
+ notAllowedByContentType: 'The current node is not allowed under the chosen node because of its type',
+ notAllowedByPath:
+ 'The current node cannot be moved to one of its subpages neither can the parent and destination be the same',
+ notAllowedAtRoot: 'The current node cannot exist at the root',
+ notValid:
+ "The action isn't allowed since you have insufficient permissions on 1 or more child\n documents.\n ",
+ relateToOriginal: 'Relate copied items to original',
+ },
+ notifications: {
+ editNotifications: 'Select your notification for %0%',
+ notificationsSavedFor: 'Notification settings saved for %0%',
+ notifications: 'Notifications',
+ },
+ packager: {
+ actions: 'Actions',
+ created: 'Created',
+ createPackage: 'Create package',
+ chooseLocalPackageText:
+ '\n Choose Package from your machine, by clicking the Browse \n button and locating the package. Umbraco packages usually have a ".umb" or ".zip" extension.\n ',
+ deletewarning: 'This will delete the package',
+ includeAllChildNodes: 'Include all child nodes',
+ installed: 'Installed',
+ installedPackages: 'Installed packages',
+ installInstructions: 'Install instructions',
+ noConfigurationView: 'This package has no configuration view',
+ noPackagesCreated: 'No packages have been created yet',
+ noPackages: 'No packages have been installed',
+ noPackagesDescription:
+ "Browse through the available packages using the 'Packages' icon in the top right of your screen",
+ packageContent: 'Package Content',
+ packageLicense: 'License',
+ packageSearch: 'Search for packages',
+ packageSearchResults: 'Results for',
+ packageNoResults: 'We couldn’t find anything for',
+ packageNoResultsDescription: 'Please try searching for another package or browse through the categories\n ',
+ packagesPopular: 'Popular',
+ packagesPromoted: 'Promoted',
+ packagesNew: 'New releases',
+ packageHas: 'has',
+ packageKarmaPoints: 'karma points',
+ packageInfo: 'Information',
+ packageOwner: 'Owner',
+ packageContrib: 'Contributors',
+ packageCreated: 'Created',
+ packageCurrentVersion: 'Current version',
+ packageNetVersion: '.NET version',
+ packageDownloads: 'Downloads',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Compatibility',
+ packageCompatibilityDescription:
+ 'This package is compatible with the following versions of Umbraco, as\n reported by community members. Full compatability cannot be guaranteed for versions reported below 100%\n ',
+ packageExternalSources: 'External sources',
+ packageAuthor: 'Author',
+ packageDocumentation: 'Documentation',
+ packageMetaData: 'Package meta data',
+ packageName: 'Package name',
+ packageNoItemsHeader: "Package doesn't contain any items",
+ packageNoItemsText:
+ 'This package file doesn\'t contain any items to uninstall.
\n You can safely remove this from the system by clicking "uninstall package" below.',
+ packageOptions: 'Package options',
+ packageMigrationsRun: 'Run pending package migrations',
+ packageMigrationsComplete: 'Package migrations have successfully completed.',
+ packageMigrationsNonePending: 'All package migrations have successfully completed.',
+ packageReadme: 'Package readme',
+ packageRepository: 'Package repository',
+ packageUninstallConfirm: 'Confirm package uninstall',
+ packageUninstalledHeader: 'Package was uninstalled',
+ packageUninstalledText: 'The package was successfully uninstalled',
+ packageUninstallHeader: 'Uninstall package',
+ packageUninstallText:
+ 'You can unselect items you do not wish to remove, at this time, below. When you click "confirm uninstall" all checked-off items will be removed. \n Notice: any documents, media etc depending on the items you remove, will stop working, and could lead to system instability,\n so uninstall with caution. If in doubt, contact the package author.',
+ packageVersion: 'Package version',
+ verifiedToWorkOnUmbracoCloud: 'Verified to work on Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'Paste with full formatting (Not recommended)',
+ errorMessage:
+ "The text you're trying to paste contains special characters or formatting. This could be\n caused by copying text from Microsoft Word. Umbraco can remove special characters or formatting automatically, so\n the pasted content will be more suitable for the web.\n ",
+ removeAll: 'Paste as raw text without any formatting at all',
+ removeSpecialFormattering: 'Paste, but remove formatting (Recommended)',
+ },
+ publicAccess: {
+ paGroups: 'Group based protection',
+ paGroupsHelp: 'If you want to grant access to all members of specific member groups',
+ paGroupsNoGroups: 'You need to create a member group before you can use group based authentication',
+ paErrorPage: 'Error Page',
+ paErrorPageHelp: 'Used when people are logged on, but do not have access',
+ paHowWould: 'Choose how to restrict access to the page %0%',
+ paIsProtected: '%0% is now protected',
+ paIsRemoved: 'Protection removed from %0%',
+ paLoginPage: 'Login Page',
+ paLoginPageHelp: 'Choose the page that contains the login form',
+ paRemoveProtection: 'Remove protection...',
+ paRemoveProtectionConfirm: 'Are you sure you want to remove the protection from the page %0%?',
+ paSelectPages: 'Select the pages that contain login form and error messages',
+ paSelectGroups: 'Select the groups who have access to the page %0%',
+ paSelectMembers: 'Select the members who have access to the page %0%',
+ paMembers: 'Specific members protection',
+ paMembersHelp: 'If you wish to grant access to specific members',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'Insufficient user permissions to publish all descendant documents',
+ contentPublishedFailedIsTrashed: '\n %0% could not be published because the item is in the recycle bin.\n ',
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% could not be published because the item is scheduled for release.\n ',
+ contentPublishedFailedExpired: '\n %0% could not be published because the item has expired.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% could not be published because some properties did not pass validation rules.\n ',
+ contentPublishedFailedByEvent: '\n %0% could not be published, a 3rd party add-in cancelled the action.\n ',
+ contentPublishedFailedByParent: '\n %0% can not be published, because a parent page is not published.\n ',
+ contentPublishedFailedByMissingName: '%0% can not be published, because its missing a name.',
+ contentPublishedFailedReqCultureValidationError:
+ "Validation failed for required language '%0%'. This\n language was saved but not published.\n ",
+ inProgress: 'Publishing in progress - please wait...',
+ inProgressCounter: '%0% out of %1% pages have been published...',
+ nodePublish: '%0% has been published',
+ nodePublishAll: '%0% and subpages have been published',
+ publishAll: 'Publish %0% and all its subpages',
+ publishHelp:
+ 'Click Publish to publish %0% and thereby making its content publicly available.
\n You can publish this page and all its subpages by checking Include unpublished subpages below.\n ',
+ },
+ colorpicker: {
+ noColors: 'You have not configured any approved colors',
+ },
+ contentPicker: {
+ allowedItemTypes: 'You can only select items of type(s): %0%',
+ defineDynamicRoot: 'Specify root node',
+ defineRootNode: 'Pick root node',
+ pickedTrashedItem: 'You have picked a content item currently deleted or in the recycle bin',
+ pickedTrashedItems: 'You have picked content items currently deleted or in the recycle bin',
+ },
+ dynamicRoot: {
+ configurationTitle: 'Dynamic Root Query',
+ pickDynamicRootOriginTitle: 'Pick origin',
+ pickDynamicRootOriginDesc: 'Define the origin for your Dynamic Root Query',
+ originRootTitle: 'Root',
+ originRootDesc: 'Root node of this editing session',
+ originParentTitle: 'Parent',
+ originParentDesc: 'The parent node of the source in this editing session',
+ originCurrentTitle: 'Current',
+ originCurrentDesc: 'The content node that is source for this editing session',
+ originSiteTitle: 'Site',
+ originSiteDesc: 'Find nearest node with a hostname',
+ originByKeyTitle: 'Specific Node',
+ originByKeyDesc: 'Pick a specific Node as the origin for this query',
+ pickDynamicRootQueryStepTitle: 'Append step to query',
+ pickDynamicRootQueryStepDesc: 'Define the next step of your Dynamic Root Query',
+ queryStepNearestAncestorOrSelfTitle: 'Nearest Ancestor Or Self',
+ queryStepNearestAncestorOrSelfDesc: 'Query the nearest ancestor or self that fits with one of the configured types',
+ queryStepFurthestAncestorOrSelfTitle: 'Furthest Ancestor Or Self',
+ queryStepFurthestAncestorOrSelfDesc:
+ 'Query the Furthest ancestor or self that fits with one of the configured types',
+ queryStepNearestDescendantOrSelfTitle: 'Nearest Descendant Or Self',
+ queryStepNearestDescendantOrSelfDesc:
+ 'Query the nearest descendant or self that fits with one of the configured types',
+ queryStepFurthestDescendantOrSelfTitle: 'Furthest Descendant Or Self',
+ queryStepFurthestDescendantOrSelfDesc:
+ 'Query the Furthest descendant or self that fits with one of the configured types',
+ queryStepCustomTitle: 'Custom',
+ queryStepCustomDesc: 'Query the using a custom Query Step',
+ addQueryStep: 'Add query step',
+ queryStepTypes: 'That matches types: ',
+ noValidStartNodeTitle: 'No matching content',
+ noValidStartNodeDesc:
+ 'The configuration of this property does not match any content. Create the missing content or contact your administrator to adjust the Dynamic Root settings for this property.',
+ },
+ mediaPicker: {
+ deletedItem: 'Deleted item',
+ pickedTrashedItem: 'You have picked a media item currently deleted or in the recycle bin',
+ pickedTrashedItems: 'You have picked media items currently deleted or in the recycle bin',
+ trashed: 'Trashed',
+ openMedia: 'Open in Media Library',
+ changeMedia: 'Change Media Item',
+ editMediaEntryLabel: 'Edit %0% on %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Discard creation?',
+ confirmCancelMediaEntryCreationMessage: 'Are you sure you want to cancel the creation.',
+ confirmCancelMediaEntryHasChanges:
+ 'You have made changes to this content. Are you sure you want to\n discard them?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Remove all medias?',
+ tabClipboard: 'Clipboard',
+ notAllowed: 'Not allowed',
+ openMediaPicker: 'Open media picker',
+ },
+ propertyEditorPicker: {
+ title: 'Select a property editor',
+ openPropertyEditorPicker: 'Select a property editor UI',
+ },
+ relatedlinks: {
+ enterExternal: 'enter external link',
+ chooseInternal: 'choose internal page',
+ caption: 'Caption',
+ link: 'Link',
+ newWindow: 'Open in new window',
+ captionPlaceholder: 'enter the display caption',
+ externalLinkPlaceholder: 'Enter the link',
+ },
+ imagecropper: {
+ reset: 'Reset crop',
+ updateEditCrop: 'Done',
+ undoEditCrop: 'Undo edits',
+ customCrop: 'User defined',
+ },
+ rollback: {
+ changes: 'Changes',
+ created: 'Created',
+ headline: 'Select a version to compare with the current version',
+ currentVersion: 'Current version',
+ diffHelp:
+ 'This shows the differences between the current (draft) version and the selected version Red text will be removed in the selected version, green text will be added',
+ noDiff: 'There are no differences between the current (draft) version and the selected version',
+ documentRolledBack: 'Document has been rolled back',
+ htmlHelp:
+ 'This displays the selected version as HTML, if you wish to see the difference between 2\n versions at the same time, use the diff view\n ',
+ rollbackTo: 'Rollback to',
+ selectVersion: 'Select version',
+ view: 'View',
+ pagination: 'Showing version %0% to %1% of %2% versions',
+ versions: 'Versions',
+ currentDraftVersion: 'Current draft version',
+ currentPublishedVersion: 'Current published version',
+ },
+ scripts: {
+ editscript: 'Edit script file',
+ },
+ sections: {
+ content: 'Content',
+ media: 'Media',
+ member: 'Members',
+ packages: 'Packages',
+ marketplace: 'Marketplace',
+ settings: 'Settings',
+ translation: 'Translation',
+ users: 'Users',
+ },
+ help: {
+ tours: 'Tours',
+ theBestUmbracoVideoTutorials: 'The best Umbraco video tutorials',
+ umbracoForum: 'Visit our.umbraco.com',
+ umbracoTv: 'Visit umbraco.tv',
+ umbracoLearningBase: 'Watch our free tutorial videos',
+ umbracoLearningBaseDescription: 'on the Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Default template',
+ importDocumentTypeHelp:
+ 'To import a Document Type, find the ".udt" file on your computer by clicking the\n "Import" button (you\'ll be asked for confirmation on the next screen)\n ',
+ newtabname: 'New Tab Title',
+ nodetype: 'Node type',
+ objecttype: 'Type',
+ stylesheet: 'Stylesheet',
+ script: 'Script',
+ tab: 'Tab',
+ tabname: 'Tab Title',
+ tabs: 'Tabs',
+ contentTypeEnabled: 'Master Content Type enabled',
+ contentTypeUses: 'This Content Type uses',
+ noPropertiesDefinedOnTab:
+ 'No properties defined on this tab. Click on the "add a new property" link at\n the top to create a new property.\n ',
+ createMatchingTemplate: 'Create matching template',
+ addIcon: 'Add icon',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'Sorting complete.',
+ sortHelp:
+ 'Drag the different items up or down below to set how they should be arranged. Or click the\n column headers to sort the entire collection of items\n ',
+ sortPleaseWait: 'Please wait. Items are being sorted, this can take a while.',
+ sortEmptyState: 'This node has no child nodes to sort',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validation',
+ validationFailedMessage: 'Validation errors must be fixed before the item can be saved',
+ operationFailedHeader: 'Failed',
+ operationSavedHeader: 'Saved',
+ operationSavedHeaderReloadUser: 'Saved. To view the changes please reload your browser',
+ invalidUserPermissionsText: 'Insufficient user permissions, could not complete the operation',
+ operationCancelledHeader: 'Cancelled',
+ operationCancelledText: 'Operation was cancelled by a 3rd party add-in',
+ folderUploadNotAllowed:
+ 'This file is being uploaded as part of a folder, but creating a new folder is not allowed here',
+ folderCreationNotAllowed: 'Creating a new folder is not allowed here',
+ contentTypeDublicatePropertyType: 'Property type already exists',
+ contentTypePropertyTypeCreated: 'Property type created',
+ contentTypePropertyTypeCreatedText: 'Name: %0% DataType: %1%',
+ contentTypePropertyTypeDeleted: 'Propertytype deleted',
+ contentTypeSavedHeader: 'Document Type saved',
+ contentTypeTabCreated: 'Tab created',
+ contentTypeTabDeleted: 'Tab deleted',
+ contentTypeTabDeletedText: 'Tab with id: %0% deleted',
+ cssErrorHeader: 'Stylesheet not saved',
+ cssSavedHeader: 'Stylesheet saved',
+ cssSavedText: 'Stylesheet saved without any errors',
+ dataTypeSaved: 'Datatype saved',
+ dictionaryItemSaved: 'Dictionary item saved',
+ editContentPublishedHeader: 'Content published',
+ editContentPublishedText: 'and is visible on the website',
+ editMultiContentPublishedText: '%0% documents published and visible on the website',
+ editVariantPublishedText: '%0% published and visible on the website',
+ editMultiVariantPublishedText: '%0% documents published for languages %1% and visible on the website',
+ editBlueprintSavedHeader: 'Document Blueprint saved',
+ editBlueprintSavedText: 'Changes have been successfully saved',
+ editContentSavedHeader: 'Content saved',
+ editContentSavedText: 'Remember to publish to make changes visible',
+ editContentScheduledSavedText: 'A schedule for publishing has been updated',
+ editVariantSavedText: '%0% saved',
+ editContentSendToPublish: 'Sent For Approval',
+ editContentSendToPublishText: 'Changes have been sent for approval',
+ editVariantSendToPublishText: '%0% changes have been sent for approval',
+ editMediaSaved: 'Media saved',
+ editMediaSavedText: 'Media saved without any errors',
+ editMemberSaved: 'Member saved',
+ editStylesheetPropertySaved: 'Stylesheet Property Saved',
+ editStylesheetSaved: 'Stylesheet saved',
+ editTemplateSaved: 'Template saved',
+ editUserError: 'Error saving user (check log)',
+ editUserSaved: 'User Saved',
+ editUserTypeSaved: 'User type saved',
+ editUserGroupSaved: 'User group saved',
+ editCulturesAndHostnamesSaved: 'Cultures and hostnames saved',
+ editCulturesAndHostnamesError: 'Error saving cultures and hostnames',
+ fileErrorHeader: 'File not saved',
+ fileErrorText: 'file could not be saved. Please check file permissions',
+ fileSavedHeader: 'File saved',
+ fileSavedText: 'File saved without any errors',
+ languageSaved: 'Language saved',
+ mediaTypeSavedHeader: 'Media Type saved',
+ memberTypeSavedHeader: 'Member Type saved',
+ memberGroupSavedHeader: 'Member Group saved',
+ memberGroupNameDuplicate: 'Another Member Group with the same name already exists',
+ templateErrorHeader: 'Template not saved',
+ templateErrorText: 'Please make sure that you do not have 2 templates with the same alias',
+ templateSavedHeader: 'Template saved',
+ templateSavedText: 'Template saved without any errors!',
+ contentUnpublished: 'Content unpublished',
+ contentCultureUnpublished: 'Content variation %0% unpublished',
+ contentMandatoryCultureUnpublished:
+ "The mandatory language '%0%' was unpublished. All languages for this\n content item are now unpublished.\n ",
+ partialViewSavedHeader: 'Partial view saved',
+ partialViewSavedText: 'Partial view saved without any errors!',
+ partialViewErrorHeader: 'Partial view not saved',
+ partialViewErrorText: 'An error occurred saving the file.',
+ permissionsSavedFor: 'Permissions saved for',
+ deleteUserGroupsSuccess: 'Deleted %0% user groups',
+ deleteUserGroupSuccess: '%0% was deleted',
+ enableUsersSuccess: 'Enabled %0% users',
+ disableUsersSuccess: 'Disabled %0% users',
+ enableUserSuccess: '%0% is now enabled',
+ disableUserSuccess: '%0% is now disabled',
+ setUserGroupOnUsersSuccess: 'User groups have been set',
+ unlockUsersSuccess: 'Unlocked %0% users',
+ unlockUserSuccess: '%0% is now unlocked',
+ memberExportedSuccess: 'Member was exported to file',
+ memberExportedError: 'An error occurred while exporting the member',
+ deleteUserSuccess: 'User %0% was deleted',
+ resendInviteHeader: 'Invite user',
+ resendInviteSuccess: 'Invitation has been re-sent to %0%',
+ contentReqCulturePublishError: "Cannot publish the document since the required '%0%' is not published\n ",
+ contentCultureValidationError: "Validation failed for language '%0%'",
+ documentTypeExportedSuccess: 'Document Type was exported to file',
+ documentTypeExportedError: 'An error occurred while exporting the Document Type',
+ dictionaryItemExportedSuccess: 'Dictionary item(s) was exported to file',
+ dictionaryItemExportedError: 'An error occurred while exporting the dictionary item(s)',
+ dictionaryItemImported: 'The following dictionary item(s) has been imported!',
+ scheduleErrReleaseDate1: 'The release date cannot be in the past',
+ scheduleErrReleaseDate2:
+ "Cannot schedule the document for publishing since the required '%0%' is not\n published\n ",
+ scheduleErrReleaseDate3:
+ "Cannot schedule the document for publishing since the required '%0%' has a\n publish date later than a non mandatory language\n ",
+ scheduleErrExpireDate1: 'The expire date cannot be in the past',
+ scheduleErrExpireDate2: 'The expire date cannot be before the release date',
+ publishWithNoDomains:
+ 'Domains are not configured for multilingual site, please contact an administrator,\n see log for more information\n ',
+ publishWithMissingDomain:
+ 'There is no domain configured for %0%, please contact an administrator, see\n log for more information\n ',
+ preventCleanupEnableError: 'An error occurred while enabling version cleanup for %0%',
+ preventCleanupDisableError: 'An error occurred while disabling version cleanup for %0%',
+ copySuccessMessage: 'Your system information has successfully been copied to the clipboard',
+ cannotCopyInformation: 'Could not copy your system information to the clipboard',
+ },
+ stylesheet: {
+ addRule: 'Add style',
+ editRule: 'Edit style',
+ editorRules: 'Rich text editor styles',
+ editorRulesHelp:
+ 'Define the styles that should be available in the rich text editor for this\n stylesheet\n ',
+ editstylesheet: 'Edit stylesheet',
+ editstylesheetproperty: 'Edit stylesheet property',
+ nameHelp: 'The name displayed in the editor style selector',
+ preview: 'Preview',
+ previewHelp: 'How the text will look like in the rich text editor.',
+ selector: 'Selector',
+ selectorHelp: 'Uses CSS syntax, e.g. "h1" or ".redHeader"',
+ styles: 'Styles',
+ stylesHelp: 'The CSS that should be applied in the rich text editor, e.g. "color:red;"',
+ tabCode: 'Code',
+ tabRules: 'Rich Text Editor',
+ },
+ template: {
+ runtimeModeProduction: 'Content is not editable when using runtime mode Production.',
+ deleteByIdFailed: 'Failed to delete template with ID %0%',
+ edittemplate: 'Edit template',
+ insertSections: 'Sections',
+ insertContentArea: 'Insert content area',
+ insertContentAreaPlaceHolder: 'Insert content area placeholder',
+ insert: 'Insert',
+ insertDesc: 'Choose what to insert into your template',
+ insertDictionaryItem: 'Dictionary item',
+ insertDictionaryItemDesc:
+ 'A dictionary item is a placeholder for a translatable piece of text, which makes it easy to create designs for multilingual websites.',
+ insertMacro: 'Macro',
+ insertMacroDesc:
+ 'A Macro is a configurable component which is great for reusable parts of your design, where you need the option to provide parameters, such as galleries, forms and lists.',
+ insertPageField: 'Value',
+ insertPageFieldDesc:
+ 'Displays the value of a named field from the current page, with options to modify the value or fallback to alternative values.',
+ insertPartialView: 'Partial view',
+ insertPartialViewDesc:
+ "A partial view is a separate template file which can be rendered inside another template, it's great for reusing markup or for separating complex templates into separate files.",
+ mastertemplate: 'Master template',
+ noMaster: 'No master',
+ renderBody: 'Render child template',
+ renderBodyDesc: 'Renders the contents of a child template, by inserting a @RenderBody() placeholder.',
+ defineSection: 'Define a named section',
+ defineSectionDesc:
+ 'Defines a part of your template as a named section by wrapping it in @section { ... }. This can be rendered in a specific area of the parent of this template, by using @RenderSection.',
+ renderSection: 'Render a named section',
+ renderSectionDesc:
+ 'Renders a named area of a child template, by inserting a @RenderSection(name) placeholder. This renders an area of a child template which is wrapped in a corresponding @section [name]{ ... } definition.',
+ sectionName: 'Section Name',
+ sectionMandatory: 'Section is mandatory',
+ sectionMandatoryDesc:
+ 'If mandatory, the child template must contain a @section definition, otherwise an error is shown.',
+ queryBuilder: 'Query builder',
+ itemsReturned: 'items returned, in',
+ iWant: 'I want',
+ allContent: 'all content',
+ contentOfType: 'content of type "%0%"',
+ from: 'from',
+ websiteRoot: 'my website',
+ where: 'where',
+ and: 'and',
+ is: 'is',
+ isNot: 'is not',
+ before: 'before',
+ beforeIncDate: 'before (including selected date)',
+ after: 'after',
+ afterIncDate: 'after (including selected date)',
+ equals: 'equals',
+ doesNotEqual: 'does not equal',
+ contains: 'contains',
+ doesNotContain: 'does not contain',
+ greaterThan: 'greater than',
+ greaterThanEqual: 'greater than or equal to',
+ lessThan: 'less than',
+ lessThanEqual: 'less than or equal to',
+ id: 'Id',
+ name: 'Name',
+ createdDate: 'Created Date',
+ lastUpdatedDate: 'Last Updated Date',
+ orderBy: 'order by',
+ ascending: 'ascending',
+ descending: 'descending',
+ template: 'Template',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choose type of content',
+ chooseLayout: 'Choose a layout',
+ addRows: 'Add a row',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ settingsApplied: 'Settings applied',
+ contentNotAllowed: 'This content is not allowed here',
+ contentAllowed: 'This content is allowed here',
+ clickToEmbed: 'Click to embed',
+ clickToInsertImage: 'Click to insert image',
+ clickToInsertMacro: 'Click to insert macro',
+ placeholderWriteHere: 'Write here...',
+ gridLayouts: 'Grid Layouts',
+ gridLayoutsDetail:
+ 'Layouts are the overall work area for the grid editor, usually you only need one or\n two different layouts\n ',
+ addGridLayout: 'Add Grid Layout',
+ editGridLayout: 'Edit Grid Layout',
+ addGridLayoutDetail: 'Adjust the layout by setting column widths and adding additional sections',
+ rowConfigurations: 'Row configurations',
+ rowConfigurationsDetail: 'Rows are predefined cells arranged horizontally',
+ addRowConfiguration: 'Add row configuration',
+ editRowConfiguration: 'Edit row configuration',
+ addRowConfigurationDetail: 'Adjust the row by setting cell widths and adding additional cells',
+ noConfiguration: 'No further configuration available',
+ columns: 'Columns',
+ columnsDetails: 'Total combined number of columns in the grid layout',
+ settings: 'Settings',
+ settingsDetails: 'Configure what settings editors can change',
+ styles: 'Styles',
+ stylesDetails: 'Configure what styling editors can change',
+ allowAllEditors: 'Allow all editors',
+ allowAllRowConfigurations: 'Allow all row configurations',
+ maxItems: 'Maximum items',
+ maxItemsDescription: 'Leave blank or set to 0 for unlimited',
+ setAsDefault: 'Set as default',
+ chooseExtra: 'Choose extra',
+ chooseDefault: 'Choose default',
+ areAdded: 'are added',
+ warning: 'Warning',
+ warningText:
+ '
Modifying a row configuration name will result in loss of data for any existing content that is based on this configuration.
Modifying only the label will not result in data loss.
',
+ youAreDeleting: 'You are deleting the row configuration',
+ deletingARow:
+ '\n Deleting a row configuration name will result in loss of data for any existing content that is based on this\n configuration.\n ',
+ deleteLayout: 'You are deleting the layout',
+ deletingALayout:
+ 'Modifying a layout will result in loss of data for any existing content that is based\n on this configuration.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Compositions',
+ group: 'Group',
+ groupReorderSameAliasError:
+ 'You can\'t move the group %0% to this tab because the group will get the same\n alias as a tab: "%1%". Rename the group to continue.\n ',
+ noGroups: 'You have not added any groups',
+ addGroup: 'Add group',
+ inheritedFrom: 'Inherited from',
+ addProperty: 'Add property',
+ editProperty: 'Edit property',
+ requiredLabel: 'Required label',
+ enableListViewHeading: 'Enable list view',
+ enableListViewDescription: 'Configures the content item to show a sortable and searchable list of its children.',
+ allowedTemplatesHeading: 'Allowed Templates',
+ allowedTemplatesDescription: 'Choose which templates editors are allowed to use on content of this type',
+ allowAtRootHeading: 'Allow at root',
+ allowAtRootDescription: 'Allow editors to create content of this type in the root of the content tree.\n ',
+ childNodesHeading: 'Allowed child node types',
+ childNodesDescription: 'Allow content of the specified types to be created underneath content of this type.',
+ chooseChildNode: 'Choose child node',
+ compositionsDescription:
+ 'Inherit tabs and properties from an existing Document Type. New tabs will be\n added to the current Document Type or merged if a tab with an identical name exists.\n ',
+ compositionInUse: 'This Content Type is used in a composition, and therefore cannot be composed itself.\n ',
+ noAvailableCompositions: 'There are no Content Types available to use as a composition.',
+ compositionRemoveWarning:
+ "Removing a composition will delete all the associated property data. Once you\n save the Document Type there's no way back.\n ",
+ availableEditors: 'Create new',
+ reuse: 'Use existing',
+ editorSettings: 'Editor settings',
+ searchResultSettings: 'Available configurations',
+ searchResultEditors: 'Create a new configuration',
+ configuration: 'Configuration',
+ yesDelete: 'Yes, delete',
+ movedUnderneath: 'was moved underneath',
+ copiedUnderneath: 'was copied underneath',
+ folderToMove: 'Select the folder to move',
+ folderToCopy: 'Select the folder to copy',
+ structureBelow: 'to in the tree structure below',
+ allDocumentTypes: 'All Document Types',
+ allDocuments: 'All Documents',
+ allMediaItems: 'All media items',
+ usingThisDocument:
+ 'using this Document Type will be deleted permanently, please confirm you want to\n delete these as well.\n ',
+ usingThisMedia:
+ 'using this Media Type will be deleted permanently, please confirm you want to delete\n these as well.\n ',
+ usingThisMember:
+ 'using this Member Type will be deleted permanently, please confirm you want to delete\n these as well\n ',
+ andAllDocuments: 'and all documents using this type',
+ andAllMediaItems: 'and all media items using this type',
+ andAllMembers: 'and all members using this type',
+ memberCanEdit: 'Member can edit',
+ memberCanEditDescription: 'Allow this property value to be edited by the member on their profile page',
+ isSensitiveData: 'Is sensitive data',
+ isSensitiveDataDescription:
+ "Hide this property value from content editors that don't have access to view sensitive information",
+ showOnMemberProfile: 'Show on member profile',
+ showOnMemberProfileDescription: 'Allow this property value to be displayed on the member profile page',
+ tabHasNoSortOrder: 'tab has no sort order',
+ compositionUsageHeading: 'Where is this composition used?',
+ compositionUsageSpecification:
+ 'This composition is currently used in the composition of the following\n Content Types:\n ',
+ variantsHeading: 'Allow variations',
+ cultureVariantHeading: 'Allow vary by culture',
+ segmentVariantHeading: 'Allow segmentation',
+ cultureVariantLabel: 'Vary by culture',
+ segmentVariantLabel: 'Vary by segments',
+ variantsDescription: 'Allow editors to create content of this type in different languages.',
+ cultureVariantDescription: 'Allow editors to create content of different languages.',
+ segmentVariantDescription: 'Allow editors to create segments of this content.',
+ allowVaryByCulture: 'Allow varying by culture',
+ allowVaryBySegment: 'Allow segmentation',
+ elementType: 'Element Type',
+ elementHeading: 'Is an Element Type',
+ elementDescription:
+ 'An Element Type is meant to be used within other Document Types, and not in the Content\n tree.\n ',
+ elementCannotToggle:
+ 'A Document Type cannot be changed to an Element Type once it has been used to\n create one or more content items.\n ',
+ elementDoesNotSupport: 'This is not applicable for an Element Type',
+ propertyHasChanges: 'You have made changes to this property. Are you sure you want to discard them?',
+ displaySettingsHeadline: 'Appearance',
+ displaySettingsLabelOnTop: 'Label above (full-width)',
+ confirmDeleteTabMessage: 'Are you sure you want to delete the tab %0%?',
+ confirmDeleteGroupMessage: 'Are you sure you want to delete the group %0%?',
+ confirmDeletePropertyMessage: 'Are you sure you want to delete the property %0%?',
+ confirmDeleteTabNotice: 'This will also delete all items below this tab.',
+ confirmDeleteGroupNotice: 'This will also delete all items below this group.',
+ addTab: 'Add tab',
+ convertToTab: 'Convert to tab',
+ tabDirectPropertiesDropZone: 'Drag properties here to place directly on the tab',
+ removeChildNode: 'You are removing the child node',
+ removeChildNodeWarning:
+ 'Removing a child node will limit the editors options to create different content\n types beneath a node.\n ',
+ usingEditor: 'using this editor will get updated with the new settings.',
+ historyCleanupHeading: 'History cleanup',
+ historyCleanupDescription: 'Allow overriding the global history cleanup settings.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Keep all versions newer than days',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Keep latest version per day for days',
+ historyCleanupPreventCleanup: 'Prevent cleanup',
+ historyCleanupEnableCleanup: 'Enable cleanup',
+ historyCleanupGloballyDisabled:
+ 'NOTE! The cleanup of historically content versions are disabled globally. These settings will not take effect before it is enabled.',
+ changeDataTypeHelpText:
+ 'Changing a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ collections: 'Collections',
+ collectionsDescription: 'Configures the content item to show list of its children.',
+ structure: 'Structure',
+ presentation: 'Presentation',
+ },
+ languages: {
+ addLanguage: 'Add language',
+ culture: 'ISO code',
+ mandatoryLanguage: 'Mandatory language',
+ mandatoryLanguageHelp:
+ 'Properties on this language have to be filled out before the node can be\n published.\n ',
+ defaultLanguage: 'Default language',
+ defaultLanguageHelp: 'An Umbraco site can only have one default language set.',
+ changingDefaultLanguageWarning: 'Switching default language may result in default content missing.',
+ fallsbackToLabel: 'Falls back to',
+ noFallbackLanguageOption: 'No fall back language',
+ fallbackLanguageDescription:
+ 'To allow multi-lingual content to fall back to another language if not\n present in the requested language, select it here.\n ',
+ fallbackLanguage: 'Fall back language',
+ none: 'none',
+ invariantPropertyUnlockHelp: '%0% is shared across languages and segments.',
+ invariantCulturePropertyUnlockHelp: '%0% is shared across all languages.',
+ invariantSegmentPropertyUnlockHelp: '%0% is shared across all segments.',
+ invariantLanguageProperty: 'Shared: Languages',
+ invariantSegmentProperty: 'Shared: Segments',
+ },
+ macro: {
+ addParameter: 'Add parameter',
+ editParameter: 'Edit parameter',
+ enterMacroName: 'Enter macro name',
+ parameters: 'Parameters',
+ parametersDescription: 'Define the parameters that should be available when using this macro.',
+ selectViewFile: 'Select partial view macro file',
+ },
+ modelsBuilder: {
+ buildingModels: 'Building models',
+ waitingMessage: "this can take a bit of time, don't worry",
+ modelsGenerated: 'Models generated',
+ modelsGeneratedError: 'Models could not be generated',
+ modelsExceptionInUlog: 'Models generation has failed, see exception in U log',
+ },
+ templateEditor: {
+ addDefaultValue: 'Add default value',
+ defaultValue: 'Default value',
+ alternativeField: 'Fallback field',
+ alternativeText: 'Default value',
+ casing: 'Casing',
+ encoding: 'Encoding',
+ chooseField: 'Choose field',
+ convertLineBreaks: 'Convert line breaks',
+ convertLineBreaksHelp: "Replaces line breaks with 'br' html tag",
+ customFields: 'Custom Fields',
+ dateOnly: 'Date only',
+ formatAsDate: 'Format as date',
+ htmlEncode: 'HTML encode',
+ htmlEncodeHelp: 'Will replace special characters by their HTML equivalent.',
+ insertedAfter: 'Will be inserted after the field value',
+ insertedBefore: 'Will be inserted before the field value',
+ lowercase: 'Lowercase',
+ none: 'None',
+ outputSample: 'Output sample',
+ postContent: 'Insert after field',
+ preContent: 'Insert before field',
+ recursive: 'Recursive',
+ recursiveDescr: 'Yes, make it recursive',
+ standardFields: 'Standard Fields',
+ uppercase: 'Uppercase',
+ urlEncode: 'URL encode',
+ urlEncodeHelp: 'Will format special characters in URLs',
+ usedIfAllEmpty: 'Will only be used when the field values above are empty',
+ usedIfEmpty: 'This field will only be used if the primary field is empty',
+ withTime: 'Date and time',
+ },
+ translation: {
+ details: 'Translation details',
+ DownloadXmlDTD: 'Download XML DTD',
+ fields: 'Fields',
+ includeSubpages: 'Include subpages',
+ noTranslators:
+ 'No translator users found. Please create a translator user before you start sending\n content to translation\n ',
+ pageHasBeenSendToTranslation: "The page '%0%' has been send to translation",
+ sendToTranslate: "Send the page '%0%' to translation",
+ totalWords: 'Total words',
+ translateTo: 'Translate to',
+ translationDone: 'Translation completed.',
+ translationDoneHelp:
+ "You can preview the pages, you've just translated, by clicking below. If the\n original page is found, you will get a comparison of the 2 pages.\n ",
+ translationFailed: 'Translation failed, the XML file might be corrupt',
+ translationOptions: 'Translation options',
+ translator: 'Translator',
+ uploadTranslationXml: 'Upload translation XML',
+ },
+ treeHeaders: {
+ content: 'Content',
+ contentBlueprints: 'Document Blueprints',
+ media: 'Media',
+ cacheBrowser: 'Cache Browser',
+ contentRecycleBin: 'Recycle Bin',
+ createdPackages: 'Created packages',
+ dataTypes: 'Data Types',
+ dictionary: 'Dictionary',
+ installedPackages: 'Installed packages',
+ installSkin: 'Install skin',
+ installStarterKit: 'Install starter kit',
+ languages: 'Languages',
+ localPackage: 'Install local package',
+ macros: 'Macros',
+ mediaTypes: 'Media Types',
+ member: 'Members',
+ memberGroups: 'Member Groups',
+ memberRoles: 'Member Roles',
+ memberTypes: 'Member Types',
+ documentTypes: 'Document Types',
+ relationTypes: 'Relation Types',
+ packager: 'Packages',
+ packages: 'Packages',
+ partialViews: 'Partial Views',
+ partialViewMacros: 'Partial View Macro Files',
+ repositories: 'Install from repository',
+ relations: 'Relations',
+ runway: 'Install Runway',
+ runwayModules: 'Runway modules',
+ scripting: 'Scripting Files',
+ scripts: 'Scripts',
+ stylesheets: 'Stylesheets',
+ templates: 'Templates',
+ logViewer: 'Log Viewer',
+ users: 'Users',
+ settingsGroup: 'Settings',
+ templatingGroup: 'Templating',
+ thirdPartyGroup: 'Third Party',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'New update ready',
+ updateDownloadText: '%0% is ready, click here for download',
+ updateNoServer: 'No connection to server',
+ updateNoServerError: 'Error checking for update. Please review trace-stack for further information',
+ },
+ user: {
+ access: 'Access',
+ accessHelp: 'Based on the assigned groups and start nodes, the user has access to the following nodes\n ',
+ assignAccess: 'Assign access',
+ administrators: 'Administrator',
+ categoryField: 'Category field',
+ createDate: 'Created',
+ createUserHeadline: (kind: string) => {
+ return kind === 'Api' ? 'Create API user' : 'Create user';
+ },
+ createUserDescription: (kind: string) => {
+ const defaultUserText = `Create a user to give them access to Umbraco. When a user is created a password will be generated that you can share with them.`;
+ const apiUserText = `Create an Api User to allow external services to authenticate with the Umbraco Management API.`;
+ return kind === 'Api' ? apiUserText : defaultUserText;
+ },
+ changePassword: 'Change password',
+ changePhoto: 'Change photo',
+ configureMfa: 'Configure MFA',
+ emailRequired: 'Required - enter an email address for this user',
+ emailDescription: (usernameIsEmail: boolean) => {
+ return usernameIsEmail
+ ? 'The email address is used for notifications, password recovery, and as the username for logging in'
+ : 'The email address is used for notifications and password recovery';
+ },
+ kind: 'Kind',
+ newPassword: 'New password',
+ newPasswordFormatLengthTip: 'Minimum %0% character(s) to go!',
+ newPasswordFormatNonAlphaTip: 'There should be at least %0% special character(s) in there.',
+ noLockouts: "hasn't been locked out",
+ noPasswordChange: "The password hasn't been changed",
+ confirmNewPassword: 'Confirm new password',
+ changePasswordDescription:
+ "You can change your password for accessing the Umbraco backoffice by filling\n out the form below and click the 'Change Password' button\n ",
+ contentChannel: 'Content Channel',
+ createAnotherUser: 'Create another user',
+ createUserHelp:
+ 'Create new users to give them access to Umbraco. When a new user is created a password\n will be generated that you can share with the user.\n ',
+ descriptionField: 'Description field',
+ disabled: 'Disable User',
+ documentType: 'Document Type',
+ duplicateLogin: 'A user with this login already exists',
+ editors: 'Editor',
+ excerptField: 'Excerpt field',
+ failedPasswordAttempts: 'Failed login attempts',
+ goToProfile: 'Go to user profile',
+ groupsHelp: 'Add groups to assign access and permissions',
+ invite: 'Invite',
+ inviteAnotherUser: 'Invite another user',
+ inviteUserHelp:
+ 'Invite new users to give them access to Umbraco. An invite email will be sent to the\n user with information on how to log in to Umbraco. Invites last for 72 hours.\n ',
+ language: 'UI Culture',
+ languageHelp: 'Set the culture you will see in menus and dialogs',
+ lastLockoutDate: 'Last lockout date',
+ lastLogin: 'Last login',
+ lastPasswordChangeDate: 'Password last changed',
+ loginname: 'Username',
+ loginnameRequired: 'Required - enter a username for this user',
+ loginnameDescription: 'The username is used for logging in',
+ mediastartnode: 'Media start node',
+ mediastartnodehelp: 'Limit the media library to a specific start node',
+ mediastartnodes: 'Media start nodes',
+ mediastartnodeshelp: 'Limit the media library to specific start nodes',
+ modules: 'Sections',
+ nameRequired: 'Required - enter a name for this user',
+ noConsole: 'Disable Umbraco Access',
+ noLogin: 'has not logged in yet',
+ oldPassword: 'Old password',
+ password: 'Password',
+ resetPassword: 'Reset password',
+ passwordChanged: 'Your password has been changed!',
+ passwordChangedGeneric: 'Password changed',
+ passwordConfirm: 'Please confirm the new password',
+ passwordEnterNew: 'Enter your new password',
+ passwordIsBlank: 'Your new password cannot be blank!',
+ passwordCurrent: 'Current password',
+ passwordInvalid: 'Invalid current password',
+ passwordIsDifferent:
+ 'There was a difference between the new password and the confirmed password. Please\n try again!\n ',
+ passwordMismatch: "The confirmed password doesn't match the new password!",
+ passwordRequiresDigit: "The password must have at least one digit ('0'-'9')",
+ passwordRequiresLower: "The password must have at least one lowercase ('a'-'z')",
+ passwordRequiresNonAlphanumeric: 'The password must have at least one non alphanumeric character',
+ passwordRequiresUniqueChars: 'The password must use at least %0% different characters',
+ passwordRequiresUpper: "The password must have at least one uppercase ('A'-'Z')",
+ passwordTooShort: 'The password must be at least %0% characters long',
+ permissionReplaceChildren: 'Replace child node permissions',
+ permissionSelectedPages: 'You are currently modifying permissions for the pages:',
+ permissionSelectPages: 'Select pages to modify their permissions',
+ removePhoto: 'Remove photo',
+ permissionsDefault: 'Default permissions',
+ permissionsGranular: 'Granular permissions',
+ permissionsGranularHelp: 'Set permissions for specific nodes',
+ permissionsEntityGroup_document: 'Content',
+ permissionsEntityGroup_media: 'Media',
+ permissionsEntityGroup_member: 'Member',
+ profile: 'Profile',
+ searchAllChildren: 'Search all children',
+ languagesHelp: 'Limit the languages users have access to edit',
+ allowAccessToAllLanguages: 'Allow access to all languages',
+ allowAccessToAllDocuments: 'Allow access to all documents',
+ allowAccessToAllMedia: 'Allow access to all media',
+ sectionsHelp: 'Add sections to give users access',
+ selectUserGroup: (multiple: boolean) => {
+ return multiple ? 'Select User Groups' : 'Select User Group';
+ },
+ noStartNode: 'No start node selected',
+ noStartNodes: 'No start nodes selected',
+ startnode: 'Content start node',
+ startnodehelp: 'Limit the content tree to a specific start node',
+ startnodes: 'Content start nodes',
+ startnodeshelp: 'Limit the content tree to specific start nodes',
+ updateDate: 'Updated',
+ userCreated: 'has been created',
+ userCreatedSuccessHelp:
+ 'The new user has successfully been created. To log in to Umbraco use the\n password below.\n ',
+ userHasPassword: 'The user already has a password set',
+ userHasGroup: "The user is already in group '%0%'",
+ userLockoutNotEnabled: 'Lockout is not enabled for this user',
+ userManagement: 'User management',
+ username: 'Name',
+ userNotInGroup: "The user is not in group '%0%'",
+ userPermissions: 'User permissions',
+ usergroup: 'User group',
+ usergroups: 'User groups',
+ userInvited: 'has been invited',
+ userInvitedSuccessHelp:
+ 'An invitation has been sent to the new user with details about how to log in to\n Umbraco.\n ',
+ userinviteWelcomeMessage:
+ 'Hello there and welcome to Umbraco! In just 1 minute you’ll be good to go, we\n just need you to setup a password and add a picture for your avatar.\n ',
+ userinviteExpiredMessage:
+ 'Welcome to Umbraco! Unfortunately your invite has expired. Please contact your\n administrator and ask them to resend it.\n ',
+ userinviteAvatarMessage:
+ 'Uploading a photo of yourself will make it easy for other users to recognize\n you. Click the circle above to upload your photo.\n ',
+ writer: 'Writer',
+ configureTwoFactor: 'Configure Two-Factor',
+ change: 'Change',
+ yourProfile: 'Your profile',
+ yourHistory: 'Your recent history',
+ sessionExpires: 'Session expires in',
+ inviteUser: 'Invite user',
+ createUser: 'Create user',
+ sendInvite: 'Send invite',
+ backToUsers: 'Back to users',
+ defaultInvitationMessage: 'Resending invitation...',
+ deleteUser: 'Delete User',
+ deleteUserConfirmation: 'Are you sure you wish to delete this user account?',
+ stateAll: 'All',
+ stateActive: 'Active',
+ stateDisabled: 'Disabled',
+ stateLockedOut: 'Locked out',
+ stateApproved: 'Approved',
+ stateInvited: 'Invited',
+ stateInactive: 'Inactive',
+ sortNameAscending: 'Name (A-Z)',
+ sortNameDescending: 'Name (Z-A)',
+ sortCreateDateDescending: 'Newest',
+ sortCreateDateAscending: 'Oldest',
+ sortLastLoginDateDescending: 'Last login',
+ userKindDefault: 'User',
+ userKindApi: 'API User',
+ noUserGroupsAdded: 'No user groups have been added',
+ '2faDisableText':
+ 'If you wish to disable this two-factor provider, then you must enter the code shown on your authentication device:',
+ '2faProviderIsEnabled': 'This two-factor provider is enabled',
+ '2faProviderIsEnabledMsg': '{0} is now enabled',
+ '2faProviderIsNotEnabledMsg': 'Something went wrong with trying to enable {0}',
+ '2faProviderIsDisabledMsg': '{0} is now disabled',
+ '2faProviderIsNotDisabledMsg': 'Something went wrong with trying to disable {0}',
+ '2faDisableForUser': 'Do you want to disable "{0}" on this user?',
+ '2faQrCodeAlt': 'QR code for two-factor authentication with {0}',
+ '2faQrCodeTitle': 'QR code for two-factor authentication with {0}',
+ '2faQrCodeDescription': 'Scan this QR code with your authenticator app to enable two-factor authentication',
+ '2faCodeInput': 'Verification code',
+ '2faCodeInputHelp': 'Please enter the verification code',
+ '2faInvalidCode': 'Invalid code entered',
+ },
+ validation: {
+ validation: 'Validation',
+ validateAsEmail: 'Validate as an email address',
+ validateAsNumber: 'Validate as a number',
+ validateAsUrl: 'Validate as a URL',
+ enterCustomValidation: '...or enter a custom validation',
+ fieldIsMandatory: 'Field is mandatory',
+ mandatoryMessage: 'Enter a custom validation error message (optional)',
+ validationRegExp: 'Enter a regular expression',
+ validationRegExpMessage: 'Enter a custom validation error message (optional)',
+ minCount: 'You need to add at least',
+ maxCount: 'You can only have',
+ addUpTo: 'Add up to',
+ items: 'items',
+ urls: 'URL(s)',
+ urlsSelected: 'URL(s) selected',
+ itemsSelected: 'items selected',
+ invalidDate: 'Invalid date',
+ invalidNumber: 'Not a number',
+ invalidNumberStepSize: 'Not a valid numeric step size',
+ invalidEmail: 'Invalid email',
+ invalidNull: 'Value cannot be null',
+ invalidEmpty: 'Value cannot be empty',
+ invalidPattern: 'Value is invalid, it does not match the correct pattern',
+ invalidMemberGroupName: 'Invalid member group name',
+ invalidUserGroupName: 'Invalid user group name',
+ invalidToken: 'Invalid token',
+ invalidUsername: 'Invalid username',
+ duplicateEmail: "Email '%0%' is already taken",
+ duplicateUserGroupName: "User group name '%0%' is already taken",
+ duplicateMemberGroupName: "Member group name '%0%' is already taken",
+ duplicateUsername: "Username '%0%' is already taken",
+ customValidation: 'Custom validation',
+ entriesShort: 'Minimum %0% entries, requires %1% more.',
+ entriesExceed: 'Maximum %0% entries, %1% too many.',
+ entriesAreasMismatch: 'The content amount requirements are not met for one or more areas.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Value is set to the recommended value: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Expected value '%1%' for '%2%' in configuration file '%3%', but\n found '%0%'.\n ",
+ checkErrorMessageUnexpectedValue: "Found unexpected value '%0%' for '%2%' in configuration file '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "MacroErrors are set to '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors are set to '%0%' which will prevent some or all pages in\n your site from loading completely if there are any errors in macros. Rectifying this will set the value to '%1%'.\n ",
+ httpsCheckValidCertificate: "Your website's certificate is valid.",
+ httpsCheckInvalidCertificate: "Certificate validation error: '%0%'",
+ httpsCheckExpiredCertificate: "Your website's SSL certificate has expired.",
+ httpsCheckExpiringCertificate: "Your website's SSL certificate is expiring in %0% days.",
+ healthCheckInvalidUrl: "Error pinging the URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'You are currently %0% viewing the site using the HTTPS scheme.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to 'false' in\n your appSettings.json file. Once you access this site using the HTTPS scheme, that should be set to 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to '%0%' in your\n appSettings.json file, your cookies are %1% marked as secure.\n ",
+ compilationDebugCheckSuccessMessage: 'Debug compilation mode is disabled.',
+ compilationDebugCheckErrorMessage:
+ 'Debug compilation mode is currently enabled. It is recommended to\n disable this setting before go live.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is set to %0%.",
+ umbracoApplicationUrlCheckResultFalse: "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is not set.",
+ clickJackingCheckHeaderFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was found.',
+ clickJackingCheckHeaderNotFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was not found.',
+ noSniffCheckHeaderFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was found.',
+ noSniffCheckHeaderNotFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was not found.',
+ hSTSCheckHeaderFound:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found.',
+ hSTSCheckHeaderNotFound: 'The header Strict-Transport-Security was not found.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found. This header should not be present on localhost.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'The header Strict-Transport-Security was not found. This header should not be present on localhost.',
+ xssProtectionCheckHeaderFound:
+ 'The header X-XSS-Protection was found. It is recommended not to add this header to your website. \n You can read about this on the Mozilla website ',
+ xssProtectionCheckHeaderNotFound: 'The header X-XSS-Protection was not found.',
+ excessiveHeadersFound:
+ 'The following headers revealing information about the website technology were found: %0%.',
+ excessiveHeadersNotFound: 'No headers revealing information about the website technology were found.\n ',
+ smtpMailSettingsNotFound: "The 'Umbraco:CMS:Global:Smtp' configuration could not be found.",
+ smtpMailSettingsHostNotConfigured:
+ "The 'Umbraco:CMS:Global:Smtp:Host' configuration could not be\n found.\n ",
+ smtpMailSettingsConnectionSuccess:
+ 'SMTP settings are configured correctly and the service is operating\n as expected.\n ',
+ smtpMailSettingsConnectionFail:
+ "The SMTP server configured with host '%0%' and port '%1%' could not be\n reached. Please check to ensure the SMTP settings in the configuration 'Umbraco:CMS:Global:Smtp' are correct.\n ",
+ notificationEmailsCheckSuccessMessage: 'Notification email has been set to %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Notification email is still set to the default value of %0%.',
+ checkGroup: 'Check group',
+ helpText:
+ '\n
The health checker evaluates various areas of your site for best practice settings, configuration, potential problems, etc. You can easily fix problems by pressing a button.\n You can add your own health checks, have a look at the documentation for more information about custom health checks.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Disable URL tracker',
+ enableUrlTracker: 'Enable URL tracker',
+ culture: 'Culture',
+ originalUrl: 'Original URL',
+ redirectedTo: 'Redirected To',
+ redirectUrlManagement: 'Redirect URL Management',
+ panelInformation: 'The following URLs redirect to this content item:',
+ noRedirects: 'No redirects have been made',
+ noRedirectsDescription:
+ 'When a published page gets renamed or moved a redirect will automatically be\n made to the new page.\n ',
+ redirectRemoved: 'Redirect URL removed.',
+ redirectRemoveError: 'Error removing redirect URL.',
+ redirectRemoveWarning: 'This will remove the redirect',
+ confirmDisable: 'Are you sure you want to disable the URL tracker?',
+ disabledConfirm: 'URL tracker has now been disabled.',
+ disableError: 'Error disabling the URL tracker, more information can be found in your log file.',
+ enabledConfirm: 'URL tracker has now been enabled.',
+ enableError: 'Error enabling the URL tracker, more information can be found in your log file.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'No Dictionary items to choose from',
+ },
+ textbox: {
+ characters_left: '%0% characters left.',
+ characters_exceed: 'Maximum %0% characters, %1% too many.',
+ },
+ recycleBin: {
+ contentTrashed: 'Trashed content with Id: {0} related to original parent content with Id: {1}',
+ mediaTrashed: 'Trashed media with Id: {0} related to original parent media item with Id: {1}',
+ itemCannotBeRestored: 'Cannot automatically restore this item',
+ itemCannotBeRestoredHelpText:
+ 'There is no location where this item can be automatically restored. You\n can move the item manually using the tree below.\n ',
+ wasRestored: 'was restored under',
+ },
+ relationType: {
+ direction: 'Direction',
+ parentToChild: 'Parent to child',
+ bidirectional: 'Bidirectional',
+ parent: 'Parent',
+ child: 'Child',
+ count: 'Count',
+ relation: 'Relation',
+ relations: 'Relations',
+ created: 'Created',
+ comment: 'Comment',
+ name: 'Name',
+ noRelations: 'No relations for this Relation Type',
+ tabRelationType: 'Relation Type',
+ tabRelations: 'Relations',
+ isDependency: 'Is Dependency',
+ dependency: 'Yes',
+ noDependency: 'No',
+ },
+ dashboardTabs: {
+ contentIntro: 'Getting Started',
+ contentRedirectManager: 'Redirect URL Management',
+ mediaFolderBrowser: 'Content',
+ settingsWelcome: 'Welcome',
+ settingsExamine: 'Examine Management',
+ settingsPublishedStatus: 'Published Status',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profiling',
+ memberIntro: 'Getting Started',
+ settingsAnalytics: 'Telemetry data',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Go back',
+ activeListLayout: 'Active layout:',
+ jumpTo: 'Jump to',
+ group: 'group',
+ passed: 'passed',
+ warning: 'warning',
+ failed: 'failed',
+ suggestion: 'suggestion',
+ checkPassed: 'Check passed',
+ checkFailed: 'Check failed',
+ openBackofficeSearch: 'Open backoffice search',
+ openCloseBackofficeHelp: 'Open/Close backoffice help',
+ openCloseBackofficeProfileOptions: 'Open/Close your profile options',
+ assignDomainDescription: 'Setup Culture and Hostnames for %0%',
+ createDescription: 'Create new node under %0%',
+ protectDescription: 'Setup access restrictions on %0%',
+ rightsDescription: 'Setup Permissions on %0%',
+ sortDescription: 'Change sort order for %0%',
+ createblueprintDescription: 'Create Document Blueprint based on %0%',
+ openContextMenu: 'Open context menu for',
+ currentLanguage: 'Current language',
+ switchLanguage: 'Switch language to',
+ createNewFolder: 'Create new folder',
+ newPartialView: 'Partial View',
+ newPartialViewMacro: 'Partial View Macro',
+ newMember: 'Member',
+ newDataType: 'Data Type',
+ redirectDashboardSearchLabel: 'Search the redirect dashboard',
+ userGroupSearchLabel: 'Search the user group section',
+ userSearchLabel: 'Search the users section',
+ createItem: 'Create item',
+ create: 'Create',
+ edit: 'Edit',
+ name: 'Name',
+ addNewRow: 'Add new row',
+ tabExpand: 'View more options',
+ searchOverlayTitle: 'Search the Umbraco backoffice',
+ searchOverlayDescription: 'Search for content nodes, media nodes etc. across the backoffice.',
+ searchInputDescription:
+ 'When autocomplete results are available, press up and down arrows, or use the\n tab key and use the enter key to select.\n ',
+ path: 'Path:',
+ foundIn: 'Found in',
+ hasTranslation: 'Has translation',
+ noTranslation: 'Missing translation',
+ dictionaryListCaption: 'Dictionary items',
+ contextMenuDescription: 'Select one of the options to edit the node.',
+ contextDialogDescription: 'Perform action %0% on the %1% node',
+ addImageCaption: 'Add image caption',
+ searchContentTree: 'Search content tree',
+ maxAmount: 'Maximum amount',
+ },
+ references: {
+ tabName: 'References',
+ DataTypeNoReferences: 'This Data Type has no references.',
+ itemHasNoReferences: 'This item has no references.',
+ labelUsedByDocumentTypes: 'Referenced by the following Document Types',
+ labelUsedByMediaTypes: 'Referenced by the following Media Types',
+ labelUsedByMemberTypes: 'Referenced by the following Member Types',
+ usedByProperties: 'Referenced by',
+ labelUsedByItems: 'Referenced by the following items',
+ labelDependsOnThis: 'The following items depend on this',
+ labelUsedItems: 'The following items are referenced',
+ labelUsedDescendants: 'The following descendant items have dependencies',
+ labelDependentDescendants: 'The following descending items have dependencies',
+ deleteWarning:
+ 'This item or its descendants is being referenced. Deletion can lead to broken links on your website.',
+ unpublishWarning:
+ 'This item or its descendants is being referenced. Unpublishing can lead to broken links on your website. Please take the appropriate actions.',
+ deleteDisabledWarning: 'This item or its descendants is being referenced. Therefore, deletion has been disabled.',
+ listViewDialogWarning: 'The following items you are trying to %0% are referenced by other content.',
+ labelMoreReferences: (count: number) => {
+ if (count === 1) return '...and one more item';
+ return `...and ${count} more items`;
+ },
+ },
+ logViewer: {
+ deleteSavedSearch: 'Delete Saved Search',
+ logLevels: 'Log Levels',
+ selectAllLogLevelFilters: 'Select all',
+ deselectAllLogLevelFilters: 'Deselect all',
+ savedSearches: 'Saved Searches',
+ saveSearch: 'Save Search',
+ saveSearchDescription: 'Enter a friendly name for your search query',
+ filterSearch: 'Filter Search',
+ totalItems: 'Total Items',
+ timestamp: 'Timestamp',
+ level: 'Level',
+ machine: 'Machine',
+ message: 'Message',
+ exception: 'Exception',
+ properties: 'Properties',
+ searchWithGoogle: 'Search With Google',
+ searchThisMessageWithGoogle: 'Search this message with Google',
+ searchWithBing: 'Search With Bing',
+ searchThisMessageWithBing: 'Search this message with Bing',
+ searchOurUmbraco: 'Search Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Search this message on Our Umbraco forums and docs',
+ searchOurUmbracoWithGoogle: 'Search Our Umbraco with Google',
+ searchOurUmbracoForumsUsingGoogle: 'Search Our Umbraco forums using Google',
+ searchUmbracoSource: 'Search Umbraco Source',
+ searchWithinUmbracoSourceCodeOnGithub: 'Search within Umbraco source code on Github',
+ searchUmbracoIssues: 'Search Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Search Umbraco Issues on Github',
+ deleteThisSearch: 'Delete this search',
+ findLogsWithRequestId: 'Find Logs with Request ID',
+ findLogsWithNamespace: 'Find Logs with Namespace',
+ findLogsWithMachineName: 'Find Logs with Machine Name',
+ open: 'Open',
+ polling: 'Polling',
+ every2: 'Every 2 seconds',
+ every5: 'Every 5 seconds',
+ every10: 'Every 10 seconds',
+ every20: 'Every 20 seconds',
+ every30: 'Every 30 seconds',
+ pollingEvery2: 'Polling every 2s',
+ pollingEvery5: 'Polling every 5s',
+ pollingEvery10: 'Polling every 10s',
+ pollingEvery20: 'Polling every 20s',
+ pollingEvery30: 'Polling every 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Copy %0%',
+ labelForArrayOfItemsFrom: '%0% from %1%',
+ labelForArrayOfItems: 'Collection of %0%',
+ labelForRemoveAllEntries: 'Remove all items',
+ labelForClearClipboard: 'Clear clipboard',
+ labelForCopyToClipboard: 'Copy to clipboard',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Open Property Actions',
+ tooltipForPropertyActionsMenuClose: 'Close Property Actions',
+ },
+ nuCache: {
+ refreshStatus: 'Refresh status',
+ memoryCache: 'Memory Cache',
+ memoryCacheDescription:
+ '\n This button lets you reload the in-memory cache, by entirely reloading it from the database\n cache (but it does not rebuild that database cache). This is relatively fast.\n Use it when you think that the memory cache has not been properly refreshed, after some events\n triggered—which would indicate a minor Umbraco issue.\n (note: triggers the reload on all servers in an LB environment).\n ',
+ reload: 'Reload',
+ databaseCache: 'Database Cache',
+ databaseCacheDescription:
+ '\n This button lets you rebuild the database cache, ie the content of the cmsContentNu table.\n Rebuilding can be expensive.\n Use it when reloading is not enough, and you think that the database cache has not been\n properly generated—which would indicate some critical Umbraco issue.\n ',
+ rebuild: 'Rebuild',
+ internals: 'Internals',
+ internalsDescription:
+ '\n This button lets you trigger a NuCache snapshots collection (after running a fullCLR GC).\n Unless you know what that means, you probably do not need to use it.\n ',
+ collect: 'Collect',
+ publishedCacheStatus: 'Published Cache Status',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Performance profiling',
+ performanceProfilingDescription:
+ "\n
\n Umbraco currently runs in debug mode. This means you can use the built-in performance profiler to assess the performance when rendering pages.\n
\n
\n If you want to activate the profiler for a specific page rendering, simply add umbDebug=true to the querystring when requesting the page.\n
\n
\n If you want the profiler to be activated by default for all page renderings, you can use the toggle below.\n It will set a cookie in your browser, which then activates the profiler automatically.\n In other words, the profiler will only be active by default in your browser - not everyone else's.\n
\n ",
+ activateByDefault: 'Activate the profiler by default',
+ reminder: 'Friendly reminder',
+ reminderDescription:
+ '\n
\n You should never let a production site run in debug mode. Debug mode is turned off by setting Umbraco:CMS:Hosting:Debug to false in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ',
+ profilerEnabledDescription:
+ "\n
\n Umbraco currently does not run in debug mode, so you can't use the built-in profiler. This is how it should be for a production site.\n
\n
\n Debug mode is turned on by setting Umbraco:CMS:Hosting:Debug to true in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ",
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Hours of Umbraco training videos are only a click away',
+ trainingDescription:
+ '\n
Want to master Umbraco? Spend a couple of minutes learning some best practices by watching one of these videos about using Umbraco. And visit umbraco.tv for even more Umbraco videos
\n ',
+ getStarted: 'To get you started',
+ },
+ settingsDashboard: {
+ documentationHeader: 'Documentation',
+ documentationDescription: 'Read more about working with the items in Settings in our Documentation.',
+ communityHeader: 'Community',
+ communityDescription: 'Ask a question in the community forum or our Discord community.',
+ trainingHeader: 'Training',
+ trainingDescription: 'Find out about real-life training and certification opportunities',
+ supportHeader: 'Support',
+ supportDescription: 'Extend your team with a highly skilled and passionate bunch of Umbraco know-it-alls.',
+ videosHeader: 'Videos',
+ videosDescription:
+ 'Watch our free tutorial videos on the Umbraco Learning Base YouTube channel, to get up to speed quickly with Umbraco.',
+ getHelp: 'Get the help you need',
+ getCertified: 'Get Certified',
+ goForum: 'Go to the forum',
+ chatWithCommunity: 'Chat with the community',
+ watchVideos: 'Watch the videos',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Welcome to The Friendly CMS',
+ fallbackDescription:
+ "Thank you for choosing Umbraco - we think this could be the beginning of something\n beautiful. While it may feel overwhelming at first, we've done a lot to make the learning curve as smooth and fast\n as possible.\n ",
+ },
+ welcomeDashboard: {
+ ourUmbracoHeadline: 'Our Umbraco - The Friendliest Community',
+ ourUmbracoDescription:
+ "Our Umbraco, the official community site, is your one-stop-shop for everything Umbraco. Whether you need a question answered, cool plugins, or a guide of how to do something in Umbraco, the world's best and friendliest community is just a click away.",
+ ourUmbracoButton: 'Visit Our Umbraco',
+ documentationHeadline: 'Documentation',
+ documentationDescription: 'Find the answers to all your Umbraco questions',
+ communityHeadline: 'Community',
+ communityDescription: 'Get support and inspiration from driven Umbraco experts',
+ resourcesHeadline: 'Resources',
+ resourcesDescription: 'Free video tutorials to jumpstart your journey with the CMS',
+ trainingHeadline: 'Training',
+ trainingDescription: 'Real-life training and official Umbraco certifications',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Pick Element Type',
+ headlineAddSettingsElementType: 'Attach a settings Element Type',
+ headlineAddCustomView: 'Select view',
+ headlineAddCustomStylesheet: 'Select stylesheet',
+ headlineAddThumbnail: 'Choose thumbnail',
+ labelcreateNewElementType: 'Create new Element Type',
+ labelCustomStylesheet: 'Custom stylesheet',
+ addCustomStylesheet: 'Add stylesheet',
+ headlineEditorAppearance: 'Block appearance',
+ headlineDataModels: 'Data models',
+ headlineCatalogueAppearance: 'Catalogue appearance',
+ labelBackgroundColor: 'Background color',
+ labelIconColor: 'Icon color',
+ labelContentElementType: 'Content model',
+ labelLabelTemplate: 'Label',
+ labelCustomView: 'Custom view',
+ labelCustomViewInfoTitle: 'Show custom view description',
+ labelCustomViewDescription:
+ 'Overwrite how this block appears in the backoffice UI. Pick a .html file\n containing your presentation.\n ',
+ labelSettingsElementType: 'Settings model',
+ labelEditorSize: 'Overlay editor size',
+ addCustomView: 'Add custom view',
+ addSettingsElementType: 'Add settings',
+ confirmDeleteBlockMessage: 'Are you sure you want to delete the content %0%?',
+ confirmDeleteBlockTypeMessage: 'Are you sure you want to delete the block configuration %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'The content of this block will still be present, editing of this content\n will no longer be available and will be shown as unsupported content.\n ',
+ confirmDeleteBlockGroupMessage:
+ 'Are you sure you want to delete group %0% and all the Block configurations of this?',
+ confirmDeleteBlockGroupNotice:
+ 'The content of these Blocks will still be present, editing of this content\n will no longer be available and will be shown as unsupported content.\n ',
+ blockConfigurationOverlayTitle: "Configuration of '%0%'",
+ elementTypeDoesNotExist: 'Cannot be edited cause ElementType does not exist.',
+ thumbnail: 'Thumbnail',
+ addThumbnail: 'Add thumbnail',
+ tabCreateEmpty: 'Create empty',
+ tabClipboard: 'Clipboard',
+ tabBlockSettings: 'Settings',
+ headlineAdvanced: 'Advanced',
+ headlineCustomView: 'Custom View',
+ forceHideContentEditor: 'Hide content editor',
+ forceHideContentEditorHelp: 'Hide the content edit button and the content editor from the Block Editor overlay',
+ gridInlineEditing: 'Inline editing',
+ gridInlineEditingHelp:
+ 'Enables inline editing for the first Property. Additional properties can be edited in the overlay.',
+ blockHasChanges: 'You have made changes to this content. Are you sure you want to discard them?',
+ confirmCancelBlockCreationHeadline: 'Discard creation?',
+ confirmCancelBlockCreationMessage: 'Are you sure you want to cancel the creation.',
+ elementTypeDoesNotExistHeadline: 'Error!',
+ elementTypeDoesNotExistDescription: 'The ElementType of this block does not exist anymore',
+ addBlock: 'Add content',
+ addThis: 'Add %0%',
+ propertyEditorNotSupported: "Property '%0%' uses editor '%1%' which is not supported in blocks.",
+ focusParentBlock: 'Set focus on the container block',
+ areaIdentification: 'Identification',
+ areaValidation: 'Validation',
+ areaValidationEntriesShort: '%0% must be present atleast %2% time(s).',
+ areaValidationEntriesExceed: '%0% must maximum be present %3% time(s).',
+ areaNumberOfBlocks: 'Number of blocks',
+ areaDisallowAllBlocks: 'Only allow specific block types',
+ areaAllowedBlocks: 'Allowed block types',
+ areaAllowedBlocksHelp:
+ 'Define the types of blocks that are allowed in this area, and optionally how many of each type that should be present.',
+ confirmDeleteBlockAreaMessage: 'Are you sure you want to delete this area?',
+ confirmDeleteBlockAreaNotice: 'Any blocks currently created within this area will be deleted.',
+ layoutOptions: 'Layout options',
+ structuralOptions: 'Structural',
+ sizeOptions: 'Size options',
+ sizeOptionsHelp: 'Define one or more size options, this enables resizing of the Block',
+ allowedBlockColumns: 'Available column spans',
+ allowedBlockColumnsHelp:
+ 'Define the different number of columns this block is allowed to span across. This does not prevent Blocks from being placed in Areas with a smaller column span.',
+ allowedBlockRows: 'Available row spans',
+ allowedBlockRowsHelp: 'Define the range of layout rows this block is allowed to span across.',
+ allowBlockInRoot: 'Allow in root',
+ allowBlockInRootHelp: 'Make this block available in the root of the layout.',
+ allowBlockInAreas: 'Allow in areas',
+ allowBlockInAreasHelp:
+ 'Make this block available by default within the areas of other Blocks (unless explicit permissions are set for these areas).',
+ areaAllowedBlocksEmpty:
+ 'By default, all block types are allowed in an Area, Use this option to allow only selected types.',
+ areas: 'Areas',
+ areasLayoutColumns: 'Grid Columns for Areas',
+ areasLayoutColumnsHelp:
+ 'Define how many columns that will be available for areas. If not defined, the number of columns defined for the entire layout will be used.',
+ areasConfigurations: 'Areas',
+ areasConfigurationsHelp:
+ "To enable the nesting of blocks within this block, define one or more areas. Areas follow the layout defined by their own grid column configuration. The 'column span' and 'row span' for each area can be adjusted by using the scale-handler box in the bottom right hand corner of the selected area.",
+ invalidDropPosition: '%0% is not allowed at this spot.',
+ defaultLayoutStylesheet: 'Default layout stylesheet',
+ confirmPasteDisallowedNestedBlockHeadline: 'Disallowed content was rejected',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'The inserted content contained disallowed content, which has not been created. Would you like to keep the rest of this content anyway?',
+ areaAliasHelp:
+ 'When using GetBlockGridHTML() to render the Block Grid, the alias will be rendered in the markup as a \'data-area-alias\' attribute. Use the alias attribute to target the element for the area. Example. .umb-block-grid__area[data-area-alias="MyAreaAlias"] { ... }',
+ scaleHandlerButtonTitle: 'Drag to scale',
+ areaCreateLabelTitle: 'Create Button Label',
+ areaCreateLabelHelp: "Override the label text for adding a new Block to this Area, Example: 'Add Widget'",
+ showSizeOptions: 'Show resize options',
+ addBlockType: 'Add Block',
+ addBlockGroup: 'Add group',
+ pickSpecificAllowance: 'Pick group or Block',
+ allowanceMinimum: 'Set a minimum requirement',
+ allowanceMaximum: 'Set a maximum requirement',
+ block: 'Block',
+ tabBlock: 'Block',
+ tabBlockTypeSettings: 'Settings',
+ tabAreas: 'Areas',
+ tabAdvanced: 'Advanced',
+ headlineAllowance: 'Permissions',
+ getSampleHeadline: 'Install Sample Configuration',
+ getSampleDescription:
+ "This will add basic Blocks and help you get started with the Block Grid Editor. You'll get Blocks for Headline, Rich Text, Image, as well as a Two Column Layout.",
+ getSampleButton: 'Install',
+ actionEnterSortMode: 'Sort mode',
+ actionExitSortMode: 'End sort mode',
+ areaAliasIsNotUnique: 'This Areas Alias must be unique compared to the other Areas of this Block.',
+ configureArea: 'Configure area',
+ deleteArea: 'Delete area',
+ addColumnSpanOption: 'Add spanning %0% columns option',
+ createThisFor: (name: string, variantName: string) =>
+ variantName ? `Create ${name} for ${variantName}` : `Create ${name}`,
+ insertBlock: 'Insert Block',
+ labelInlineMode: 'Display inline with text',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'What are Document Blueprints?',
+ whatDescription:
+ 'Document Blueprints are pre-defined content that can be selected when creating a new content node.',
+ createHeadline: 'How do I create a Document Blueprint?',
+ createDescription:
+ '
There are two ways to create a Document Blueprint:
Right-click a content node and select "Create Document Blueprint" to create a new Document Blueprint.
Right-click the Document Blueprints tree in the Settings section and select the Document Type you want to create a Document Blueprint for.
Once given a name, editors can start using the Document Blueprint as a foundation for their new page.
',
+ manageHeadline: 'How do I manage Document Blueprints?',
+ manageDescription:
+ 'You can edit and delete Document Blueprints from the "Document Blueprints" tree in the Settings section. Expand the Document Type which the Document Blueprint is based on and click it to edit or delete it.',
+ },
+ preview: {
+ endLabel: 'End',
+ endTitle: 'End preview mode',
+ openWebsiteLabel: 'Preview website',
+ openWebsiteTitle: 'Open website in preview mode',
+ returnToPreviewHeadline: 'Preview website?',
+ returnToPreviewDescription:
+ 'You have ended preview mode, do you want to enable it again to view the\n latest saved version of your website?\n ',
+ returnToPreviewAcceptButton: 'Preview latest version',
+ returnToPreviewDeclineButton: 'View published version',
+ viewPublishedContentHeadline: 'View published version?',
+ viewPublishedContentDescription:
+ 'You are in Preview Mode, do you want exit in order to view the\n published version of your website?\n ',
+ viewPublishedContentAcceptButton: 'View published version',
+ viewPublishedContentDeclineButton: 'Stay in preview mode',
+ },
+ permissions: {
+ FolderCreation: 'Folder creation',
+ FileWritingForPackages: 'File writing for packages',
+ FileWriting: 'File writing',
+ MediaFolderCreation: 'Media folder creation',
+ },
+ treeSearch: {
+ searchResult: 'item returned',
+ searchResults: 'items returned',
+ },
+ analytics: {
+ consentForAnalytics: 'Consent for telemetry data',
+ analyticsLevelSavedSuccess: 'Telemetry level saved!',
+ analyticsDescription:
+ '\n In order to improve Umbraco and add new functionality based on as relevant information as possible,\n we would like to collect system- and usage information from your installation.\n Aggregate data will be shared on a regular basis as well as learnings from these metrics.\n Hopefully, you will help us collect some valuable data.\n \n We WILL NOT collect any personal data such as content, code, user information, and all data will be fully anonymized.\n ',
+ minimalLevelDescription: 'We will only send an anonymized site ID to let us know that the site exists.',
+ basicLevelDescription: 'We will send an anonymized site ID, Umbraco version, and packages installed',
+ detailedLevelDescription:
+ '\n We will send:\n
\n
Anonymized site ID, Umbraco version, and packages installed.
\n
Number of: Root nodes, Content nodes, Media, Document Types, Templates, Languages, Domains, User Group, Users, Members, Backoffice external login providers, and Property Editors in use.
\n
System information: Webserver, server OS, server framework, server OS language, and database provider.
\n
Configuration settings: Modelsbuilder mode, if custom Umbraco path exists, ASP environment, whether the delivery API is enabled, and allows public access, and if you are in debug mode.
\n
\n We might change what we send on the Detailed level in the future. If so, it will be listed above.\n By choosing "Detailed" you agree to current and future anonymized information being collected.\n ',
+ },
+ routing: {
+ routeNotFoundTitle: 'Not found',
+ routeNotFoundDescription: 'The requested route could not be found. Please check the URL and try again.',
+ },
+ codeEditor: {
+ label: 'Code editor',
+ languageConfigLabel: 'Language',
+ languageConfigDescription: 'Select the language for syntax highlighting and IntelliSense.',
+ heightConfigLabel: 'Height',
+ heightConfigDescription: 'Set the height of the code editor in pixels.',
+ lineNumbersConfigLabel: 'Line numbers',
+ lineNumbersConfigDescription: 'Show line numbers in the code editor.',
+ minimapConfigLabel: 'Minimap',
+ minimapConfigDescription: 'Show a minimap in the code editor.',
+ wordWrapConfigLabel: 'Word wrap',
+ wordWrapConfigDescription: 'Enable word wrapping in the code editor.',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/en.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/en.ts
new file mode 100644
index 0000000000..e5a5eeadc2
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/en.ts
@@ -0,0 +1,2667 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: en
+ * Language Int Name: English (UK)
+ * Language Local Name: English (UK)
+ * Language LCID:
+ * Language Culture: en-GB
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Culture and Hostnames',
+ auditTrail: 'Audit Trail',
+ browse: 'Browse Node',
+ changeDataType: 'Change Data Type',
+ changeDocType: 'Change Document Type',
+ chooseWhereToCopy: 'Choose where to copy',
+ chooseWhereToImport: 'Choose where to import',
+ chooseWhereToMove: 'Choose where to move',
+ copy: 'Duplicate',
+ copyTo: 'Duplicate to',
+ create: 'Create',
+ createblueprint: 'Create Document Blueprint',
+ createGroup: 'Create group',
+ createPackage: 'Create Package',
+ delete: 'Delete',
+ disable: 'Disable',
+ editContent: 'Edit content',
+ editSettings: 'Edit settings',
+ emptyrecyclebin: 'Empty recycle bin',
+ enable: 'Enable',
+ export: 'Export',
+ exportDocumentType: 'Export Document Type',
+ folderCreate: 'Create folder',
+ folderDelete: 'Delete folder',
+ folderRename: 'Rename folder',
+ import: 'Import',
+ importdocumenttype: 'Import Document Type',
+ importPackage: 'Import Package',
+ infiniteEditorChooseWhereToCopy: 'Choose where to copy the selected item(s)',
+ infiniteEditorChooseWhereToMove: 'Choose where to move the selected item(s)',
+ liveEdit: 'Edit in Canvas',
+ logout: 'Exit',
+ move: 'Move to',
+ notify: 'Notifications',
+ protect: 'Public Access',
+ publish: 'Publish',
+ readOnly: 'Read-only',
+ refreshNode: 'Reload',
+ remove: 'Remove',
+ rename: 'Rename',
+ republish: 'Republish entire site',
+ resendInvite: 'Resend Invitation',
+ restore: 'Restore',
+ rights: 'Permissions',
+ rollback: 'Rollback',
+ sendtopublish: 'Send To Publish',
+ sendToTranslate: 'Send To Translation',
+ setGroup: 'Set group',
+ setPermissions: 'Set permissions',
+ sort: 'Sort children',
+ toInTheTreeStructureBelow: 'to in the tree structure below',
+ translate: 'Translate',
+ trash: 'Trash',
+ unlock: 'Unlock',
+ unpublish: 'Unpublish',
+ update: 'Update',
+ wasCopiedTo: 'was copied to',
+ wasDeleted: 'was deleted',
+ wasMovedTo: 'was moved to',
+ },
+ actionCategories: {
+ content: 'Content',
+ administration: 'Administration',
+ structure: 'Structure',
+ other: 'Other',
+ },
+ actionDescriptions: {
+ assignDomain: 'Allow access to assign culture and hostnames',
+ auditTrail: "Allow access to view a node's history log",
+ browse: 'Allow access to view a node',
+ changeDocType: 'Allow access to change Document Type for a node',
+ copy: 'Allow access to copy a node',
+ create: 'Allow access to create nodes',
+ delete: 'Allow access to delete nodes',
+ move: 'Allow access to move a node',
+ protect: 'Allow access to set and change access restrictions for a node',
+ publish: 'Allow access to publish a node',
+ unpublish: 'Allow access to unpublish a node',
+ rights: 'Allow access to change permissions for a node',
+ rollback: 'Allow access to roll back a node to a previous state',
+ sendtopublish: 'Allow access to send a node for approval before publishing',
+ sendToTranslate: 'Allow access to send a node for translation',
+ sort: 'Allow access to change the sort order for nodes',
+ translate: 'Allow access to translate a node',
+ update: 'Allow access to save a node',
+ createblueprint: 'Allow access to create a Document Blueprint',
+ notify: 'Allow access to setup notifications for content nodes',
+ },
+ apps: {
+ umbContent: 'Content',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Permission denied.',
+ addNew: 'Add new domain',
+ addCurrent: 'Add current domain',
+ remove: 'remove',
+ invalidNode: 'Invalid node.',
+ invalidDomain: 'One or more domains have an invalid format.',
+ duplicateDomain: 'Domain has already been assigned.',
+ language: 'Language',
+ domain: 'Domain',
+ domainCreated: "New domain '%0%' has been created",
+ domainDeleted: "Domain '%0%' is deleted",
+ domainExists: "Domain '%0%' has already been assigned",
+ domainUpdated: "Domain '%0%' has been updated",
+ orEdit: 'Edit Current Domains',
+ domainHelpWithVariants:
+ 'Valid domain names are: "example.com", "www.example.com", "example.com:8080", or "https://www.example.com/".\n Furthermore also one-level paths in domains are supported, eg. "example.com/en" or "/en".',
+ inherit: 'Inherit',
+ setLanguage: 'Culture',
+ setLanguageHelp:
+ 'Set the culture for nodes below the current node, or inherit culture from parent nodes. Will also apply \n to the current node, unless a domain below applies too.',
+ setDomains: 'Domains',
+ },
+ buttons: {
+ clearSelection: 'Clear selection',
+ select: 'Select',
+ somethingElse: 'Do something else',
+ bold: 'Bold',
+ deindent: 'Cancel Paragraph Indent',
+ formFieldInsert: 'Insert form field',
+ graphicHeadline: 'Insert graphic headline',
+ htmlEdit: 'Edit Html',
+ indent: 'Indent Paragraph',
+ italic: 'Italic',
+ justifyCenter: 'Center',
+ justifyLeft: 'Justify Left',
+ justifyRight: 'Justify Right',
+ linkInsert: 'Insert Link',
+ linkLocal: 'Insert local link (anchor)',
+ listBullet: 'Bullet List',
+ listNumeric: 'Numeric List',
+ macroInsert: 'Insert macro',
+ pictureInsert: 'Insert picture',
+ publishAndClose: 'Publish and close',
+ publishDescendants: 'Publish with descendants',
+ relations: 'Edit relations',
+ returnToList: 'Return to list',
+ save: 'Save',
+ saveAndClose: 'Save and close',
+ saveAndPublish: 'Save and publish',
+ saveToPublish: 'Save and send for approval',
+ saveListView: 'Save list view',
+ schedulePublish: 'Schedule',
+ saveAndPreview: 'Save and preview',
+ showPageDisabled: "Preview is disabled because there's no template assigned",
+ styleChoose: 'Choose style',
+ styleShow: 'Show styles',
+ tableInsert: 'Insert table',
+ saveAndGenerateModels: 'Save and generate models',
+ undo: 'Undo',
+ redo: 'Redo',
+ deleteTag: 'Delete tag',
+ confirmActionCancel: 'Cancel',
+ confirmActionConfirm: 'Confirm',
+ morePublishingOptions: 'More publishing options',
+ submitChanges: 'Submit',
+ generateModelsAndClose: 'Generate models and close',
+ },
+ auditTrailsMedia: {
+ delete: 'Media deleted',
+ move: 'Media moved',
+ copy: 'Media copied',
+ save: 'Media saved',
+ },
+ auditTrails: {
+ assigndomain: 'Domain assigned: %0%',
+ atViewingFor: 'Viewing for',
+ delete: 'Content deleted',
+ unpublish: 'Content unpublished',
+ publish: 'Content saved and Published',
+ publishvariant: 'Content saved and published for languages: %0%',
+ save: 'Content saved',
+ savevariant: 'Content saved for languages: %0%',
+ move: 'Content moved',
+ copy: 'Content copied',
+ rollback: 'Content rolled back',
+ sendtopublish: 'Content sent for publishing',
+ sendtopublishvariant: 'Content sent for publishing for languages: %0%',
+ sort: 'Sort child items performed by user',
+ custom: '%0%',
+ contentversionpreventcleanup: 'Cleanup disabled for version: %0%',
+ contentversionenablecleanup: 'Cleanup enabled for version: %0%',
+ smallAssignDomain: 'Assign Domain',
+ smallCopy: 'Copy',
+ smallPublish: 'Publish',
+ smallPublishVariant: 'Publish',
+ smallMove: 'Move',
+ smallSave: 'Save',
+ smallSaveVariant: 'Save',
+ smallDelete: 'Delete',
+ smallUnpublish: 'Unpublish',
+ smallRollBack: 'Rollback',
+ smallSendToPublish: 'Send To Publish',
+ smallSendToPublishVariant: 'Send To Publish',
+ smallSort: 'Sort',
+ smallCustom: 'Custom',
+ smallContentVersionPreventCleanup: 'Save',
+ smallContentVersionEnableCleanup: 'Save',
+ historyIncludingVariants: 'History (all variants)',
+ unpublishvariant: 'Content unpublished for languages: %0%',
+ smallUnpublishVariant: 'Unpublish',
+ },
+ codefile: {
+ createFolderIllegalChars: 'The folder name cannot contain illegal characters.',
+ deleteItemFailed: 'Failed to delete item: %0%',
+ },
+ content: {
+ isPublished: 'Is Published',
+ about: 'About this page',
+ alias: 'Alias',
+ alternativeTextHelp: '(how would you describe the picture over the phone)',
+ alternativeUrls: 'Alternative Links',
+ clickToEdit: 'Click to edit this item',
+ createBy: 'Created by',
+ createByDesc: 'Original author',
+ updatedBy: 'Updated by',
+ createDate: 'Created',
+ createDateDesc: 'Date/time this document was created',
+ documentType: 'Document Type',
+ editing: 'Editing',
+ expireDate: 'Remove at',
+ itemChanged: 'This item has been changed after publication',
+ itemNotPublished: 'This item is not published',
+ lastPublished: 'Last published',
+ noItemsToShow: 'There are no items to show',
+ listViewNoItems: 'There are no items to show in the list.',
+ listViewNoContent: 'No content has been added',
+ listViewNoMembers: 'No members have been added',
+ mediatype: 'Media Type',
+ mediaLinks: 'Link to media item(s)',
+ membergroup: 'Member Group',
+ memberrole: 'Role',
+ membertype: 'Member Type',
+ noChanges: 'No changes have been made',
+ noDate: 'No date chosen',
+ nodeName: 'Page title',
+ noMediaLink: 'This media item has no link',
+ otherElements: 'Properties',
+ parentNotPublished:
+ "This document is published but is not visible because the parent '%0%' is\n unpublished\n ",
+ parentCultureNotPublished:
+ "This culture is published but is not visible because it is unpublished on\n parent '%0%'\n ",
+ parentNotPublishedAnomaly: 'This document is published but is not in the cache',
+ getUrlException: 'Could not get the URL',
+ routeError: 'This document is published but its URL would collide with content %0%',
+ routeErrorCannotRoute: 'This document is published but its URL cannot be routed',
+ publish: 'Publish',
+ published: 'Published',
+ publishedPendingChanges: 'Published (pending changes)',
+ publishStatus: 'Publication Status',
+ publishDescendantsHelp:
+ 'Publish %0% and all content items underneath and thereby making their content publicly available.',
+ publishDescendantsWithVariantsHelp:
+ 'Publish variants and variants of same type underneath and thereby making their content publicly available.',
+ noVariantsToProcess: 'There are no available variants',
+ releaseDate: 'Publish at',
+ unpublishDate: 'Unpublish at',
+ removeDate: 'Clear Date',
+ setDate: 'Set date',
+ sortDone: 'Sortorder is updated',
+ sortHelp:
+ 'To sort the nodes, simply drag the nodes or click one of the column headers. You can select\n multiple nodes by holding the "shift" or "control" key while selecting\n ',
+ statistics: 'Statistics',
+ titleOptional: 'Title (optional)',
+ altTextOptional: 'Alternative text (optional)',
+ captionTextOptional: 'Caption (optional)',
+ type: 'Type',
+ unpublish: 'Unpublish',
+ unpublished: 'Unpublished',
+ notCreated: 'Not created',
+ updateDate: 'Last edited',
+ updateDateDesc: 'Date/time this document was edited',
+ uploadClear: 'Remove file(s)',
+ uploadClearImageContext: 'Click here to remove the image from the media item',
+ uploadClearFileContext: 'Click here to remove the file from the media item',
+ urls: 'Link to document',
+ memberof: 'Member of group(s)',
+ notmemberof: 'Not a member of group(s)',
+ childItems: 'Child items',
+ target: 'Target',
+ scheduledPublishServerTime: 'This translates to the following time on the server:',
+ scheduledPublishDocumentation:
+ 'What does this mean?',
+ nestedContentDeleteItem: 'Are you sure you want to delete this item?',
+ nestedContentEditorNotSupported:
+ 'Property %0% uses editor %1% which is not supported by Nested\n Content.\n ',
+ nestedContentDeleteAllItems: 'Are you sure you want to delete all items?',
+ nestedContentNoContentTypes: 'No Content Types are configured for this property.',
+ nestedContentAddElementType: 'Add Element Type',
+ nestedContentSelectElementTypeModalTitle: 'Select Element Type',
+ nestedContentGroupHelpText:
+ 'Select the group whose properties should be displayed. If left blank, the\n first group on the Element Type will be used.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Enter an angular expression to evaluate against each item for its\n name. Use\n ',
+ nestedContentTemplateHelpTextPart2: 'to display the item index',
+ nestedContentNoGroups:
+ 'The selected element type does not contain any supported groups (tabs are not supported by this editor, either change them to groups or use the Block List editor).',
+ addTextBox: 'Add another text box',
+ removeTextBox: 'Remove this text box',
+ contentRoot: 'Content root',
+ includeUnpublished: 'Include unpublished content items.',
+ isSensitiveValue:
+ 'This value is hidden. If you need access to view this value please contact your\n website administrator.\n ',
+ isSensitiveValue_short: 'This value is hidden.',
+ languagesToPublish: 'What languages would you like to publish?',
+ languagesToSendForApproval: 'What languages would you like to send for approval?',
+ languagesToSchedule: 'What languages would you like to schedule?',
+ languagesToUnpublish:
+ 'Select the languages to unpublish. Unpublishing a mandatory language will\n unpublish all languages.\n ',
+ variantsWillBeSaved: 'All new variants will be saved.',
+ variantsToPublish: 'Which variants would you like to publish?',
+ variantsToSave: 'Choose which variants to be saved.',
+ publishRequiresVariants: 'The following variants is required for publishing to take place:',
+ notReadyToPublish: 'We are not ready to Publish',
+ readyToPublish: 'Ready to publish?',
+ readyToSave: 'Ready to Save?',
+ resetFocalPoint: 'Reset focal point',
+ sendForApproval: 'Send for approval',
+ schedulePublishHelp: 'Select the date and time to publish and/or unpublish the content item.',
+ createEmpty: 'Create new',
+ createFromClipboard: 'Paste from clipboard',
+ nodeIsInTrash: 'This item is in the Recycle Bin',
+ noProperties: 'No content can be added for this item',
+ variantSaveNotAllowed: 'Save is not allowed',
+ variantPublishNotAllowed: 'Publish is not allowed',
+ variantSendForApprovalNotAllowed: 'Send for approval is not allowed',
+ variantScheduleNotAllowed: 'Schedule is not allowed',
+ variantUnpublishNotAllowed: 'Unpublish is not allowed',
+ selectAllVariants: 'Select all variants',
+ saveModalTitle: 'Save',
+ },
+ blueprints: {
+ createBlueprintFrom: "Create a new Document Blueprint from '%0%'",
+ createBlueprintItemUnder: "Create a new item under '%0%'",
+ createBlueprintFolderUnder: "Create a new folder under '%0%'",
+ blankBlueprint: 'Blank',
+ selectBlueprint: 'Select a Document Blueprint',
+ createdBlueprintHeading: 'Document Blueprint created',
+ createdBlueprintMessage: "A Document Blueprint was created from '%0%'",
+ duplicateBlueprintMessage: 'Another Document Blueprint with the same name already exists',
+ blueprintDescription:
+ 'A Document Blueprint is predefined content that an editor can select to use as the\n basis for creating new content\n ',
+ },
+ media: {
+ clickToUpload: 'Click to upload',
+ orClickHereToUpload: 'or click here to choose files',
+ disallowedFileType: 'Cannot upload this file, it does not have an approved file type',
+ disallowedMediaType: "Cannot upload this file, the media type with alias '%0%' is not allowed here",
+ invalidFileName: 'Cannot upload this file, it does not have a valid file name',
+ maxFileSize: 'Max file size is',
+ mediaRoot: 'Media root',
+ createFolderFailed: 'Failed to create a folder under parent id %0%',
+ renameFolderFailed: 'Failed to rename the folder with id %0%',
+ dragAndDropYourFilesIntoTheArea: 'Drag and drop your file(s) into the area',
+ fileSecurityValidationFailure: 'One or more file security validations have failed',
+ moveToSameFolderFailed: 'Parent and destination folders cannot be the same',
+ uploadNotAllowed: 'Upload is not allowed in this location.',
+ },
+ member: {
+ '2fa': 'Two-Factor Authentication',
+ allMembers: 'All Members',
+ createNewMember: 'Create a new member',
+ duplicateMemberLogin: 'A member with this login already exists',
+ kind: 'Kind',
+ memberGroupNoProperties: 'Member groups have no additional properties for editing.',
+ memberHasGroup: "The member is already in group '%0%'",
+ memberHasPassword: 'The member already has a password set',
+ memberKindDefault: 'Member',
+ memberKindApi: 'API Member',
+ memberLockoutNotEnabled: 'Lockout is not enabled for this member',
+ memberNotInGroup: "The member is not in group '%0%'",
+ },
+ contentType: {
+ copyFailed: 'Failed to copy content type',
+ moveFailed: 'Failed to move content type',
+ },
+ mediaType: {
+ copyFailed: 'Failed to copy media type',
+ moveFailed: 'Failed to move media type',
+ autoPickMediaType: 'Auto pick',
+ },
+ memberType: {
+ copyFailed: 'Failed to copy member type',
+ },
+ create: {
+ chooseNode: 'Where do you want to create the new %0%',
+ createUnder: 'Create an item under',
+ createContentBlueprint: 'Select the Document Type you want to make a Document Blueprint for',
+ enterFolderName: 'Enter a folder name',
+ updateData: 'Choose a type and a title',
+ noDocumentTypes:
+ 'There are no allowed Document Types available for creating content here. You must enable these in Document Types within the Settings section, by editing the Allowed child node types under Permissions.',
+ noDocumentTypesAtRoot:
+ 'There are no Document Types available for creating content here. You must create these in Document Types within the Settings section.',
+ noDocumentTypesWithNoSettingsAccess:
+ "The selected page in the content tree doesn't allow for any pages\n to be created below it.\n ",
+ noDocumentTypesEditPermissions: 'Edit permissions for this Document Type',
+ noDocumentTypesCreateNew: 'Create a new Document Type',
+ noDocumentTypesAllowedAtRoot:
+ 'There are no allowed Document Types available for creating content here. You must enable these in Document Types within the Settings section, by changing the Allow as root option under Permissions.',
+ noMediaTypes:
+ 'There are no allowed Media Types available for creating media here. You must enable these in Media Types within the Settings section, by editing the Allowed child node types under Permissions.',
+ noMediaTypesWithNoSettingsAccess:
+ "The selected media in the tree doesn't allow for any other media to be\n created below it.\n ",
+ noMediaTypesEditPermissions: 'Edit permissions for this Media Types',
+ documentTypeWithoutTemplate: 'Document Type without a template',
+ documentTypeWithTemplate: 'Document Type with Template',
+ documentTypeWithTemplateDescription:
+ 'The data definition for a content page that can be created by\n editors in the content tree and is directly accessible via a URL.\n ',
+ documentType: 'Document Type',
+ documentTypeDescription:
+ 'The data definition for a content component that can be created by editors in\n the content tree and be picked on other pages but has no direct URL.\n ',
+ elementType: 'Element Type',
+ elementTypeDescription:
+ "Defines the schema for a repeating set of properties, for example, in a 'Block\n List' or 'Block Grid' property editor.\n ",
+ composition: 'Composition',
+ compositionDescription:
+ "Defines a re-usable set of properties that can be included in the definition of\n multiple other Document Types. For example, a set of 'Common Page Settings'.\n ",
+ folder: 'Folder',
+ folderDescription:
+ 'Used to organise the Document Types, Compositions and Element Types created in this\n Document Type tree.\n ',
+ newFolder: 'New folder',
+ newDataType: 'New Data Type',
+ newJavascriptFile: 'New JavaScript file',
+ newEmptyPartialView: 'New empty partial view',
+ newPartialViewMacro: 'New partial view macro',
+ newPartialViewFromSnippet: 'New partial view from snippet',
+ newPartialViewMacroFromSnippet: 'New partial view macro from snippet',
+ newPartialViewMacroNoMacro: 'New partial view macro (without macro)',
+ newStyleSheetFile: 'New style sheet file',
+ newRteStyleSheetFile: 'New Rich Text Editor style sheet file',
+ },
+ dashboard: {
+ browser: 'Browse your website',
+ dontShowAgain: '- Hide',
+ nothinghappens: "If Umbraco isn't opening, you might need to allow popups from this site",
+ openinnew: 'has opened in a new window',
+ restart: 'Restart',
+ visit: 'Visit',
+ welcome: 'Welcome',
+ },
+ prompt: {
+ stay: 'Stay',
+ discardChanges: 'Discard changes',
+ unsavedChanges: 'You have unsaved changes',
+ unsavedChangesWarning:
+ 'Are you sure you want to navigate away from this page? - you have unsaved\n changes\n ',
+ confirmListViewPublish: 'Publishing will make the selected items visible on the site.',
+ confirmListViewUnpublish:
+ 'Unpublishing will remove the selected items and all their descendants from the\n site.\n ',
+ confirmUnpublish: 'Unpublishing will remove this page and all its descendants from the site.',
+ doctypeChangeWarning:
+ 'You have unsaved changes. Making changes to the Document Type will discard the\n changes.\n ',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: 'Deleted %0% item',
+ deletedItems: 'Deleted %0% items',
+ deletedItemOfItem: 'Deleted %0% out of %1% item',
+ deletedItemOfItems: 'Deleted %0% out of %1% items',
+ publishedItem: 'Published %0% item',
+ publishedItems: 'Published %0% items',
+ publishedItemOfItem: 'Published %0% out of %1% item',
+ publishedItemOfItems: 'Published %0% out of %1% items',
+ unpublishedItem: 'Unpublished %0% item',
+ unpublishedItems: 'Unpublished %0% items',
+ unpublishedItemOfItem: 'Unpublished %0% out of %1% item',
+ unpublishedItemOfItems: 'Unpublished %0% out of %1% items',
+ movedItem: 'Moved %0% item',
+ movedItems: 'Moved %0% items',
+ movedItemOfItem: 'Moved %0% out of %1% item',
+ movedItemOfItems: 'Moved %0% out of %1% items',
+ copiedItem: 'Copied %0% item',
+ copiedItems: 'Copied %0% items',
+ copiedItemOfItem: 'Copied %0% out of %1% item',
+ copiedItemOfItems: 'Copied %0% out of %1% items',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Link title',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Anchor / querystring',
+ anchorInsert: 'Name',
+ closeThisWindow: 'Close this window',
+ confirmdelete: 'Are you sure you want to delete',
+ confirmdeleteNumberOfItems: 'Are you sure you want to delete %0% of %1% items',
+ confirmdisable: 'Are you sure you want to disable',
+ confirmremove: 'Are you sure you want to remove',
+ confirmremoveusageof: 'Are you sure you want to remove the usage of %0%',
+ confirmlogout: 'Are you sure?',
+ confirmSure: 'Are you sure?',
+ cut: 'Cut',
+ editDictionary: 'Edit dictionary item',
+ editLanguage: 'Edit language',
+ editSelectedMedia: 'Edit selected media',
+ editWebhook: 'Edit webhook',
+ insertAnchor: 'Insert local link',
+ insertCharacter: 'Insert character',
+ insertgraphicheadline: 'Insert graphic headline',
+ insertimage: 'Insert picture',
+ insertlink: 'Insert link',
+ insertMacro: 'Click to add a Macro',
+ inserttable: 'Insert table',
+ languagedeletewarning: 'This will delete the language and all content related to the language',
+ languageChangeWarning:
+ 'Changing the culture for a language may be an expensive operation and will result\n in the content cache and indexes being rebuilt\n ',
+ lastEdited: 'Last Edited',
+ link: 'Link',
+ linkinternal: 'Internal link',
+ linklocaltip: 'When using local links, insert "#" in front of link',
+ linknewwindow: 'Open in new window?',
+ macroDoesNotHaveProperties: 'This macro does not contain any properties you can edit',
+ paste: 'Paste',
+ permissionsEdit: 'Edit permissions for',
+ permissionsSet: 'Set permissions for',
+ permissionsSetForGroup: 'Set permissions for %0% for user group %1%',
+ permissionsHelp: 'Select the users groups you want to set permissions for',
+ recycleBinDeleting:
+ 'The items in the recycle bin are now being deleted. Please do not close this window\n while this operation takes place\n ',
+ recycleBinIsEmpty: 'The recycle bin is now empty',
+ recycleBinWarning: 'When items are deleted from the recycle bin, they will be gone forever',
+ regexSearchError:
+ "regexlib.com's webservice is currently experiencing some problems, which we have no control over. We are very sorry for this inconvenience.",
+ regexSearchHelp:
+ "Search for a regular expression to add validation to a form field. Example: 'email,\n 'zip-code', 'URL'.\n ",
+ removeMacro: 'Remove Macro',
+ requiredField: 'Required Field',
+ sitereindexed: 'Site is reindexed',
+ siterepublished:
+ 'The website cache has been refreshed. All publish content is now up to date. While all\n unpublished content is still unpublished\n ',
+ siterepublishHelp:
+ 'The website cache will be refreshed. All published content will be updated, while\n unpublished content will stay unpublished.\n ',
+ tableColumns: 'Number of columns',
+ tableRows: 'Number of rows',
+ thumbnailimageclickfororiginal: 'Click on the image to see full size',
+ treepicker: 'Pick item',
+ viewCacheItem: 'View Cache Item',
+ relateToOriginalLabel: 'Relate to original',
+ includeDescendants: 'Include descendants',
+ theFriendliestCommunity: 'The friendliest community',
+ linkToPage: 'Link to document',
+ openInNewWindow: 'Opens the linked document in a new window or tab',
+ linkToMedia: 'Link to media',
+ selectContentStartNode: 'Select content start node',
+ selectEvent: 'Select event',
+ selectMedia: 'Select media',
+ selectMediaType: 'Select media type',
+ selectIcon: 'Select icon',
+ selectItem: 'Select item',
+ selectLink: 'Select link',
+ selectMacro: 'Select macro',
+ selectContent: 'Select content',
+ selectContentType: 'Select content type',
+ selectMediaStartNode: 'Select media start node',
+ selectMember: 'Choose member',
+ selectMembers: 'Choose members',
+ selectMemberGroup: 'Select member group',
+ selectMemberType: 'Select member type',
+ selectNode: 'Select node',
+ selectLanguages: 'Select languages',
+ selectSections: 'Select sections',
+ selectUser: 'Select user',
+ selectUsers: 'Select users',
+ noIconsFound: 'No icons were found',
+ noMacroParams: 'There are no parameters for this macro',
+ noMacros: 'There are no macros available to insert',
+ externalLoginProviders: 'External logins',
+ exceptionDetail: 'Exception Details',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Link your {0} account',
+ linkYourConfirm:
+ 'You are about to link your Umbraco and {0} accounts and you will be redirected to {0} to confirm.',
+ unLinkYour: 'Un-link your {0} account',
+ unLinkYourConfirm: 'You are about to un-link your Umbraco and {0} accounts and you will be logged out.',
+ linkedToService: 'Your account is linked to this service',
+ selectEditor: 'Select editor',
+ selectSnippet: 'Select snippet',
+ variantdeletewarning:
+ 'This will delete the node and all its languages. If you only want to delete one\n language, you should unpublish the node in that language instead.\n ',
+ propertyuserpickerremovewarning: 'This will remove the user %0%.',
+ userremovewarning: 'This will remove the user %0% from the %1% group',
+ yesRemove: 'Yes, remove',
+ deleteLayout: 'You are deleting the layout',
+ deletingALayout:
+ 'Modifying layout will result in loss of data for any existing content that is based on this configuration.',
+ selectEditorConfiguration: 'Select configuration',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n To import a dictionary item, find the ".udt" file on your computer by clicking the\n "Import" button (you\'ll be asked for confirmation on the next screen)\n ',
+ itemDoesNotExists: 'Dictionary item does not exist.',
+ parentDoesNotExists: 'Parent item does not exist.',
+ noItems: 'There are no dictionary items.',
+ noItemsInFile: 'There are no dictionary items in this file.',
+ noItemsFound: 'There were no dictionary items found.',
+ createNew: 'Create dictionary item',
+ },
+ dictionaryItem: {
+ description: "Edit the different language versions for the dictionary item '%0%' below",
+ displayName: 'Culture Name',
+ changeKeyError: "The key '%0%' already exists.",
+ overviewTitle: 'Dictionary overview',
+ },
+ examineManagement: {
+ configuredSearchers: 'Configured Searchers',
+ configuredSearchersDescription:
+ 'Shows properties and tools for any configured Searcher (i.e. such as a\n multi-index searcher)\n ',
+ fieldValues: 'Field values',
+ healthStatus: 'Health status',
+ healthStatusDescription: 'The health status of the index and if it can be read',
+ indexers: 'Indexers',
+ indexInfo: 'Index info',
+ contentInIndex: 'Content in index',
+ indexInfoDescription: 'Lists the properties of the index',
+ manageIndexes: "Manage Examine's indexes",
+ manageIndexesDescription:
+ 'Allows you to view the details of each index and provides some tools for\n managing the indexes\n ',
+ rebuildIndex: 'Rebuild index',
+ rebuildIndexWarning:
+ '\n This will cause the index to be rebuilt. \n Depending on how much content there is in your site this could take a while. \n It is not recommended to rebuild an index during times of high website traffic or when editors are editing content.\n ',
+ searchers: 'Searchers',
+ searchDescription: 'Search the index and view the results',
+ tools: 'Tools',
+ toolsDescription: 'Tools to manage the index',
+ fields: 'fields',
+ indexCannotRead: 'The index cannot be read and will need to be rebuilt',
+ processIsTakingLonger:
+ 'The process is taking longer than expected, check the Umbraco log to see if there\n have been any errors during this operation\n ',
+ indexCannotRebuild: 'This index cannot be rebuilt because it has no assigned',
+ iIndexPopulator: 'IIndexPopulator',
+ noResults: 'No results were found',
+ searchResultsFound: 'Showing %0% - %1% of %2% result(s) - Page %3% of %4%',
+ },
+ placeholders: {
+ username: 'Enter your username',
+ password: 'Enter your password',
+ confirmPassword: 'Confirm your password',
+ nameentity: 'Name the %0%...',
+ entername: 'Enter a name...',
+ enteremail: 'Enter an email...',
+ enterusername: 'Enter a username...',
+ enterdate: 'Set a date...',
+ label: 'Label...',
+ enterDescription: 'Enter a description...',
+ search: 'Type to search...',
+ filter: 'Type to filter...',
+ enterTags: 'Type to add tags (press enter after each tag)...',
+ email: 'Enter your email',
+ enterMessage: 'Enter a message...',
+ usernameHint: 'Your username is usually your email',
+ anchor: '#value or ?key=value',
+ enterAlias: 'Enter alias...',
+ generatingAlias: 'Generating alias...',
+ a11yCreateItem: 'Create item',
+ a11yEdit: 'Edit',
+ a11yName: 'Name',
+ rteParagraph: 'Write something amazing...',
+ rteHeading: "What's the title?",
+ },
+ editcontenttype: {
+ createListView: 'Create custom list view',
+ removeListView: 'Remove custom list view',
+ aliasAlreadyExists: 'A Content Type, Media Type or Member Type with this alias already exists',
+ },
+ renamecontainer: {
+ renamed: 'Renamed',
+ enterNewFolderName: 'Enter a new folder name here',
+ folderWasRenamed: '%0% was renamed to %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Add prevalue',
+ dataBaseDatatype: 'Database datatype',
+ guid: 'Property editor GUID',
+ renderControl: 'Property editor',
+ rteButtons: 'Buttons',
+ rteEnableAdvancedSettings: 'Enable advanced settings for',
+ rteEnableContextMenu: 'Enable context menu',
+ rteMaximumDefaultImgSize: 'Maximum default size of inserted images',
+ rteRelatedStylesheets: 'Related stylesheets',
+ rteShowLabel: 'Show label',
+ rteWidthAndHeight: 'Width and height',
+ selectFolder: 'Select the folder to move',
+ inTheTree: 'to in the tree structure below',
+ wasMoved: 'was moved underneath',
+ canChangePropertyEditorHelp:
+ 'Changing a property editor on a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ hasReferencesDeleteConsequence:
+ 'Deleting %0% will delete the properties and their data from the following items',
+ acceptDeleteConsequence: 'I understand this action will delete the properties and data based on this Data Type',
+ noConfiguration: 'There is no configuration for this property editor.',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Your data has been saved, but before you can publish this page there are some\n errors you need to fix first:\n ',
+ errorChangingProviderPassword:
+ 'The current membership provider does not support changing password\n (EnablePasswordRetrieval need to be true)\n ',
+ errorExistsWithoutTab: '%0% already exists',
+ errorHeader: 'There were errors:',
+ errorHeaderWithoutTab: 'There were errors:',
+ errorInPasswordFormat:
+ 'The password should be a minimum of %0% characters long and contain at least %1%\n non-alpha numeric character(s)\n ',
+ errorIntegerWithoutTab: '%0% must be an integer',
+ errorMandatory: 'The %0% field in the %1% tab is mandatory',
+ errorMandatoryWithoutTab: '%0% is a mandatory field',
+ errorRegExp: '%0% at %1% is not in a correct format',
+ errorRegExpWithoutTab: '%0% is not in a correct format',
+ },
+ errors: {
+ defaultError: 'An unknown failure has occurred',
+ concurrencyError: 'Optimistic concurrency failure, object has been modified',
+ receivedErrorFromServer: 'Received an error from the server',
+ dissallowedMediaType: 'The specified file type has been disallowed by the administrator',
+ codemirroriewarning:
+ "NOTE! Even though CodeMirror is enabled by configuration, it is disabled in\n Internet Explorer because it's not stable enough.\n ",
+ contentTypeAliasAndNameNotNull: 'Please fill both alias and name on the new property type!',
+ filePermissionsError: 'There is a problem with read/write access to a specific file or folder',
+ macroErrorLoadingPartialView: 'Error loading Partial View script (file: %0%)',
+ missingTitle: 'Please enter a title',
+ missingType: 'Please choose a type',
+ pictureResizeBiggerThanOrg:
+ "You're about to make the picture larger than the original size. Are you sure\n that you want to proceed?\n ",
+ startNodeDoesNotExists: 'Startnode deleted, please contact your administrator',
+ stylesMustMarkBeforeSelect: 'Please mark content before changing style',
+ stylesNoStylesOnPage: 'No active styles available',
+ tableColMergeLeft: 'Please place cursor at the left of the two cells you wish to merge',
+ tableSplitNotSplittable: "You cannot split a cell that hasn't been merged.",
+ propertyHasErrors: 'This property is invalid',
+ externalLoginError: 'External login',
+ unauthorized: 'You were not authorized before performing this action',
+ userNotFound: 'The local user was not found in the database',
+ externalInfoNotFound: 'The server did not succeed in communicating with the external login provider',
+ externalLoginFailed:
+ 'The server failed to authorize you against the external login provider. Please close the window and try again.',
+ externalLoginSuccess: 'You have successfully logged in. You may now close this window.',
+ externalLoginRedirectSuccess: 'You have successfully logged in. You will be redirected shortly.',
+ },
+ openidErrors: {
+ accessDenied: 'Access denied',
+ invalidRequest: 'Invalid request',
+ invalidClient: 'Invalid client',
+ invalidGrant: 'Invalid grant',
+ unauthorizedClient: 'Unauthorized client',
+ unsupportedGrantType: 'Unsupported grant type',
+ invalidScope: 'Invalid scope',
+ serverError: 'Server error',
+ temporarilyUnavailable: 'The service is temporarily unavailable',
+ },
+ general: {
+ about: 'About',
+ action: 'Action',
+ actions: 'Actions',
+ add: 'Add',
+ alias: 'Alias',
+ all: 'All',
+ areyousure: 'Are you sure?',
+ back: 'Back',
+ backToOverview: 'Back to overview',
+ border: 'Border',
+ by: 'by',
+ cancel: 'Cancel',
+ cellMargin: 'Cell margin',
+ choose: 'Choose',
+ clear: 'Clear',
+ close: 'Close',
+ closewindow: 'Close Window',
+ closepane: 'Close Pane',
+ comment: 'Comment',
+ confirm: 'Confirm',
+ constrain: 'Constrain',
+ constrainProportions: 'Constrain proportions',
+ content: 'Content',
+ continue: 'Continue',
+ copy: 'Copy',
+ create: 'Create',
+ database: 'Database',
+ date: 'Date',
+ default: 'Default',
+ delete: 'Delete',
+ deleted: 'Deleted',
+ deleting: 'Deleting...',
+ design: 'Design',
+ details: 'Details',
+ dictionary: 'Dictionary',
+ dimensions: 'Dimensions',
+ discard: 'Discard',
+ down: 'Down',
+ download: 'Download',
+ edit: 'Edit',
+ edited: 'Edited',
+ elements: 'Elements',
+ email: 'Email',
+ error: 'Error',
+ field: 'Field',
+ fieldFor: 'Field for %0%',
+ findDocument: 'Find',
+ first: 'First',
+ focalPoint: 'Focal point',
+ general: 'General',
+ groups: 'Groups',
+ group: 'Group',
+ height: 'Height',
+ help: 'Help',
+ hide: 'Hide',
+ history: 'History',
+ icon: 'Icon',
+ id: 'Id',
+ import: 'Import',
+ excludeFromSubFolders: 'Search only this folder',
+ info: 'Info',
+ innerMargin: 'Inner margin',
+ insert: 'Insert',
+ install: 'Install',
+ invalid: 'Invalid',
+ justify: 'Justify',
+ label: 'Label',
+ language: 'Language',
+ last: 'Last',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Loading',
+ locked: 'Locked',
+ login: 'Login',
+ logoff: 'Log off',
+ logout: 'Logout',
+ macro: 'Macro',
+ mandatory: 'Mandatory',
+ manifest: 'Manifest',
+ message: 'Message',
+ move: 'Move',
+ name: 'Name',
+ never: 'Never',
+ new: 'New',
+ next: 'Next',
+ no: 'No',
+ nodeName: 'Node Name',
+ of: 'of',
+ off: 'Off',
+ ok: 'OK',
+ open: 'Open',
+ options: 'Options',
+ on: 'On',
+ or: 'or',
+ orderBy: 'Order by',
+ password: 'Password',
+ path: 'Path',
+ pleasewait: 'One moment please...',
+ previous: 'Previous',
+ properties: 'Properties',
+ readMore: 'Read more',
+ rebuild: 'Rebuild',
+ reciept: 'Email to receive form data',
+ recycleBin: 'Recycle Bin',
+ recycleBinEmpty: 'Your recycle bin is empty',
+ reload: 'Reload',
+ remaining: 'Remaining',
+ remove: 'Remove',
+ rename: 'Rename',
+ renew: 'Renew',
+ required: 'Required',
+ retrieve: 'Retrieve',
+ retry: 'Retry',
+ rights: 'Permissions',
+ scheduledPublishing: 'Scheduled Publishing',
+ umbracoInfo: 'Umbraco info',
+ search: 'Search',
+ searchNoResult: 'Sorry, we can not find what you are looking for.',
+ noItemsInList: 'No items have been added',
+ server: 'Server',
+ settings: 'Settings',
+ shared: 'Shared',
+ show: 'Show',
+ showPageOnSend: 'Show page on Send',
+ size: 'Size',
+ sort: 'Sort',
+ status: 'Status',
+ submit: 'Submit',
+ success: 'Success',
+ type: 'Type',
+ typeName: 'Type Name',
+ typeToSearch: 'Type to search...',
+ unknown: 'Unknown',
+ unknownUser: 'Unknown user',
+ under: 'under',
+ up: 'Up',
+ update: 'Update',
+ upgrade: 'Upgrade',
+ upload: 'Upload',
+ url: 'URL',
+ user: 'User',
+ users: 'Users',
+ username: 'Username',
+ value: 'Value',
+ view: 'View',
+ welcome: 'Welcome...',
+ width: 'Width',
+ yes: 'Yes',
+ folder: 'Folder',
+ searchResults: 'Search results',
+ reorder: 'Reorder',
+ reorderDone: 'I am done reordering',
+ preview: 'Preview',
+ changePassword: 'Change password',
+ to: 'to',
+ listView: 'List view',
+ saving: 'Saving...',
+ current: 'current',
+ embed: 'Embed',
+ addEditLink: 'Add/Edit Link',
+ removeLink: 'Remove Link',
+ mediaPicker: 'Media Picker',
+ viewSourceCode: 'View Source Code',
+ selected: 'selected',
+ other: 'Other',
+ articles: 'Articles',
+ videos: 'Videos',
+ avatar: 'Avatar for',
+ header: 'Header',
+ systemField: 'system field',
+ lastUpdated: 'Last Updated',
+ skipToMenu: 'Skip to menu',
+ skipToContent: 'Skip to content',
+ restore: 'Restore',
+ primary: 'Primary',
+ change: 'Change',
+ cropSection: 'Crop section',
+ generic: 'Generic',
+ media: 'Media',
+ revert: 'Revert',
+ validate: 'Validate',
+ newVersionAvailable: 'New version available',
+ },
+ colors: {
+ blue: 'Blue',
+ },
+ shortcuts: {
+ addGroup: 'Add group',
+ addProperty: 'Add property',
+ addEditor: 'Add editor',
+ addTemplate: 'Add template',
+ addChildNode: 'Add child node',
+ addChild: 'Add child',
+ editDataType: 'Edit data type',
+ navigateSections: 'Navigate sections',
+ selectAll: 'Select all',
+ shortcut: 'Shortcuts',
+ showShortcuts: 'show shortcuts',
+ toggleListView: 'Toggle list view',
+ toggleAllowAsRoot: 'Toggle allow as root',
+ commentLine: 'Comment/Uncomment lines',
+ removeLine: 'Remove line',
+ copyLineUp: 'Copy Lines Up',
+ copyLineDown: 'Copy Lines Down',
+ moveLineUp: 'Move Lines Up',
+ moveLineDown: 'Move Lines Down',
+ generalHeader: 'General',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Toggle allow culture variants',
+ addTab: 'Add tab',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Background colour',
+ bold: 'Bold',
+ color: 'Text colour',
+ font: 'Font',
+ text: 'Text',
+ },
+ globalSearch: {
+ navigateSearchProviders: 'Navigate search providers',
+ navigateSearchResults: 'Navigate search results',
+ },
+ headers: {
+ page: 'Page',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'The installer cannot connect to the database.',
+ databaseErrorWebConfig:
+ 'Could not save the web.config file. Please modify the connection string\n manually.\n ',
+ databaseFound: 'Your database has been found and is identified as',
+ databaseHeader: 'Database configuration',
+ databaseInstall: '\n Press the install button to install the Umbraco %0% database\n ',
+ databaseInstallDone: 'Umbraco %0% has now been copied to your database. Press Next to proceed.',
+ databaseNotFound:
+ '
Database not found! Please check that the information in the "connection string" of the "web.config" file is correct.
\n
To proceed, please edit the "web.config" file (using Visual Studio or your favourite text editor), scroll to the bottom, add the connection string for your database in the key named "UmbracoDbDSN" and save the file.
',
+ databaseText:
+ 'To complete this step, you must know some information regarding your database server ("connection string"). \n Please contact your ISP if necessary.\n If you\'re installing on a local machine or server you might need information from your system administrator.',
+ databaseUpgrade:
+ "\n
\n Press the upgrade button to upgrade your database to Umbraco %0%
\n
\n Don't worry - no content will be deleted and everything will continue working afterwards!\n
\n ",
+ databaseUpgradeDone:
+ 'Your database has been upgraded to the final version %0%. Press Next to\n proceed. ',
+ databaseUpToDate:
+ 'Your current database is up-to-date!. Click next to continue the configuration wizard',
+ defaultUserChangePass: "The Default users' password needs to be changed!",
+ defaultUserDisabled:
+ 'The Default user has been disabled or has no access to Umbraco!
No further actions needs to be taken. Click Next to proceed.',
+ defaultUserPassChanged:
+ "The Default user's password has been successfully changed since the installation!
No further actions needs to be taken. Click Next to proceed.",
+ defaultUserPasswordChanged: 'The password is changed!',
+ greatStart: 'Get a great start, watch our introduction videos',
+ licenseText:
+ 'By clicking the next button (or modifying the umbracoConfigurationStatus in web.config),\n you accept the license for this software as specified in the box below. Notice that this Umbraco distribution\n consists of two different licenses, the open source MIT license for the framework and the Umbraco freeware license\n that covers the UI.\n ',
+ None: 'Not installed yet.',
+ permissionsAffectedFolders: 'Affected files and folders',
+ permissionsAffectedFoldersMoreInfo: 'More information on setting up permissions for Umbraco here',
+ permissionsAffectedFoldersText:
+ 'You need to grant ASP.NET modify permissions to the following\n files/folders\n ',
+ permissionsAlmostPerfect:
+ 'Your permission settings are almost perfect!
\n You can run Umbraco without problems, but you will not be able to install packages which are recommended to take full advantage of Umbraco.',
+ permissionsHowtoResolve: 'How to Resolve',
+ permissionsHowtoResolveLink: 'Click here to read the text version',
+ permissionsHowtoResolveText:
+ 'Watch our video tutorial on setting up folder permissions for Umbraco or read the text version.',
+ permissionsMaybeAnIssue:
+ 'Your permission settings might be an issue!\n
\n You can run Umbraco without problems, but you will not be able to create folders or install packages which are recommended to take full advantage of Umbraco.',
+ permissionsNotReady:
+ "Your permission settings are not ready for Umbraco!\n
\n In order to run Umbraco, you'll need to update your permission settings.",
+ permissionsPerfect:
+ 'Your permission settings are perfect!
\n You are ready to run Umbraco and install packages!',
+ permissionsResolveFolderIssues: 'Resolving folder issue',
+ permissionsResolveFolderIssuesLink:
+ 'Follow this link for more information on problems with ASP.NET and\n creating folders\n ',
+ permissionsSettingUpPermissions: 'Setting up folder permissions',
+ permissionsText:
+ "\n Umbraco needs write/modify access to certain directories in order to store files like pictures and PDF's.\n It also stores temporary data (aka: cache) for enhancing the performance of your website.\n ",
+ runwayFromScratch: 'I want to start from scratch',
+ runwayFromScratchText:
+ '\n Your website is completely empty at the moment, so that\'s perfect if you want to start from scratch and create your own Document Types and templates.\n (learn how)\n You can still choose to install Runway later on. Please go to the Developer section and choose Packages.\n ',
+ runwayHeader: "You've just set up a clean Umbraco platform. What do you want to do next?",
+ runwayInstalled: 'Runway is installed',
+ runwayInstalledText:
+ '\n You have the foundation in place. Select what modules you wish to install on top of it. \n This is our list of recommended modules, check off the ones you would like to install, or view the full list of modules\n ',
+ runwayOnlyProUsers: 'Only recommended for experienced users',
+ runwaySimpleSite: 'I want to start with a simple website',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" is a simple website providing some basic Document Types and templates. The installer can set up Runway for you automatically,\n but you can easily edit, extend or remove it. It\'s not necessary and you can perfectly use Umbraco without it. However,\n Runway offers an easy foundation based on best practices to get you started faster than ever.\n If you choose to install Runway, you can optionally select basic building blocks called Runway Modules to enhance your Runway pages.\n
\n \n Included with Runway: Home page, Getting Started page, Installing Modules page. \n Optional Modules: Top Navigation, Sitemap, Contact, Gallery.\n \n ',
+ runwayWhatIsRunway: 'What is Runway',
+ step1: 'Step 1/5 Accept license',
+ step2: 'Step 2/5: Database configuration',
+ step3: 'Step 3/5: Validating File Permissions',
+ step4: 'Step 4/5: Check Umbraco security',
+ step5: 'Step 5/5: Umbraco is ready to get you started',
+ thankYou: 'Thank you for choosing Umbraco',
+ theEndBrowseSite: '
Browse your new site
\nYou installed Runway, so why not see how your new website looks.',
+ theEndFurtherHelp:
+ '
Further help and information
\nGet help from our award winning community, browse the documentation or watch some free videos on how to build a simple site, how to use packages and a quick guide to the Umbraco terminology',
+ theEndHeader: 'Umbraco %0% is installed and ready for use',
+ theEndInstallFailed:
+ "To finish the installation, you'll need to\n manually edit the /web.config file and update the AppSetting key UmbracoConfigurationStatus in the bottom to the value of '%0%'.",
+ theEndInstallSuccess:
+ 'You can get started instantly by clicking the "Launch Umbraco" button below. If you are new to Umbraco,\nyou can find plenty of resources on our getting started pages.',
+ theEndOpenUmbraco:
+ '
Launch Umbraco
\nTo manage your website, simply open the Umbraco backoffice and start adding content, updating the templates and stylesheets or add new functionality',
+ Unavailable: 'Connection to database failed.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ watch: 'Watch',
+ welcomeIntro:
+ 'This wizard will guide you through the process of configuring Umbraco %0% for a fresh install or upgrading from version 3.0.\n
\n Press "next" to start the wizard.',
+ },
+ language: {
+ cultureCode: 'Culture Code',
+ displayName: 'Culture Name',
+ noFallbackLanguages: 'There are no other languages to choose from',
+ },
+ lockout: {
+ lockoutWillOccur: "You've been idle and logout will automatically occur in",
+ renewSession: 'Renew now to save your work',
+ },
+ login: {
+ greeting0: 'Welcome',
+ greeting1: 'Welcome',
+ greeting2: 'Welcome',
+ greeting3: 'Welcome',
+ greeting4: 'Welcome',
+ greeting5: 'Welcome',
+ greeting6: 'Welcome',
+ instruction: 'Sign in to Umbraco',
+ signInWith: 'Sign in with {0}',
+ timeout: 'Your session has timed out. Please sign in again below.',
+ },
+ main: {
+ dashboard: 'Dashboard',
+ sections: 'Sections',
+ tree: 'Content',
+ },
+ moveOrCopy: {
+ choose: 'Choose page above...',
+ copyDone: '%0% has been copied to %1%',
+ copyTo: 'Select where the document %0% should be copied to below',
+ moveDone: '%0% has been moved to %1%',
+ moveTo: 'Select where the document %0% should be moved to below',
+ nodeSelected: "has been selected as the root of your new content, click 'ok' below.",
+ noNodeSelected: "No node selected yet, please select a node in the list above before clicking 'ok'",
+ notAllowedByContentType: 'The current node is not allowed under the chosen node because of its type',
+ notAllowedByPath:
+ 'The current node cannot be moved to one of its subpages neither can the parent and destination be the same',
+ notAllowedAtRoot: 'The current node cannot exist at the root',
+ notValid:
+ "The action isn't allowed since you have insufficient permissions on 1 or more child\n documents.\n ",
+ relateToOriginal: 'Relate copied items to original',
+ },
+ notifications: {
+ editNotifications: 'Select your notification for %0%',
+ notificationsSavedFor: 'Notification settings saved for %0%',
+ notifications: 'Notifications',
+ },
+ packager: {
+ actions: 'Actions',
+ created: 'Created',
+ createPackage: 'Create package',
+ chooseLocalPackageText:
+ '\n Choose Package from your machine, by clicking the Browse \n button and locating the package. Umbraco packages usually have a ".umb" or ".zip" extension.\n ',
+ deletewarning: 'This will delete the package',
+ includeAllChildNodes: 'Include all child nodes',
+ installed: 'Installed',
+ installedPackages: 'Installed packages',
+ installInstructions: 'Install instructions',
+ noConfigurationView: 'This package has no configuration view',
+ noPackagesCreated: 'No packages have been created yet',
+ noPackages: 'No packages have been installed',
+ noPackagesDescription:
+ "Browse through the available packages using the 'Packages' icon in the top right of your screen",
+ packageContent: 'Package Content',
+ packageLicense: 'License',
+ packageSearch: 'Search for packages',
+ packageSearchResults: 'Results for',
+ packageNoResults: 'We couldn’t find anything for',
+ packageNoResultsDescription: 'Please try searching for another package or browse through the categories\n ',
+ packagesPopular: 'Popular',
+ packagesPromoted: 'Promoted',
+ packagesNew: 'New releases',
+ packageHas: 'has',
+ packageKarmaPoints: 'karma points',
+ packageInfo: 'Information',
+ packageOwner: 'Owner',
+ packageContrib: 'Contributors',
+ packageCreated: 'Created',
+ packageCurrentVersion: 'Current version',
+ packageNetVersion: '.NET version',
+ packageDownloads: 'Downloads',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Compatibility',
+ packageCompatibilityDescription:
+ 'This package is compatible with the following versions of Umbraco, as\n reported by community members. Full compatibility cannot be guaranteed for versions reported below 100%\n ',
+ packageExternalSources: 'External sources',
+ packageAuthor: 'Author',
+ packageDocumentation: 'Documentation',
+ packageMetaData: 'Package meta data',
+ packageName: 'Package name',
+ packageNoItemsHeader: "Package doesn't contain any items",
+ packageNoItemsText:
+ 'This package file doesn\'t contain any items to uninstall.
\n You can safely remove this from the system by clicking "uninstall package" below.',
+ packageOptions: 'Package options',
+ packageMigrationsRun: 'Run pending package migrations',
+ packageReadme: 'Package readme',
+ packageRepository: 'Package repository',
+ packageUninstallConfirm: 'Confirm package uninstall',
+ packageUninstalledHeader: 'Package was uninstalled',
+ packageUninstalledText: 'The package was successfully uninstalled',
+ packageUninstallHeader: 'Uninstall package',
+ packageUninstallText:
+ 'You can unselect items you do not wish to remove, at this time, below. When you click "confirm uninstall" all checked-off items will be removed. \n Notice: any documents, media etc depending on the items you remove, will stop working, and could lead to system instability,\n so uninstall with caution. If in doubt, contact the package author.',
+ packageVersion: 'Package version',
+ verifiedToWorkOnUmbracoCloud: 'Verified to work on Umbraco Cloud',
+ packageMigrationsComplete: 'Package migrations have successfully completed.',
+ packageMigrationsNonePending: 'All package migrations have successfully completed.',
+ },
+ paste: {
+ doNothing: 'Paste with full formatting (Not recommended)',
+ errorMessage:
+ "The text you're trying to paste contains special characters or formatting. This could be\n caused by copying text from Microsoft Word. Umbraco can remove special characters or formatting automatically, so\n the pasted content will be more suitable for the web.\n ",
+ removeAll: 'Paste as raw text without any formatting at all',
+ removeSpecialFormattering: 'Paste, but remove formatting (Recommended)',
+ },
+ publicAccess: {
+ paGroups: 'Group based protection',
+ paGroupsHelp: 'If you want to grant access to all members of specific member groups',
+ paGroupsNoGroups: 'You need to create a member group before you can use group based authentication',
+ paErrorPage: 'Error Page',
+ paErrorPageHelp: 'Used when people are logged on, but do not have access',
+ paHowWould: 'Choose how to restrict access to the page %0%',
+ paIsProtected: '%0% is now protected',
+ paIsRemoved: 'Protection removed from %0%',
+ paLoginPage: 'Login Page',
+ paLoginPageHelp: 'Choose the page that contains the login form',
+ paRemoveProtection: 'Remove protection...',
+ paRemoveProtectionConfirm: 'Are you sure you want to remove the protection from the page %0%?',
+ paSelectPages: 'Select the pages that contain login form and error messages',
+ paSelectGroups: 'Select the groups who have access to the page %0%',
+ paSelectMembers: 'Select the members who have access to the page %0%',
+ paMembers: 'Specific members protection',
+ paMembersHelp: 'If you wish to grant access to specific members',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% could not be published because the item is scheduled for release.\n ',
+ contentPublishedFailedExpired: '\n %0% could not be published because the item has expired.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% could not be published because these properties: %1% did not pass validation rules.\n ',
+ contentPublishedFailedByEvent: '\n %0% could not be published, a 3rd party add-in cancelled the action.\n ',
+ contentPublishedFailedByParent: '\n %0% can not be published, because a parent page is not published.\n ',
+ contentPublishedFailedByMissingName: '%0% can not be published, because its missing a name.',
+ includeUnpublished: 'Include unpublished subpages',
+ inProgress: 'Publishing in progress - please wait...',
+ inProgressCounter: '%0% out of %1% pages have been published...',
+ nodePublish: '%0% has been published',
+ nodePublishAll: '%0% and subpages have been published',
+ publishAll: 'Publish %0% and all its subpages',
+ publishHelp:
+ 'Click Publish to publish %0% and thereby making its content publicly available.
\n You can publish this page and all its subpages by checking Include unpublished subpages below.\n ',
+ invalidPublishBranchPermissions: 'Insufficient user permissions to publish all descendant documents',
+ contentPublishedFailedIsTrashed: '%0% could not be published because the item is in the recycle bin.',
+ contentPublishedFailedReqCultureValidationError:
+ "Validation failed for required language '%0%'. This language was saved but not published.",
+ },
+ colorpicker: {
+ noColors: 'You have not configured any approved colours',
+ },
+ contentPicker: {
+ allowedItemTypes: 'You can only select items of type(s): %0%',
+ pickedTrashedItem: 'You have picked a content item currently deleted or in the recycle bin',
+ pickedTrashedItems: 'You have picked content items currently deleted or in the recycle bin',
+ specifyPickerRootTitle: 'Specify root',
+ defineRootNode: 'Pick root node',
+ defineXPathOrigin: 'Specify via XPath',
+ defineDynamicRoot: 'Specify a Dynamic Root',
+ },
+ dynamicRoot: {
+ configurationTitle: 'Dynamic Root Query',
+ pickDynamicRootOriginTitle: 'Pick origin',
+ pickDynamicRootOriginDesc: 'Define the origin for your Dynamic Root Query',
+ originRootTitle: 'Root',
+ originRootDesc: 'Root node of this editing session',
+ originParentTitle: 'Parent',
+ originParentDesc: 'The parent node of the source in this editing session',
+ originCurrentTitle: 'Current',
+ originCurrentDesc: 'The content node that is source for this editing session',
+ originSiteTitle: 'Site',
+ originSiteDesc: 'Find nearest node with a hostname',
+ originByKeyTitle: 'Specific Node',
+ originByKeyDesc: 'Pick a specific Node as the origin for this query',
+ pickDynamicRootQueryStepTitle: 'Append step to query',
+ pickDynamicRootQueryStepDesc: 'Define the next step of your Dynamic Root Query',
+ queryStepNearestAncestorOrSelfTitle: 'Nearest Ancestor Or Self',
+ queryStepNearestAncestorOrSelfDesc: 'Query the nearest ancestor or self that fits with one of the configured types',
+ queryStepFurthestAncestorOrSelfTitle: 'Furthest Ancestor Or Self',
+ queryStepFurthestAncestorOrSelfDesc:
+ 'Query the Furthest ancestor or self that fits with one of the configured types',
+ queryStepNearestDescendantOrSelfTitle: 'Nearest Descendant Or Self',
+ queryStepNearestDescendantOrSelfDesc:
+ 'Query the nearest descendant or self that fits with one of the configured types',
+ queryStepFurthestDescendantOrSelfTitle: 'Furthest Descendant Or Self',
+ queryStepFurthestDescendantOrSelfDesc:
+ 'Query the Furthest descendant or self that fits with one of the configured types',
+ queryStepCustomTitle: 'Custom',
+ queryStepCustomDesc: 'Query the using a custom Query Step',
+ addQueryStep: 'Add query step',
+ queryStepTypes: 'That matches types: ',
+ noValidStartNodeTitle: 'No matching content',
+ noValidStartNodeDesc:
+ 'The configuration of this property does not match any content. Create the missing content or contact your administrator to adjust the Dynamic Root settings for this property.',
+ cancelAndClearQuery: 'Cancel and clear query',
+ },
+ mediaPicker: {
+ deletedItem: 'Deleted item',
+ pickedTrashedItem: 'You have picked a media item currently deleted or in the recycle bin',
+ pickedTrashedItems: 'You have picked media items currently deleted or in the recycle bin',
+ trashed: 'Trashed',
+ openMedia: 'Open in Media Library',
+ changeMedia: 'Change Media Item',
+ editMediaEntryLabel: 'Edit %0% on %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Discard creation?',
+ confirmCancelMediaEntryCreationMessage: 'Are you sure you want to cancel the creation.',
+ confirmCancelMediaEntryHasChanges:
+ 'You have made changes to this content. Are you sure you want to\n discard them?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Remove all medias?',
+ tabClipboard: 'Clipboard',
+ notAllowed: 'Not allowed',
+ openMediaPicker: 'Open media picker',
+ },
+ relatedlinks: {
+ enterExternal: 'enter external link',
+ chooseInternal: 'choose internal page',
+ caption: 'Caption',
+ link: 'Link',
+ newWindow: 'Open in new window',
+ captionPlaceholder: 'enter the display caption',
+ externalLinkPlaceholder: 'Enter the link',
+ },
+ imagecropper: {
+ reset: 'Reset crop',
+ updateEditCrop: 'Done',
+ undoEditCrop: 'Undo edits',
+ customCrop: 'User defined',
+ },
+ rollback: {
+ changes: 'Changes',
+ created: 'Created',
+ currentVersion: 'Current version',
+ diffHelp:
+ 'This shows the differences between the current (draft) version and the selected version Red text will be removed in the selected version, green text will be added',
+ noDiff: 'There are no differences between the current (draft) version and the selected version',
+ documentRolledBack: 'Document has been rolled back',
+ headline: 'Select a version to compare with the current version',
+ htmlHelp:
+ 'This displays the selected version as HTML, if you wish to see the difference between 2\n versions at the same time, use the diff view\n ',
+ rollbackTo: 'Rollback to',
+ selectVersion: 'Select version',
+ view: 'View',
+ pagination: 'Showing version %0% to %1% of %2% versions',
+ versions: 'Versions',
+ currentDraftVersion: 'Current draft version',
+ currentPublishedVersion: 'Current published version',
+ },
+ scripts: {
+ editscript: 'Edit script file',
+ },
+ sections: {
+ content: 'Content',
+ media: 'Media',
+ member: 'Members',
+ packages: 'Packages',
+ marketplace: 'Marketplace',
+ settings: 'Settings',
+ translation: 'Translation',
+ users: 'Users',
+ },
+ help: {
+ tours: 'Tours',
+ theBestUmbracoVideoTutorials: 'The best Umbraco video tutorials',
+ umbracoForum: 'Visit our.umbraco.com',
+ umbracoTv: 'Visit umbraco.tv',
+ umbracoLearningBase: 'Watch our free tutorial videos',
+ umbracoLearningBaseDescription: 'on the Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Default template',
+ importDocumentTypeHelp:
+ 'To import a Document Type, find the ".udt" file on your computer by clicking the\n "Import" button (you\'ll be asked for confirmation on the next screen)\n ',
+ newtabname: 'New Tab Title',
+ nodetype: 'Node type',
+ objecttype: 'Type',
+ stylesheet: 'Stylesheet',
+ script: 'Script',
+ tab: 'Tab',
+ tabname: 'Tab Title',
+ tabs: 'Tabs',
+ contentTypeEnabled: 'Master Content Type enabled',
+ contentTypeUses: 'This Content Type uses',
+ noPropertiesDefinedOnTab:
+ 'No properties defined on this tab. Click on the "add a new property" link at\n the top to create a new property.\n ',
+ createMatchingTemplate: 'Create matching template',
+ addIcon: 'Add icon',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'Sorting complete.',
+ sortHelp:
+ 'Drag the different items up or down below to set how they should be arranged. Or click the\n column headers to sort the entire collection of items\n ',
+ sortPleaseWait: 'Please wait. Items are being sorted, this can take a while.',
+ sortEmptyState: 'This node has no child nodes to sort',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validation',
+ validationFailedMessage: 'Validation errors must be fixed before the item can be saved',
+ operationFailedHeader: 'Failed',
+ operationSavedHeader: 'Saved',
+ invalidUserPermissionsText: 'Insufficient user permissions, could not complete the operation',
+ operationCancelledHeader: 'Cancelled',
+ operationCancelledText: 'Operation was cancelled by a 3rd party add-in',
+ folderUploadNotAllowed:
+ 'This file is being uploaded as part of a folder, but creating a new folder is not allowed here',
+ folderCreationNotAllowed: 'Creating a new folder is not allowed here',
+ contentPublishedFailedByEvent: 'Content could not be published, a 3rd party add-in cancelled the action',
+ contentTypeDublicatePropertyType: 'Property type already exists',
+ contentTypePropertyTypeCreated: 'Property type created',
+ contentTypePropertyTypeCreatedText: 'Name: %0% DataType: %1%',
+ contentTypePropertyTypeDeleted: 'Property type deleted',
+ contentTypeSavedHeader: 'Document Type saved',
+ contentTypeTabCreated: 'Tab created',
+ contentTypeTabDeleted: 'Tab deleted',
+ contentTypeTabDeletedText: 'Tab with id: %0% deleted',
+ cssErrorHeader: 'Stylesheet not saved',
+ cssSavedHeader: 'Stylesheet saved',
+ cssSavedText: 'Stylesheet saved without any errors',
+ dataTypeSaved: 'Datatype saved',
+ dictionaryItemSaved: 'Dictionary item saved',
+ editContentPublishedFailedByParent: 'Content could not be published, because a parent page is not published',
+ editContentPublishedHeader: 'Content published',
+ editContentPublishedText: 'and visible on the website',
+ editBlueprintSavedHeader: 'Document Blueprint saved',
+ editBlueprintSavedText: 'Changes have been successfully saved',
+ editContentSavedHeader: 'Content saved',
+ editContentSavedText: 'Remember to publish to make changes visible',
+ editContentSendToPublish: 'Sent For Approval',
+ editContentSendToPublishText: 'Changes have been sent for approval',
+ editMediaSaved: 'Media saved',
+ editMediaSavedText: 'Media saved without any errors',
+ editMemberSaved: 'Member saved',
+ editStylesheetPropertySaved: 'Stylesheet Property Saved',
+ editStylesheetSaved: 'Stylesheet saved',
+ editTemplateSaved: 'Template saved',
+ editUserError: 'Error saving user (check log)',
+ editUserSaved: 'User Saved',
+ editUserTypeSaved: 'User type saved',
+ editUserGroupSaved: 'User group saved',
+ editCulturesAndHostnamesSaved: 'Cultures and hostnames saved',
+ editCulturesAndHostnamesError: 'Error saving cultures and hostnames',
+ fileErrorHeader: 'File not saved',
+ fileErrorText: 'file could not be saved. Please check file permissions',
+ fileSavedHeader: 'File saved',
+ fileSavedText: 'File saved without any errors',
+ languageSaved: 'Language saved',
+ mediaTypeSavedHeader: 'Media Type saved',
+ memberTypeSavedHeader: 'Member Type saved',
+ memberGroupSavedHeader: 'Member Group saved',
+ memberGroupNameDuplicate: 'Another Member Group with the same name already exists',
+ templateErrorHeader: 'Template not saved',
+ templateErrorText: 'Please make sure that you do not have 2 templates with the same alias',
+ templateSavedHeader: 'Template saved',
+ templateSavedText: 'Template saved without any errors!',
+ contentUnpublished: 'Content unpublished',
+ partialViewSavedHeader: 'Partial view saved',
+ partialViewSavedText: 'Partial view saved without any errors!',
+ partialViewErrorHeader: 'Partial view not saved',
+ partialViewErrorText: 'An error occurred saving the file.',
+ permissionsSavedFor: 'Permissions saved for',
+ deleteUserGroupsSuccess: 'Deleted %0% user groups',
+ deleteUserGroupSuccess: '%0% was deleted',
+ enableUsersSuccess: 'Enabled %0% users',
+ disableUsersSuccess: 'Disabled %0% users',
+ enableUserSuccess: '%0% is now enabled',
+ disableUserSuccess: '%0% is now disabled',
+ setUserGroupOnUsersSuccess: 'User groups have been set',
+ unlockUsersSuccess: 'Unlocked %0% users',
+ unlockUserSuccess: '%0% is now unlocked',
+ memberExportedSuccess: 'Member was exported to file',
+ memberExportedError: 'An error occurred while exporting the member',
+ deleteUserSuccess: 'User %0% was deleted',
+ resendInviteHeader: 'Invite user',
+ resendInviteSuccess: 'Invitation has been re-sent to %0%',
+ documentTypeExportedSuccess: 'Document Type was exported to file',
+ documentTypeExportedError: 'An error occurred while exporting the Document Type',
+ dictionaryItemExportedSuccess: 'Dictionary item(s) was exported to file',
+ dictionaryItemExportedError: 'An error occurred while exporting the dictionary item(s)',
+ dictionaryItemImported: 'The following dictionary item(s) has been imported!',
+ publishWithNoDomains:
+ 'Domains are not configured for multilingual site, please contact an administrator,\n see log for more information\n ',
+ publishWithMissingDomain:
+ 'There is no domain configured for %0%, please contact an administrator, see\n log for more information\n ',
+ copySuccessMessage: 'Your system information has successfully been copied to the clipboard',
+ cannotCopyInformation: 'Could not copy your system information to the clipboard',
+ webhookSaved: 'Webhook saved',
+ operationSavedHeaderReloadUser: 'Saved. To view the changes please reload your browser',
+ editMultiContentPublishedText: '%0% documents published and visible on the website',
+ editVariantPublishedText: '%0% published and visible on the website',
+ editMultiVariantPublishedText: '%0% documents published for languages %1% and visible on the website',
+ editContentScheduledSavedText: 'A schedule for publishing has been updated',
+ editVariantSavedText: '%0% saved',
+ editVariantSendToPublishText: '%0% changes have been sent for approval',
+ contentCultureUnpublished: 'Content variation %0% unpublished',
+ contentMandatoryCultureUnpublished:
+ "The mandatory language '%0%' was unpublished. All languages for this content item are now unpublished.",
+ contentReqCulturePublishError: "Cannot publish the document since the required '%0%' is not published",
+ contentCultureValidationError: "Validation failed for language '%0%'",
+ scheduleErrReleaseDate1: 'The release date cannot be in the past',
+ scheduleErrReleaseDate2: "Cannot schedule the document for publishing since the required '%0%' is not published",
+ scheduleErrReleaseDate3:
+ "Cannot schedule the document for publishing since the required '%0%' has a publish date later than a non mandatory language",
+ scheduleErrExpireDate1: 'The expire date cannot be in the past',
+ scheduleErrExpireDate2: 'The expire date cannot be before the release date',
+ preventCleanupEnableError: 'An error occurred while enabling version cleanup for %0%',
+ preventCleanupDisableError: 'An error occurred while disabling version cleanup for %0%',
+ },
+ stylesheet: {
+ addRule: 'Add style',
+ editRule: 'Edit style',
+ editorRules: 'Rich text editor styles',
+ editorRulesHelp:
+ 'Define the styles that should be available in the rich text editor for this\n stylesheet\n ',
+ editstylesheet: 'Edit stylesheet',
+ editstylesheetproperty: 'Edit stylesheet property',
+ nameHelp: 'The name displayed in the editor style selector',
+ preview: 'Preview',
+ previewHelp: 'How the text will look like in the rich text editor.',
+ selector: 'Selector',
+ selectorHelp: 'Uses CSS syntax, e.g. "h1" or ".redHeader"',
+ styles: 'Styles',
+ stylesHelp: 'The CSS that should be applied in the rich text editor, e.g. "color:red;"',
+ tabCode: 'Code',
+ tabRules: 'Editor',
+ },
+ template: {
+ runtimeModeProduction: 'Content is not editable when using runtime mode Production.',
+ deleteByIdFailed: 'Failed to delete template with ID %0%',
+ edittemplate: 'Edit template',
+ insertSections: 'Sections',
+ insertContentArea: 'Insert content area',
+ insertContentAreaPlaceHolder: 'Insert content area placeholder',
+ insert: 'Insert',
+ insertDesc: 'Choose what to insert into your template',
+ insertDictionaryItem: 'Dictionary item',
+ insertDictionaryItemDesc:
+ 'A dictionary item is a placeholder for a translatable piece of text, which\n makes it easy to create designs for multilingual websites.\n ',
+ insertMacro: 'Macro',
+ insertMacroDesc:
+ '\n A Macro is a configurable component which is great for\n reusable parts of your design, where you need the option to provide parameters,\n such as galleries, forms and lists.\n ',
+ insertPageField: 'Value',
+ insertPageFieldDesc:
+ 'Displays the value of a named field from the current page, with options to modify\n the value or fallback to alternative values.\n ',
+ insertPartialView: 'Partial view',
+ insertPartialViewDesc:
+ "\n A partial view is a separate template file which can be rendered inside another\n template, it's great for reusing markup or for separating complex templates into separate files.\n ",
+ mastertemplate: 'Master template',
+ quickGuide: 'Quick guide to template tags',
+ noMaster: 'No master',
+ renderBody: 'Render child template',
+ renderBodyDesc:
+ '\n Renders the contents of a child template, by inserting a\n @RenderBody() placeholder.\n ',
+ defineSection: 'Define a named section',
+ defineSectionDesc:
+ '\n Defines a part of your template as a named section by wrapping it in\n @section { ... }. This can be rendered in a\n specific area of the parent of this template, by using @RenderSection.\n ',
+ renderSection: 'Render a named section',
+ renderSectionDesc:
+ '\n Renders a named area of a child template, by inserting a @RenderSection(name) placeholder.\n This renders an area of a child template which is wrapped in a corresponding @section [name]{ ... } definition.\n ',
+ sectionName: 'Section Name',
+ sectionMandatory: 'Section is mandatory',
+ sectionMandatoryDesc:
+ '\n If mandatory, the child template must contain a @section definition, otherwise an error is shown.\n ',
+ queryBuilder: 'Query builder',
+ itemsReturned: 'items returned, in',
+ iWant: 'I want',
+ allContent: 'all content',
+ contentOfType: 'content of type "%0%"',
+ from: 'from',
+ websiteRoot: 'my website',
+ where: 'where',
+ and: 'and',
+ is: 'is',
+ isNot: 'is not',
+ before: 'before',
+ beforeIncDate: 'before (including selected date)',
+ after: 'after',
+ afterIncDate: 'after (including selected date)',
+ equals: 'equals',
+ doesNotEqual: 'does not equal',
+ contains: 'contains',
+ doesNotContain: 'does not contain',
+ greaterThan: 'greater than',
+ greaterThanEqual: 'greater than or equal to',
+ lessThan: 'less than',
+ lessThanEqual: 'less than or equal to',
+ id: 'Id',
+ name: 'Name',
+ createdDate: 'Created Date',
+ lastUpdatedDate: 'Last Updated Date',
+ orderBy: 'order by',
+ ascending: 'ascending',
+ descending: 'descending',
+ template: 'Template',
+ systemFields: 'System fields',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choose type of content',
+ chooseLayout: 'Choose a layout',
+ addRows: 'Add a row',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ settingsApplied: 'Settings applied',
+ contentNotAllowed: 'This content is not allowed here',
+ contentAllowed: 'This content is allowed here',
+ clickToEmbed: 'Click to embed',
+ clickToInsertImage: 'Click to insert image',
+ clickToInsertMacro: 'Click to insert macro',
+ placeholderWriteHere: 'Write here...',
+ gridLayouts: 'Grid Layouts',
+ gridLayoutsDetail:
+ 'Layouts are the overall work area for the grid editor, usually you only need one or\n two different layouts\n ',
+ addGridLayout: 'Add Grid Layout',
+ editGridLayout: 'Edit Grid Layout',
+ addGridLayoutDetail: 'Adjust the layout by setting column widths and adding additional sections',
+ rowConfigurations: 'Row configurations',
+ rowConfigurationsDetail: 'Rows are predefined cells arranged horizontally',
+ addRowConfiguration: 'Add row configuration',
+ editRowConfiguration: 'Edit row configuration',
+ addRowConfigurationDetail: 'Adjust the row by setting cell widths and adding additional cells',
+ noConfiguration: 'No further configuration available',
+ columns: 'Columns',
+ columnsDetails: 'Total combined number of columns in the grid layout',
+ settings: 'Settings',
+ settingsDetails: 'Configure what settings editors can change',
+ styles: 'Styles',
+ stylesDetails: 'Configure what styling editors can change',
+ allowAllEditors: 'Allow all editors',
+ allowAllRowConfigurations: 'Allow all row configurations',
+ maxItems: 'Maximum items',
+ maxItemsDescription: 'Leave blank or set to 0 for unlimited',
+ setAsDefault: 'Set as default',
+ chooseExtra: 'Choose extra',
+ chooseDefault: 'Choose default',
+ areAdded: 'are added',
+ warning: 'Warning',
+ warningText:
+ '
Modifying a row configuration name will result in loss of data for any existing content that is based on this configuration.
Modifying only the label will not result in data loss.
',
+ youAreDeleting: 'You are deleting the row configuration',
+ deletingARow:
+ '\n Deleting a row configuration name will result in loss of data for any existing content that is based on this\n configuration.\n ',
+ deleteLayout: 'You are deleting the layout',
+ deletingALayout:
+ 'Modifying a layout will result in loss of data for any existing content that is based\n on this configuration.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Compositions',
+ group: 'Group',
+ groupReorderSameAliasError:
+ 'You can\'t move the group %0% to this tab because the group will get the same\n alias as a tab: "%1%". Rename the group to continue.\n ',
+ noGroups: 'You have not added any groups',
+ addGroup: 'Add group',
+ inheritedFrom: 'Inherited from',
+ addProperty: 'Add property',
+ editProperty: 'Edit property',
+ requiredLabel: 'Required label',
+ enableListViewHeading: 'Enable list view',
+ enableListViewDescription: 'Configures the content item to show a sortable and searchable list of its children.',
+ allowedTemplatesHeading: 'Allowed Templates',
+ allowedTemplatesDescription: 'Choose which templates editors are allowed to use on content of this type',
+ allowAtRootHeading: 'Allow at root',
+ allowAtRootDescription: 'Allow editors to create content of this type in the root of the content tree.\n ',
+ childNodesHeading: 'Allowed child node types',
+ childNodesDescription: 'Allow content of the specified types to be created underneath content of this type.',
+ chooseChildNode: 'Choose child node',
+ compositionsDescription:
+ 'Inherit tabs and properties from an existing Document Type. New tabs will be\n added to the current Document Type or merged if a tab with an identical name exists.\n ',
+ compositionInUse: 'This Content Type is used in a composition, and therefore cannot be composed itself.\n ',
+ noAvailableCompositions: 'There are no Content Types available to use as a composition.',
+ compositionRemoveWarning:
+ "Removing a composition will delete all the associated property data. Once you\n save the Document Type there's no way back.\n ",
+ availableEditors: 'Create new',
+ reuse: 'Use existing',
+ editorSettings: 'Editor settings',
+ searchResultSettings: 'Available configurations',
+ searchResultEditors: 'Create a new configuration',
+ configuration: 'Configuration',
+ yesDelete: 'Yes, delete',
+ movedUnderneath: 'was moved underneath',
+ copiedUnderneath: 'was copied underneath',
+ folderToMove: 'Select the folder to move',
+ folderToCopy: 'Select the folder to copy',
+ structureBelow: 'to in the tree structure below',
+ allDocumentTypes: 'All Document Types',
+ allDocuments: 'All Documents',
+ allMediaItems: 'All media items',
+ usingThisDocument:
+ 'using this Document Type will be deleted permanently, please confirm you want to\n delete these as well.\n ',
+ usingThisMedia:
+ 'using this Media Type will be deleted permanently, please confirm you want to delete\n these as well.\n ',
+ usingThisMember:
+ 'using this Member Type will be deleted permanently, please confirm you want to delete\n these as well\n ',
+ andAllDocuments: 'and all documents using this type',
+ andAllMediaItems: 'and all media items using this type',
+ andAllMembers: 'and all members using this type',
+ memberCanEdit: 'Member can edit',
+ memberCanEditDescription: 'Allow this property value to be edited by the member on their profile page',
+ isSensitiveData: 'Is sensitive data',
+ isSensitiveDataDescription:
+ "Hide this property value from content editors that don't have access to view sensitive information",
+ showOnMemberProfile: 'Show on member profile',
+ showOnMemberProfileDescription: 'Allow this property value to be displayed on the member profile page',
+ tabHasNoSortOrder: 'tab has no sort order',
+ compositionUsageHeading: 'Where is this composition used?',
+ compositionUsageSpecification:
+ 'This composition is currently used in the composition of the following\n Content Types:\n ',
+ variantsHeading: 'Allow variations',
+ cultureVariantHeading: 'Allow vary by culture',
+ segmentVariantHeading: 'Allow segmentation',
+ cultureVariantLabel: 'Vary by culture',
+ segmentVariantLabel: 'Vary by segments',
+ variantsDescription: 'Allow editors to create content of this type in different languages.',
+ cultureVariantDescription: 'Allow editors to create content of different languages.',
+ segmentVariantDescription: 'Allow editors to create segments of this content.',
+ allowVaryByCulture: 'Allow varying by culture',
+ allowVaryBySegment: 'Allow segmentation',
+ elementType: 'Element Type',
+ elementHeading: 'Is an Element Type',
+ elementDescription:
+ 'An Element Type is meant to be used within other Document Types, and not in the Content\n tree.\n ',
+ elementCannotToggle:
+ 'A Document Type cannot be changed to an Element Type once it has been used to\n create one or more content items.\n ',
+ elementDoesNotSupport: 'This is not applicable for an Element Type',
+ propertyHasChanges: 'You have made changes to this property. Are you sure you want to discard them?',
+ displaySettingsHeadline: 'Appearance',
+ displaySettingsLabelOnLeft: 'Label to the left',
+ displaySettingsLabelOnTop: 'Label above (full-width)',
+ confirmDeleteTabMessage: 'Are you sure you want to delete the tab %0%?',
+ confirmDeleteGroupMessage: 'Are you sure you want to delete the group %0%?',
+ confirmDeletePropertyMessage: 'Are you sure you want to delete the property %0%?',
+ confirmDeleteTabNotice: 'This will also delete all items below this tab.',
+ confirmDeleteGroupNotice: 'This will also delete all items below this group.',
+ addTab: 'Add tab',
+ convertToTab: 'Convert to tab',
+ tabDirectPropertiesDropZone: 'Drag properties here to place directly on the tab',
+ removeChildNode: 'You are removing the child node',
+ removeChildNodeWarning:
+ 'Removing a child node will limit the editors options to create different content\n types beneath a node.\n ',
+ usingEditor: 'using this editor will get updated with the new settings.',
+ historyCleanupHeading: 'History cleanup',
+ historyCleanupDescription: 'Allow overriding the global history cleanup settings.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Keep all versions newer than days',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Keep latest version per day for days',
+ historyCleanupPreventCleanup: 'Prevent cleanup',
+ historyCleanupEnableCleanup: 'Enable cleanup',
+ historyCleanupGloballyDisabled:
+ 'NOTE! The cleanup of historically content versions are disabled globally. These settings will not take effect before it is enabled.',
+ changeDataTypeHelpText:
+ 'Changing a data type with stored values is disabled. To allow this you can change the Umbraco:CMS:DataTypes:CanBeChanged setting in appsettings.json.',
+ collections: 'Collections',
+ collectionsDescription: 'Configures the content item to show list of its children.',
+ structure: 'Structure',
+ presentation: 'Presentation',
+ },
+ webhooks: {
+ addWebhook: 'Create webhook',
+ addWebhookHeader: 'Add webhook header',
+ addDocumentType: 'Add Document Type',
+ addMediaType: 'Add Media Type',
+ createHeader: 'Create header',
+ deliveries: 'Deliveries',
+ noHeaders: 'No webhook headers have been added',
+ noEventsFound: 'No events were found.',
+ enabled: 'Enabled',
+ events: 'Events',
+ event: 'Event',
+ url: 'URL',
+ types: 'Types',
+ webhookKey: 'Webhook key',
+ retryCount: 'Retry count',
+ urlDescription: 'The URL to call when the webhook is triggered.',
+ eventDescription: 'The events for which the webhook should be triggered.',
+ contentTypeDescription: 'Only trigger the webhook for a specific content type.',
+ enabledDescription: 'Is the webhook enabled?',
+ headersDescription: 'Custom headers to include in the webhook request.',
+ contentType: 'Content Type',
+ headers: 'Headers',
+ selectEventFirst: 'Please select an event first.',
+ selectEvents: 'Select events',
+ },
+ languages: {
+ addLanguage: 'Add language',
+ culture: 'ISO code',
+ mandatoryLanguage: 'Mandatory language',
+ mandatoryLanguageHelp:
+ 'Properties on this language have to be filled out before the node can be\n published.\n ',
+ defaultLanguage: 'Default language',
+ defaultLanguageHelp: 'An Umbraco site can only have one default language set.',
+ changingDefaultLanguageWarning: 'Switching default language may result in default content missing.',
+ fallsbackToLabel: 'Falls back to',
+ noFallbackLanguageOption: 'No fall back language',
+ fallbackLanguageDescription:
+ 'To allow multi-lingual content to fall back to another language if not\n present in the requested language, select it here.\n ',
+ fallbackLanguage: 'Fall back language',
+ none: 'none',
+ invariantPropertyUnlockHelp: '%0% is shared across languages and segments.',
+ invariantCulturePropertyUnlockHelp: '%0% is shared across all languages.',
+ invariantSegmentPropertyUnlockHelp: '%0% is shared across all segments.',
+ invariantLanguageProperty: 'Shared: Languages',
+ invariantSegmentProperty: 'Shared: Segments',
+ },
+ macro: {
+ addParameter: 'Add parameter',
+ editParameter: 'Edit parameter',
+ enterMacroName: 'Enter macro name',
+ parameters: 'Parameters',
+ parametersDescription: 'Define the parameters that should be available when using this macro.',
+ selectViewFile: 'Select partial view macro file',
+ },
+ modelsBuilder: {
+ buildingModels: 'Building models',
+ waitingMessage: "this can take a bit of time, don't worry",
+ modelsGenerated: 'Models generated',
+ modelsGeneratedError: 'Models could not be generated',
+ modelsExceptionInUlog: 'Models generation has failed, see exception in U log',
+ },
+ templateEditor: {
+ addDefaultValue: 'Add default value',
+ defaultValue: 'Default value',
+ alternativeField: 'Fallback field',
+ alternativeText: 'Default value',
+ casing: 'Casing',
+ encoding: 'Encoding',
+ chooseField: 'Choose field',
+ convertLineBreaks: 'Convert line breaks',
+ convertLineBreaksHelp: "Replaces line breaks with 'br' html tag",
+ customFields: 'Custom Fields',
+ dateOnly: 'Date only',
+ formatAsDate: 'Format as date',
+ htmlEncode: 'HTML encode',
+ htmlEncodeHelp: 'Will replace special characters by their HTML equivalent.',
+ insertedAfter: 'Will be inserted after the field value',
+ insertedBefore: 'Will be inserted before the field value',
+ lowercase: 'Lowercase',
+ none: 'None',
+ outputSample: 'Output sample',
+ postContent: 'Insert after field',
+ preContent: 'Insert before field',
+ recursive: 'Recursive',
+ recursiveDescr: 'Yes, make it recursive',
+ removeParagraph: 'Remove paragraph tags',
+ removeParagraphHelp: 'Will remove paragraph tags from the field value',
+ standardFields: 'Standard Fields',
+ uppercase: 'Uppercase',
+ urlEncode: 'URL encode',
+ urlEncodeHelp: 'Will format special characters in URLs',
+ usedIfAllEmpty: 'Will only be used when the field values above are empty',
+ usedIfEmpty: 'This field will only be used if the primary field is empty',
+ withTime: 'Date and time',
+ },
+ translation: {
+ details: 'Translation details',
+ DownloadXmlDTD: 'Download XML DTD',
+ fields: 'Fields',
+ includeSubpages: 'Include subpages',
+ noTranslators:
+ 'No translator users found. Please create a translator user before you start sending\n content to translation\n ',
+ pageHasBeenSendToTranslation: "The page '%0%' has been send to translation",
+ sendToTranslate: "Send the page '%0%' to translation",
+ totalWords: 'Total words',
+ translateTo: 'Translate to',
+ translationDone: 'Translation completed.',
+ translationDoneHelp:
+ "You can preview the pages, you've just translated, by clicking below. If the\n original page is found, you will get a comparison of the 2 pages.\n ",
+ translationFailed: 'Translation failed, the XML file might be corrupt',
+ translationOptions: 'Translation options',
+ translator: 'Translator',
+ uploadTranslationXml: 'Upload translation XML',
+ },
+ treeHeaders: {
+ content: 'Content',
+ contentBlueprints: 'Document Blueprints',
+ media: 'Media',
+ cacheBrowser: 'Cache Browser',
+ contentRecycleBin: 'Recycle Bin',
+ createdPackages: 'Created packages',
+ dataTypes: 'Data Types',
+ dictionary: 'Dictionary',
+ installedPackages: 'Installed packages',
+ installSkin: 'Install skin',
+ installStarterKit: 'Install starter kit',
+ languages: 'Languages',
+ localPackage: 'Install local package',
+ macros: 'Macros',
+ mediaTypes: 'Media Types',
+ member: 'Members',
+ memberGroups: 'Member Groups',
+ memberRoles: 'Member Roles',
+ memberTypes: 'Member Types',
+ documentTypes: 'Document Types',
+ relationTypes: 'Relation Types',
+ packager: 'Packages',
+ packages: 'Packages',
+ partialViews: 'Partial Views',
+ partialViewMacros: 'Partial View Macro Files',
+ repositories: 'Install from repository',
+ relations: 'Relations',
+ runway: 'Install Runway',
+ runwayModules: 'Runway modules',
+ scripting: 'Scripting Files',
+ scripts: 'Scripts',
+ stylesheets: 'Stylesheets',
+ templates: 'Templates',
+ logViewer: 'Log Viewer',
+ userPermissions: 'User permissions',
+ userTypes: 'User types',
+ users: 'Users',
+ settingsGroup: 'Settings',
+ templatingGroup: 'Templating',
+ thirdPartyGroup: 'Third Party',
+ structureGroup: 'Structure',
+ advancedGroup: 'Advanced',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'New update ready',
+ updateDownloadText: '%0% is ready, click here for download',
+ updateNoServer: 'No connection to server',
+ updateNoServerError: 'Error checking for update. Please review trace-stack for further information',
+ },
+ user: {
+ access: 'Access',
+ accessHelp: 'Based on the assigned groups and start nodes, the user has access to the following nodes\n ',
+ assignAccess: 'Assign access',
+ administrators: 'Administrator',
+ categoryField: 'Category field',
+ createDate: 'User created',
+ createUserHeadline: (kind: string) => {
+ return kind === 'Api' ? 'Create API user' : 'Create user';
+ },
+ createUserDescription: (kind: string) => {
+ const defaultUserText = `Create a user to give them access to Umbraco. When a user is created a password will be generated that you can share with them.`;
+ const apiUserText = `Create an Api User to allow external services to authenticate with the Umbraco Management API.`;
+ return kind === 'Api' ? apiUserText : defaultUserText;
+ },
+ changePassword: 'Change your password',
+ changePhoto: 'Change photo',
+ configureMfa: 'Configure MFA',
+ emailRequired: 'Required - enter an email address for this user',
+ emailDescription: (usernameIsEmail: boolean) => {
+ return usernameIsEmail
+ ? 'The email address is used for notifications, password recovery, and as the username for logging in'
+ : 'The email address is used for notifications and password recovery';
+ },
+ kind: 'Kind',
+ newPassword: 'New password',
+ newPasswordFormatLengthTip: 'Minimum %0% character(s) to go!',
+ newPasswordFormatNonAlphaTip: 'There should be at least %0% special character(s) in there.',
+ noLockouts: "hasn't been locked out",
+ noPasswordChange: "The password hasn't been changed",
+ confirmNewPassword: 'Confirm new password',
+ changePasswordDescription:
+ "You can change your password for accessing the Umbraco backoffice by filling\n out the form below and click the 'Change Password' button\n ",
+ contentChannel: 'Content Channel',
+ createAnotherUser: 'Create another user',
+ createUserHelp:
+ 'Create new users to give them access to Umbraco. When a new user is created a password\n will be generated that you can share with the user.\n ',
+ descriptionField: 'Description field',
+ disabled: 'Disable User',
+ documentType: 'Document Type',
+ duplicateLogin: 'A user with this login already exists',
+ editors: 'Editor',
+ excerptField: 'Excerpt field',
+ failedPasswordAttempts: 'Failed login attempts',
+ goToProfile: 'Go to user profile',
+ groupsHelp: 'Add groups to assign access and permissions',
+ invite: 'Invite',
+ inviteAnotherUser: 'Invite another user',
+ inviteUserHelp:
+ 'Invite new users to give them access to Umbraco. An invite email will be sent to the\n user with information on how to log in to Umbraco. Invites last for 72 hours.\n ',
+ language: 'UI Culture',
+ languageHelp: 'Set the culture you will see in menus and dialogs',
+ lastLockoutDate: 'Last lockout date',
+ lastLogin: 'Last login',
+ lastPasswordChangeDate: 'Password last changed',
+ loginname: 'Username',
+ loginnameRequired: 'Required - enter a username for this user',
+ loginnameDescription: 'The username is used for logging in',
+ mediastartnode: 'Media start node',
+ mediastartnodehelp: 'Limit the media library to a specific start node',
+ mediastartnodes: 'Media start nodes',
+ mediastartnodeshelp: 'Limit the media library to specific start nodes',
+ modules: 'Sections',
+ nameRequired: 'Required - enter a name for this user',
+ noConsole: 'Disable Umbraco Access',
+ noLogin: 'has not logged in yet',
+ oldPassword: 'Old password',
+ password: 'Password',
+ resetPassword: 'Reset password',
+ passwordChanged: 'Your password has been changed!',
+ passwordChangedGeneric: 'Password changed',
+ passwordConfirm: 'Please confirm the new password',
+ passwordEnterNew: 'Enter your new password',
+ passwordIsBlank: 'Your new password cannot be blank!',
+ passwordCurrent: 'Current password',
+ passwordInvalid: 'Invalid current password',
+ passwordIsDifferent:
+ 'There was a difference between the new password and the confirmed password. Please try again!',
+ passwordMismatch: "The confirmed password doesn't match the new password!",
+ passwordRequiresDigit: "The password must have at least one digit ('0'-'9')",
+ passwordRequiresLower: "The password must have at least one lowercase ('a'-'z')",
+ passwordRequiresNonAlphanumeric: 'The password must have at least one non alphanumeric character',
+ passwordRequiresUniqueChars: 'The password must use at least %0% different characters',
+ passwordRequiresUpper: "The password must have at least one uppercase ('A'-'Z')",
+ passwordTooShort: 'The password must be at least %0% characters long',
+ permissionReplaceChildren: 'Replace child node permissions',
+ permissionSelectedPages: 'You are currently modifying permissions for the pages:',
+ permissionSelectPages: 'Select pages to modify their permissions',
+ removePhoto: 'Remove photo',
+ permissionsDefault: 'Default permissions',
+ permissionsGranular: 'Granular permissions',
+ permissionsGranularHelp: 'Set permissions for specific nodes',
+ permissionsEntityGroup_document: 'Content',
+ permissionsEntityGroup_media: 'Media',
+ permissionsEntityGroup_member: 'Member',
+ profile: 'Profile',
+ searchAllChildren: 'Search all children',
+ languagesHelp: 'Limit the languages users have access to edit',
+ allowAccessToAllLanguages: 'Allow access to all languages',
+ allowAccessToAllDocuments: 'Allow access to all documents',
+ allowAccessToAllMedia: 'Allow access to all media',
+ sectionsHelp: 'Add sections to give users access',
+ selectUserGroup: (multiple: boolean) => {
+ return multiple ? 'Select User Groups' : 'Select User Group';
+ },
+ noStartNode: 'No start node selected',
+ noStartNodes: 'No start nodes selected',
+ startnode: 'Content start node',
+ startnodehelp: 'Limit the content tree to a specific start node',
+ startnodes: 'Content start nodes',
+ startnodeshelp: 'Limit the content tree to specific start nodes',
+ updateDate: 'User last updated',
+ userCreated: 'has been created',
+ userCreatedSuccessHelp:
+ 'The new user has successfully been created. To log in to Umbraco use the\n password below.\n ',
+ userHasPassword: 'The user already has a password set',
+ userHasGroup: "The user is already in group '%0%'",
+ userLockoutNotEnabled: 'Lockout is not enabled for this user',
+ userManagement: 'User management',
+ username: 'Name',
+ userNotInGroup: "The user is not in group '%0%'",
+ userPermissions: 'User permissions',
+ usergroup: 'User group',
+ usergroups: 'User groups',
+ userInvited: 'has been invited',
+ userInvitedSuccessHelp:
+ 'An invitation has been sent to the new user with details about how to log in to\n Umbraco.\n ',
+ userinviteWelcomeMessage:
+ 'Hello there and welcome to Umbraco! In just 1 minute you’ll be good to go, we\n just need you to setup a password and add a picture for your avatar.\n ',
+ userinviteExpiredMessage:
+ 'Welcome to Umbraco! Unfortunately your invite has expired. Please contact your\n administrator and ask them to resend it.\n ',
+ userinviteAvatarMessage:
+ 'Uploading a photo of yourself will make it easy for other users to recognize\n you. Click the circle above to upload your photo.\n ',
+ writer: 'Writer',
+ configureTwoFactor: 'Configure Two-Factor',
+ change: 'Change',
+ yourProfile: 'Your profile',
+ yourHistory: 'Your recent history',
+ sessionExpires: 'Session expires in',
+ inviteUser: 'Invite user',
+ createUser: 'Create user',
+ sendInvite: 'Send invite',
+ backToUsers: 'Back to users',
+ defaultInvitationMessage: 'Resending invitation...',
+ deleteUser: 'Delete User',
+ deleteUserConfirmation: 'Are you sure you wish to delete this user account?',
+ stateAll: 'All',
+ stateActive: 'Active',
+ stateDisabled: 'Disabled',
+ stateLockedOut: 'Locked out',
+ stateApproved: 'Approved',
+ stateInvited: 'Invited',
+ stateInactive: 'Inactive',
+ sortNameAscending: 'Name (A-Z)',
+ sortNameDescending: 'Name (Z-A)',
+ sortCreateDateDescending: 'Newest',
+ sortCreateDateAscending: 'Oldest',
+ sortLastLoginDateDescending: 'Last login',
+ userKindDefault: 'User',
+ userKindApi: 'API User',
+ noUserGroupsAdded: 'No user groups have been added',
+ '2faDisableText':
+ 'If you wish to disable this two-factor provider, then you must enter the code shown on your authentication device:',
+ '2faProviderIsEnabled': 'This two-factor provider is enabled',
+ '2faProviderIsEnabledMsg': '{0} is now enabled',
+ '2faProviderIsNotEnabledMsg': 'Something went wrong with trying to enable {0}',
+ '2faProviderIsDisabledMsg': '{0} is now disabled',
+ '2faProviderIsNotDisabledMsg': 'Something went wrong with trying to disable {0}',
+ '2faDisableForUser': 'Do you want to disable "{0}" on this user?',
+ '2faQrCodeAlt': 'QR code for two-factor authentication with {0}',
+ '2faQrCodeTitle': 'QR code for two-factor authentication with {0}',
+ '2faQrCodeDescription': 'Scan this QR code with your authenticator app to enable two-factor authentication',
+ '2faCodeInput': 'Verification code',
+ '2faCodeInputHelp': 'Please enter the verification code',
+ '2faInvalidCode': 'Invalid code entered',
+ },
+ validation: {
+ validation: 'Validation',
+ validateNothing: 'No validation',
+ validateAsEmail: 'Validate as an email address',
+ validateAsNumber: 'Validate as a number',
+ validateAsUrl: 'Validate as a URL',
+ enterCustomValidation: '...or enter a custom validation',
+ fieldIsMandatory: 'Field is mandatory',
+ mandatoryMessage: 'Enter a custom validation error message (optional)',
+ validationRegExp: 'Enter a regular expression',
+ validationRegExpMessage: 'Enter a custom validation error message (optional)',
+ minCount: 'You need to add at least',
+ maxCount: 'You can only have',
+ addUpTo: 'Add up to',
+ items: 'items',
+ urls: 'URL(s)',
+ urlsSelected: 'URL(s) selected',
+ itemsSelected: 'item(s) selected',
+ invalidDate: 'Invalid date',
+ invalidNumber: 'Not a number',
+ invalidNumberStepSize: 'Not a valid numeric step size',
+ invalidEmail: 'Invalid email',
+ invalidNull: 'Value cannot be null',
+ invalidEmpty: 'Value cannot be empty',
+ invalidPattern: 'Value is invalid, it does not match the correct pattern',
+ customValidation: 'Custom validation',
+ entriesShort: 'Minimum %0% entries, requires %1% more.',
+ entriesExceed: 'Maximum %0% entries, %1% too many.',
+ entriesAreasMismatch: 'The content amount requirements are not met for one or more areas.',
+ invalidMemberGroupName: 'Invalid member group name',
+ invalidUserGroupName: 'Invalid user group name',
+ invalidToken: 'Invalid token',
+ invalidUsername: 'Invalid username',
+ duplicateEmail: "Email '%0%' is already taken",
+ duplicateUserGroupName: "User group name '%0%' is already taken",
+ duplicateMemberGroupName: "Member group name '%0%' is already taken",
+ duplicateUsername: "Username '%0%' is already taken",
+ },
+ healthcheck: {
+ checkSuccessMessage: "Value is set to the recommended value: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Expected value '%1%' for '%2%' in configuration file '%3%', but\n found '%0%'.\n ",
+ checkErrorMessageUnexpectedValue: "Found unexpected value '%0%' for '%2%' in configuration file '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "MacroErrors are set to '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors are set to '%0%' which will prevent some or all pages in\n your site from loading completely if there are any errors in macros. Rectifying this will set the value to '%1%'.\n ",
+ httpsCheckValidCertificate: "Your website's certificate is valid.",
+ httpsCheckInvalidCertificate: "Certificate validation error: '%0%'",
+ httpsCheckExpiredCertificate: "Your website's SSL certificate has expired.",
+ httpsCheckExpiringCertificate: "Your website's SSL certificate is expiring in %0% days.",
+ healthCheckInvalidUrl: "Error pinging the URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'You are currently %0% viewing the site using the HTTPS scheme.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to 'false' in\n your appSettings.json file. Once you access this site using the HTTPS scheme, that should be set to 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "The appSetting 'Umbraco:CMS:Global:UseHttps' is set to '%0%' in your\n appSettings.json file, your cookies are %1% marked as secure.\n ",
+ compilationDebugCheckSuccessMessage: 'Debug compilation mode is disabled.',
+ compilationDebugCheckErrorMessage:
+ 'Debug compilation mode is currently enabled. It is recommended to\n disable this setting before go live.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is set to %0%.",
+ umbracoApplicationUrlCheckResultFalse: "The appSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' is not set.",
+ clickJackingCheckHeaderFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was found.',
+ clickJackingCheckHeaderNotFound:
+ 'The header or meta-tag X-Frame-Options used to control whether a site can be IFRAMEd by another was not found.',
+ noSniffCheckHeaderFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was found.',
+ noSniffCheckHeaderNotFound:
+ 'The header or meta-tag X-Content-Type-Options used to protect against MIME sniffing vulnerabilities was not found.',
+ hSTSCheckHeaderFound:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found.',
+ hSTSCheckHeaderNotFound: 'The header Strict-Transport-Security was not found.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'The header Strict-Transport-Security, also known as the HSTS-header, was found. This header should not be present on localhost.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'The header Strict-Transport-Security was not found. This header should not be present on localhost.',
+ xssProtectionCheckHeaderFound:
+ 'The header X-XSS-Protection was found. It is recommended not to add this header to your website. \n You can read about this on the Mozilla website ',
+ xssProtectionCheckHeaderNotFound: 'The header X-XSS-Protection was not found.',
+ excessiveHeadersFound:
+ 'The following headers revealing information about the website technology were found: %0%.',
+ excessiveHeadersNotFound: 'No headers revealing information about the website technology were found.\n ',
+ smtpMailSettingsNotFound: 'In the Web.config file, system.net/mailsettings could not be found.',
+ smtpMailSettingsHostNotConfigured:
+ 'In the Web.config file system.net/mailsettings section, the host is\n not configured.\n ',
+ smtpMailSettingsConnectionSuccess:
+ 'SMTP settings are configured correctly and the service is operating\n as expected.\n ',
+ smtpMailSettingsConnectionFail:
+ "The SMTP server configured with host '%0%' and port '%1%' could not be\n reached. Please check to ensure the SMTP settings in the Web.config file system.net/mailsettings are correct.\n ",
+ notificationEmailsCheckSuccessMessage: 'Notification email has been set to %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Notification email is still set to the default value of %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Results of the scheduled Umbraco Health Checks run on %0% at %1% are as follows:
The health checker evaluates various areas of your site for best practice settings, configuration, potential problems, etc. You can easily fix problems by pressing a button.\n You can add your own health checks, have a look at the documentation for more information about custom health checks.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Disable URL tracker',
+ enableUrlTracker: 'Enable URL tracker',
+ originalUrl: 'Original URL',
+ redirectedTo: 'Redirected To',
+ redirectUrlManagement: 'Redirect URL Management',
+ panelInformation: 'The following URLs redirect to this content item:',
+ noRedirects: 'No redirects have been made',
+ noRedirectsDescription:
+ 'When a published page gets renamed or moved a redirect will automatically be\n made to the new page.\n ',
+ redirectRemoved: 'Redirect URL removed.',
+ redirectRemoveError: 'Error removing redirect URL.',
+ redirectRemoveWarning: 'This will remove the redirect',
+ confirmDisable: 'Are you sure you want to disable the URL tracker?',
+ disabledConfirm: 'URL tracker has now been disabled.',
+ disableError: 'Error disabling the URL tracker, more information can be found in your log file.',
+ enabledConfirm: 'URL tracker has now been enabled.',
+ enableError: 'Error enabling the URL tracker, more information can be found in your log file.',
+ culture: 'Culture',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'No Dictionary items to choose from',
+ },
+ textbox: {
+ characters_left: '%0% characters left.',
+ characters_exceed: 'Maximum %0% characters, %1% too many.',
+ },
+ recycleBin: {
+ contentTrashed: 'Trashed content with Id: {0} related to original parent content with Id: {1}',
+ mediaTrashed: 'Trashed media with Id: {0} related to original parent media item with Id: {1}',
+ itemCannotBeRestored: 'Cannot automatically restore this item',
+ itemCannotBeRestoredHelpText:
+ 'There is no location where this item can be automatically restored. You\n can move the item manually using the tree below.\n ',
+ wasRestored: 'was restored under',
+ },
+ relationType: {
+ direction: 'Direction',
+ parentToChild: 'Parent to child',
+ bidirectional: 'Bidirectional',
+ parent: 'Parent',
+ child: 'Child',
+ count: 'Count',
+ relation: 'Relation',
+ relations: 'Relations',
+ created: 'Created',
+ comment: 'Comment',
+ name: 'Name',
+ noRelations: 'No relations for this Relation Type',
+ tabRelationType: 'Relation Type',
+ tabRelations: 'Relations',
+ isDependency: 'Is Dependency',
+ dependency: 'Yes',
+ noDependency: 'No',
+ },
+ dashboardTabs: {
+ contentIntro: 'Getting Started',
+ contentRedirectManager: 'Redirect URL Management',
+ mediaFolderBrowser: 'Content',
+ settingsWelcome: 'Welcome',
+ settingsExamine: 'Examine Management',
+ settingsPublishedStatus: 'Published Status',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profiling',
+ memberIntro: 'Getting Started',
+ settingsAnalytics: 'Telemetry data',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Go back',
+ activeListLayout: 'Active layout:',
+ jumpTo: 'Jump to',
+ group: 'group',
+ passed: 'passed',
+ warning: 'warning',
+ failed: 'failed',
+ suggestion: 'suggestion',
+ checkPassed: 'Check passed',
+ checkFailed: 'Check failed',
+ openBackofficeSearch: 'Open backoffice search',
+ openCloseBackofficeHelp: 'Open/Close backoffice help',
+ openCloseBackofficeProfileOptions: 'Open/Close your profile options',
+ assignDomainDescription: 'Setup Culture and Hostnames for %0%',
+ createDescription: 'Create new node under %0%',
+ protectDescription: 'Setup access restrictions on %0%',
+ rightsDescription: 'Setup Permissions on %0%',
+ sortDescription: 'Change sort order for %0%',
+ createblueprintDescription: 'Create Document Blueprint based on %0%',
+ openContextMenu: 'Open context menu for',
+ currentLanguage: 'Current language',
+ switchLanguage: 'Switch language to',
+ createNewFolder: 'Create new folder',
+ newPartialView: 'Partial View',
+ newPartialViewMacro: 'Partial View Macro',
+ newMember: 'Member',
+ newDataType: 'Data Type',
+ redirectDashboardSearchLabel: 'Search the redirect dashboard',
+ userGroupSearchLabel: 'Search the user group section',
+ userSearchLabel: 'Search the users section',
+ createItem: 'Create item',
+ create: 'Create',
+ edit: 'Edit',
+ name: 'Name',
+ addNewRow: 'Add new row',
+ tabExpand: 'View more options',
+ searchOverlayTitle: 'Search the Umbraco backoffice',
+ searchOverlayDescription: 'Search for content nodes, media nodes etc. across the backoffice.',
+ searchInputDescription:
+ 'When autocomplete results are available, press up and down arrows, or use the\n tab key and use the enter key to select.\n ',
+ path: 'Path:',
+ foundIn: 'Found in',
+ hasTranslation: 'Has translation',
+ noTranslation: 'Missing translation',
+ dictionaryListCaption: 'Dictionary items',
+ contextMenuDescription: 'Select one of the options to edit the node.',
+ contextDialogDescription: 'Perform action %0% on the %1% node',
+ addImageCaption: 'Add image caption',
+ searchContentTree: 'Search content tree',
+ maxAmount: 'Maximum amount',
+ expandChildItems: 'Expand child items for',
+ openContextNode: 'Open context node for',
+ },
+ references: {
+ tabName: 'References',
+ DataTypeNoReferences: 'This Data Type has no references.',
+ itemHasNoReferences: 'This item has no references.',
+ labelUsedByDocumentTypes: 'Used in Document Types',
+ labelUsedByMediaTypes: 'Used in Media Types',
+ labelUsedByMemberTypes: 'Used in Member Types',
+ usedByProperties: 'Used by',
+ labelUsedByDocuments: 'Used in Documents',
+ labelUsedByMembers: 'Used in Members',
+ labelUsedByMedia: 'Used in Media',
+ labelUsedItems: 'Items in use',
+ labelUsedDescendants: 'Descendants in use',
+ deleteWarning: 'This item or its descendants is being used. Deletion can lead to broken links on your website.',
+ unpublishWarning:
+ 'This item or its descendants is being used. Unpublishing can lead to broken links on your website. Please take the appropriate actions.',
+ deleteDisabledWarning: 'This item or its descendants is being used. Therefore, deletion has been disabled.',
+ listViewDialogWarning: 'The following items you are trying to %0% are used by other content.',
+ labelUsedByItems: 'Referenced by the following items',
+ labelDependsOnThis: 'The following items depend on this',
+ labelDependentDescendants: 'The following descending items have dependencies',
+ labelMoreReferences: (count: number) => {
+ if (count === 1) return '...and one more item';
+ return `...and ${count} more items`;
+ },
+ },
+ logViewer: {
+ deleteSavedSearch: 'Delete Saved Search',
+ logLevels: 'Log Levels',
+ selectAllLogLevelFilters: 'Select all',
+ deselectAllLogLevelFilters: 'Deselect all',
+ savedSearches: 'Saved Searches',
+ saveSearch: 'Save Search',
+ saveSearchDescription: 'Enter a friendly name for your search query',
+ filterSearch: 'Filter Search',
+ totalItems: 'Total Items',
+ timestamp: 'Timestamp',
+ level: 'Level',
+ machine: 'Machine',
+ message: 'Message',
+ exception: 'Exception',
+ properties: 'Properties',
+ searchWithGoogle: 'Search With Google',
+ searchThisMessageWithGoogle: 'Search this message with Google',
+ searchWithBing: 'Search With Bing',
+ searchThisMessageWithBing: 'Search this message with Bing',
+ searchOurUmbraco: 'Search Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Search this message on Our Umbraco forums and docs',
+ searchOurUmbracoWithGoogle: 'Search Our Umbraco with Google',
+ searchOurUmbracoForumsUsingGoogle: 'Search Our Umbraco forums using Google',
+ searchUmbracoSource: 'Search Umbraco Source',
+ searchWithinUmbracoSourceCodeOnGithub: 'Search within Umbraco source code on Github',
+ searchUmbracoIssues: 'Search Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Search Umbraco Issues on Github',
+ deleteThisSearch: 'Delete this search',
+ findLogsWithRequestId: 'Find Logs with Request ID',
+ findLogsWithNamespace: 'Find Logs with Namespace',
+ findLogsWithMachineName: 'Find Logs with Machine Name',
+ open: 'Open',
+ polling: 'Polling',
+ every2: 'Every 2 seconds',
+ every5: 'Every 5 seconds',
+ every10: 'Every 10 seconds',
+ every20: 'Every 20 seconds',
+ every30: 'Every 30 seconds',
+ pollingEvery2: 'Polling every 2s',
+ pollingEvery5: 'Polling every 5s',
+ pollingEvery10: 'Polling every 10s',
+ pollingEvery20: 'Polling every 20s',
+ pollingEvery30: 'Polling every 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Copy %0%',
+ labelForArrayOfItemsFrom: '%0% from %1%',
+ labelForArrayOfItems: 'Collection of %0%',
+ labelForRemoveAllEntries: 'Remove all items',
+ labelForClearClipboard: 'Clear clipboard',
+ labelForCopyToClipboard: 'Copy to clipboard',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Open Property Actions',
+ tooltipForPropertyActionsMenuClose: 'Close Property Actions',
+ },
+ nuCache: {
+ refreshStatus: 'Refresh status',
+ memoryCache: 'Memory Cache',
+ memoryCacheDescription:
+ '\n This button lets you reload the in-memory cache, by entirely reloading it from the database\n cache (but it does not rebuild that database cache). This is relatively fast.\n Use it when you think that the memory cache has not been properly refreshed, after some events\n triggered—which would indicate a minor Umbraco issue.\n (note: triggers the reload on all servers in an LB environment).\n ',
+ reload: 'Reload',
+ databaseCache: 'Database Cache',
+ databaseCacheDescription:
+ '\n This button lets you rebuild the database cache, ie the content of the cmsContentNu table.\n Rebuilding can be expensive.\n Use it when reloading is not enough, and you think that the database cache has not been\n properly generated—which would indicate some critical Umbraco issue.\n ',
+ rebuild: 'Rebuild',
+ internals: 'Internals',
+ internalsDescription:
+ '\n This button lets you trigger a NuCache snapshots collection (after running a fullCLR GC).\n Unless you know what that means, you probably do not need to use it.\n ',
+ collect: 'Collect',
+ publishedCacheStatus: 'Published Cache Status',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Performance profiling',
+ performanceProfilingDescription:
+ "\n
\n Umbraco currently runs in debug mode. This means you can use the built-in performance profiler to assess the performance when rendering pages.\n
\n
\n If you want to activate the profiler for a specific page rendering, simply add umbDebug=true to the querystring when requesting the page.\n
\n
\n If you want the profiler to be activated by default for all page renderings, you can use the toggle below.\n It will set a cookie in your browser, which then activates the profiler automatically.\n In other words, the profiler will only be active by default in your browser - not everyone else's.\n
\n ",
+ activateByDefault: 'Activate the profiler by default',
+ reminder: 'Friendly reminder',
+ reminderDescription:
+ '\n
\n You should never let a production site run in debug mode. Debug mode is turned off by setting Umbraco:CMS:Hosting:Debug to false in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ',
+ profilerEnabledDescription:
+ "\n
\n Umbraco currently does not run in debug mode, so you can't use the built-in profiler. This is how it should be for a production site.\n
\n
\n Debug mode is turned on by setting Umbraco:CMS:Hosting:Debug to true in appsettings.json, appsettings.{Environment}.json or via an environment variable.\n
\n ",
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Hours of Umbraco training videos are only a click away',
+ trainingDescription:
+ '\n
Want to master Umbraco? Spend a couple of minutes learning some best practices by watching one of these videos about using Umbraco. And visit umbraco.tv for even more Umbraco videos
\n ',
+ learningBaseDescription:
+ '\n
Want to master Umbraco? Spend a few minutes learning some best practices by visiting the Umbraco Learning Base Youtube channel. Here you can find a bunch of video material covering many aspects of Umbraco.
\n ',
+ getStarted: 'To get you started',
+ },
+ settingsDashboard: {
+ documentationHeader: 'Documentation',
+ documentationDescription: 'Read more about working with the items in Settings in our Documentation.',
+ communityHeader: 'Community',
+ communityDescription: 'Ask a question in the community forum or our Discord community.',
+ trainingHeader: 'Training',
+ trainingDescription: 'Find out about real-life training and certification opportunities',
+ supportHeader: 'Support',
+ supportDescription: 'Extend your team with a highly skilled and passionate bunch of Umbraco know-it-alls',
+ videosHeader: 'Videos',
+ videosDescription:
+ 'Watch our free tutorial videos on the Umbraco Learning Base YouTube channel, to get up to speed quickly with Umbraco.',
+ getHelp: 'Get the help you need',
+ getCertified: 'Get Certified',
+ goForum: 'Go to the forum',
+ chatWithCommunity: 'Chat with the community',
+ watchVideos: 'Watch the videos',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Welcome to The Friendly CMS',
+ fallbackDescription:
+ "Thank you for choosing Umbraco - we think this could be the beginning of something\n beautiful. While it may feel overwhelming at first, we've done a lot to make the learning curve as smooth and fast\n as possible.\n ",
+ },
+ welcomeDashboard: {
+ ourUmbracoHeadline: 'Our Umbraco - The Friendliest Community',
+ ourUmbracoDescription:
+ "Our Umbraco, the official community site, is your one-stop-shop for everything Umbraco. Whether you need a question answered, cool plugins, or a guide of how to do something in Umbraco, the world's best and friendliest community is just a click away.",
+ ourUmbracoButton: 'Visit Our Umbraco',
+ documentationHeadline: 'Documentation',
+ documentationDescription: 'Find the answers to all your Umbraco questions',
+ communityHeadline: 'Community',
+ communityDescription: 'Get support and inspiration from driven Umbraco experts',
+ resourcesHeadline: 'Resources',
+ resourcesDescription: 'Free video tutorials to jumpstart your journey with the CMS',
+ trainingHeadline: 'Training',
+ trainingDescription: 'Real-life training and official Umbraco certifications',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Pick Element Type',
+ headlineAddSettingsElementType: 'Attach a settings Element Type',
+ headlineAddCustomView: 'Select view',
+ headlineAddCustomStylesheet: 'Select stylesheet',
+ headlineAddThumbnail: 'Choose thumbnail',
+ labelcreateNewElementType: 'Create new Element Type',
+ labelCustomStylesheet: 'Custom stylesheet',
+ addCustomStylesheet: 'Add stylesheet',
+ headlineEditorAppearance: 'Block appearance',
+ headlineDataModels: 'Data models',
+ headlineCatalogueAppearance: 'Catalogue appearance',
+ labelBackgroundColor: 'Background color',
+ labelIconColor: 'Icon color',
+ labelContentElementType: 'Content model',
+ labelLabelTemplate: 'Label',
+ labelCustomView: 'Custom view',
+ labelCustomViewInfoTitle: 'Show custom view description',
+ labelCustomViewDescription:
+ 'Overwrite how this block appears in the backoffice UI. Pick a .html file\n containing your presentation.\n ',
+ labelSettingsElementType: 'Settings model',
+ labelEditorSize: 'Overlay editor size',
+ addCustomView: 'Add custom view',
+ addSettingsElementType: 'Add settings',
+ confirmDeleteBlockMessage: 'Are you sure you want to delete the content %0%?',
+ confirmDeleteBlockTypeMessage: 'Are you sure you want to delete the block configuration %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'The content of this block will still be present, editing of this content\n will no longer be available and will be shown as unsupported content.\n ',
+ confirmDeleteBlockGroupMessage:
+ 'Are you sure you want to delete group %0% and all the Block configurations of this?',
+ confirmDeleteBlockGroupNotice:
+ 'The content of these Blocks will still be present, editing of this content\n will no longer be available and will be shown as unsupported content.\n ',
+ blockConfigurationOverlayTitle: "Configuration of '%0%'",
+ elementTypeDoesNotExist: 'Cannot be edited cause ElementType does not exist.',
+ thumbnail: 'Thumbnail',
+ addThumbnail: 'Add thumbnail',
+ tabCreateEmpty: 'Create empty',
+ tabClipboard: 'Clipboard',
+ tabBlockSettings: 'Settings',
+ headlineAdvanced: 'Advanced',
+ headlineCustomView: 'Custom View',
+ forceHideContentEditor: 'Hide content editor',
+ forceHideContentEditorHelp: 'Hide the content edit button and the content editor from the Block Editor overlay.',
+ gridInlineEditing: 'Inline editing',
+ gridInlineEditingHelp:
+ 'Enables inline editing for the first Property. Additional properties can be edited in the overlay.',
+ blockHasChanges: 'You have made changes to this content. Are you sure you want to discard them?',
+ confirmCancelBlockCreationHeadline: 'Discard creation?',
+ confirmCancelBlockCreationMessage: 'Are you sure you want to cancel the creation.',
+ elementTypeDoesNotExistHeadline: 'Error!',
+ elementTypeDoesNotExistDescription: 'The ElementType of this block does not exist anymore',
+ addBlock: 'Add content',
+ addThis: 'Add %0%',
+ propertyEditorNotSupported: "Property '%0%' uses editor '%1%' which is not supported in blocks.",
+ focusParentBlock: 'Set focus on the container block',
+ areaIdentification: 'Identification',
+ areaValidation: 'Validation',
+ areaValidationEntriesShort: '%0% must be present at least %2% time(s).',
+ areaValidationEntriesExceed: '%0% must maximum be present %3% time(s).',
+ areaNumberOfBlocks: 'Number of blocks',
+ areaDisallowAllBlocks: 'Only allow specific block types',
+ areaAllowedBlocks: 'Allowed block types',
+ areaAllowedBlocksHelp:
+ 'Define the types of blocks that are allowed in this area, and optionally how many of each type that should be present.',
+ confirmDeleteBlockAreaMessage: 'Are you sure you want to delete this area?',
+ confirmDeleteBlockAreaNotice: 'Any blocks currently created within this area will be deleted.',
+ layoutOptions: 'Layout options',
+ structuralOptions: 'Structural',
+ sizeOptions: 'Size options',
+ sizeOptionsHelp: 'Define one or more size options, this enables resizing of the Block',
+ allowedBlockColumns: 'Available column spans',
+ allowedBlockColumnsHelp:
+ 'Define the different number of columns this block is allowed to span across. This does not prevent Blocks from being placed in Areas with a smaller column span.',
+ allowedBlockRows: 'Available row spans',
+ allowedBlockRowsHelp: 'Define the range of layout rows this block is allowed to span across.',
+ allowBlockInRoot: 'Allow in root',
+ allowBlockInRootHelp: 'Make this block available in the root of the layout.',
+ allowBlockInAreas: 'Allow in areas',
+ allowBlockInAreasHelp:
+ 'Make this block available by default within the areas of other Blocks (unless explicit permissions are set for these areas).',
+ areaAllowedBlocksEmpty:
+ 'By default, all block types are allowed in an Area, Use this option to allow only selected types.',
+ areas: 'Areas',
+ areasLayoutColumns: 'Grid Columns for Areas',
+ areasLayoutColumnsHelp:
+ 'Define how many columns that will be available for areas. If not defined, the number of columns defined for the entire layout will be used.',
+ areasConfigurations: 'Areas',
+ areasConfigurationsHelp:
+ "To enable the nesting of blocks within this block, define one or more areas. Areas follow the layout defined by their own grid column configuration. The 'column span' and 'row span' for each area can be adjusted by using the scale-handler box in the bottom right hand corner of the selected area.",
+ invalidDropPosition: '%0% is not allowed at this spot.',
+ defaultLayoutStylesheet: 'Default layout stylesheet',
+ confirmPasteDisallowedNestedBlockHeadline: 'Disallowed content was rejected',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'The inserted content contained disallowed content, which has not been created. Would you like to keep the rest of this content anyway?',
+ areaAliasHelp:
+ 'When using GetBlockGridHTML() to render the Block Grid, the alias will be rendered in the markup as a \'data-area-alias\' attribute. Use the alias attribute to target the element for the area. Example. .umb-block-grid__area[data-area-alias="MyAreaAlias"] { ... }',
+ scaleHandlerButtonTitle: 'Drag to scale',
+ areaCreateLabelTitle: 'Create Button Label',
+ areaCreateLabelHelp: "Override the label text for adding a new Block to this Area, Example: 'Add Widget'",
+ showSizeOptions: 'Show resize options',
+ addBlockType: 'Add Block',
+ addBlockGroup: 'Add group',
+ pickSpecificAllowance: 'Pick group or Block',
+ allowanceMinimum: 'Set a minimum requirement',
+ allowanceMaximum: 'Set a maximum requirement',
+ block: 'Block',
+ tabBlock: 'Block',
+ tabBlockTypeSettings: 'Settings',
+ tabAreas: 'Areas',
+ tabAdvanced: 'Advanced',
+ headlineAllowance: 'Permissions',
+ getSampleHeadline: 'Install Sample Configuration',
+ getSampleDescription:
+ "This will add basic Blocks and help you get started with the Block Grid Editor. You'll get Blocks for Headline, Rich Text, Image, as well as a Two Column Layout. ",
+ getSampleButton: 'Install',
+ actionEnterSortMode: 'Sort mode',
+ actionExitSortMode: 'End sort mode',
+ areaAliasIsNotUnique: 'This Areas Alias must be unique compared to the other Areas of this Block.',
+ configureArea: 'Configure area',
+ deleteArea: 'Delete area',
+ addColumnSpanOption: 'Add spanning %0% columns option',
+ createThisFor: (name: string, variantName: string) =>
+ variantName ? `Create ${name} for ${variantName}` : `Create ${name}`,
+ insertBlock: 'Insert Block',
+ labelInlineMode: 'Display inline with text',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'What are Document Blueprints?',
+ whatDescription:
+ 'Document Blueprints are pre-defined content that can be selected when creating a new\n content node.\n ',
+ createHeadline: 'How do I create a Document Blueprint?',
+ createDescription:
+ '\n
There are two ways to create a Document Blueprint:
\n
\n
Right-click a content node and select "Create Document Blueprint" to create a new Document Blueprint.
\n
Right-click the Document Blueprints tree in the Settings section and select the Document Type you want to create a Document Blueprint for.
\n
\n
Once given a name, editors can start using the Document Blueprint as a foundation for their new page.
\n ',
+ manageHeadline: 'How do I manage Document Blueprints?',
+ manageDescription:
+ 'You can edit and delete Document Blueprints from the "Document Blueprints" tree in the\n Settings section. Expand the Document Type which the Document Blueprint is based on and click it to edit or delete\n it.\n ',
+ },
+ preview: {
+ endLabel: 'End',
+ endTitle: 'End preview mode',
+ openWebsiteLabel: 'Preview website',
+ openWebsiteTitle: 'Open website in preview mode',
+ returnToPreviewHeadline: 'Preview website?',
+ returnToPreviewDescription:
+ 'You have ended preview mode, do you want to enable it again to view the\n latest saved version of your website?\n ',
+ returnToPreviewAcceptButton: 'Preview latest version',
+ returnToPreviewDeclineButton: 'View published version',
+ viewPublishedContentHeadline: 'View published version?',
+ viewPublishedContentDescription:
+ 'You are in Preview Mode, do you want exit in order to view the\n published version of your website?\n ',
+ viewPublishedContentAcceptButton: 'View published version',
+ viewPublishedContentDeclineButton: 'Stay in preview mode',
+ },
+ permissions: {
+ FolderCreation: 'Folder creation',
+ FileWritingForPackages: 'File writing for packages',
+ FileWriting: 'File writing',
+ MediaFolderCreation: 'Media folder creation',
+ },
+ treeSearch: {
+ searchResult: 'item returned',
+ searchResults: 'items returned',
+ },
+ propertyEditorPicker: {
+ title: 'Select a property editor',
+ openPropertyEditorPicker: 'Select a property editor UI',
+ },
+ analytics: {
+ consentForAnalytics: 'Consent for telemetry data',
+ analyticsLevelSavedSuccess: 'Telemetry level saved!',
+ analyticsDescription:
+ 'In order to improve Umbraco and add new functionality based on as relevant information as possible,\n we would like to collect system- and usage information from your installation.\n Aggregate data will be shared on a regular basis as well as learnings from these metrics.\n Hopefully, you will help us collect some valuable data.\n \n We WILL NOT collect any personal data such as content, code, user information, and all data will be fully anonymized.',
+ minimalLevelDescription: 'We will only send an anonymized site ID to let us know that the site exists.',
+ basicLevelDescription: 'We will send an anonymized site ID, Umbraco version, and packages installed',
+ detailedLevelDescription:
+ 'We will send:\n
\n
Anonymized site ID, Umbraco version, and packages installed.
\n
Number of: Root nodes, Content nodes, Macros, Media, Document Types, Templates, Languages, Domains, User Group, Users, Members, Backoffice external login providers, and Property Editors in use.
\n
System information: Webserver, server OS, server framework, server OS language, and database provider.
\n
Configuration settings: Modelsbuilder mode, if custom Umbraco path exists, ASP environment, whether the delivery API is enabled, and allows public access, and if you are in debug mode.
\n
\nWe might change what we send on the Detailed level in the future. If so, it will be listed above.\n By choosing "Detailed" you agree to current and future anonymized information being collected.',
+ },
+ routing: {
+ routeNotFoundTitle: 'Not found',
+ routeNotFoundDescription: 'The requested route could not be found. Please check the URL and try again.',
+ },
+ codeEditor: {
+ label: 'Code editor',
+ languageConfigLabel: 'Language',
+ languageConfigDescription: 'Select the language for syntax highlighting and IntelliSense.',
+ heightConfigLabel: 'Height',
+ heightConfigDescription: 'Set the height of the code editor in pixels.',
+ lineNumbersConfigLabel: 'Line numbers',
+ lineNumbersConfigDescription: 'Show line numbers in the code editor.',
+ minimapConfigLabel: 'Minimap',
+ minimapConfigDescription: 'Show a minimap in the code editor.',
+ wordWrapConfigLabel: 'Word wrap',
+ wordWrapConfigDescription: 'Enable word wrapping in the code editor.',
+ },
+ tiptap: {
+ extGroup_formatting: 'Text formatting',
+ extGroup_interactive: 'Interactive elements',
+ extGroup_media: 'Embeds and media',
+ extGroup_structure: 'Content structure',
+ extGroup_unknown: 'Uncategorized',
+ toobar_availableItems: 'Available toolbar items',
+ toobar_availableItemsEmpty: 'There are no toolbar extensions to show',
+ toolbar_designer: 'Toolbar designer',
+ toolbar_addRow: 'Add row configuration',
+ toolbar_addGroup: 'Add group',
+ toolbar_addItems: 'Add items',
+ toolbar_removeRow: 'Remove row',
+ toolbar_removeGroup: 'Remove group',
+ toolbar_removeItem: 'Remove item',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/es-es.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/es-es.ts
new file mode 100644
index 0000000000..bb2d4bd9b2
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/es-es.ts
@@ -0,0 +1,1447 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: es
+ * Language Int Name: Spanish (ES)
+ * Language Local Name: español (ES)
+ * Language LCID: 10
+ * Language Culture: es-ES
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Administrar dominios',
+ auditTrail: 'Historial',
+ browse: 'Nodo de Exploración',
+ changeDocType: 'Cambiar tipo de documento',
+ copy: 'Copiar',
+ create: 'Crear',
+ createPackage: 'Crear Paquete',
+ createGroup: 'Crear grupo',
+ delete: 'Borrar',
+ disable: 'Deshabilitar',
+ emptyrecyclebin: 'Vaciar Papelera',
+ enable: 'Activar',
+ exportDocumentType: 'Exportar Documento (tipo)',
+ importdocumenttype: 'Importar Documento (tipo)',
+ importPackage: 'Importar Paquete',
+ liveEdit: 'Editar en vivo',
+ logout: 'Cerrar sesión',
+ move: 'Mover',
+ notify: 'Notificaciones',
+ protect: 'Acceso Público',
+ publish: 'Publicar',
+ unpublish: 'Retirar publicación',
+ refreshNode: 'Recargar Nodos',
+ republish: 'Republicar sitio completo',
+ rename: 'Renombrar',
+ restore: 'Restaurar',
+ chooseWhereToMove: 'Elige dónde mover',
+ toInTheTreeStructureBelow: 'En el árbol de contenido',
+ rights: 'Permisos',
+ rollback: 'Deshacer',
+ sendtopublish: 'Enviar a Publicar',
+ sendToTranslate: 'Enviar a Traducir',
+ setGroup: 'Establecer grupo',
+ sort: 'Ordenar',
+ translate: 'Traducir',
+ update: 'Actualizar',
+ setPermissions: 'Establecer permisos',
+ unlock: 'Desbloquear',
+ createblueprint: 'Crear Plantilla de Contenido',
+ },
+ actionCategories: {
+ content: 'Contenido',
+ administration: 'Administración',
+ structure: 'Estructura',
+ other: 'Otro',
+ },
+ actionDescriptions: {
+ assignDomain: 'Permitir acceso para asignar cultura y dominios',
+ auditTrail: 'Permitir acceso para ver el historial de un nodo',
+ browse: 'Permitir acceso para ver un nodo',
+ changeDocType: 'Permitir acceso para cambiar el tipo de documento de un nodo',
+ copy: 'Permitir acceso para copiar un nodo',
+ create: 'Permitir acceso para crear nodos',
+ delete: 'Permitir acceso para borrar nodos',
+ move: 'Permitir acceso para mover un nodo',
+ protect: 'Permitir acceso para establecer y cambiar el acceso público a un nodo',
+ publish: 'Permitir acceso para publicar un nodo',
+ rights: 'Permitir acceso para cambiar los permisos para un nodo',
+ rollback: 'Permitir acceso para revertir cambios a un nodo a un estado anterior',
+ sendtopublish: 'Permitir acceso para enviar un nodo a revisión antes de publicarlo',
+ sendToTranslate: 'Permitir acceso para enviar un nodo a traducir',
+ sort: 'Permitir acceso a ordenar nodos',
+ translate: 'Permitir acceso para traducir un nodo',
+ update: 'Permitir acceso para guardar un nodo',
+ createblueprint: 'Permitir acceso para crear una Plantilla de Contenido',
+ },
+ apps: {
+ umbContent: 'Contenido',
+ umbInfo: 'Información',
+ },
+ assignDomain: {
+ permissionDenied: 'Permiso denegado.',
+ addNew: 'Añadir nuevo dominio',
+ remove: 'quitar',
+ invalidNode: 'Nodo no válido.',
+ invalidDomain: 'Formato de dominio no válido.',
+ duplicateDomain: 'Este dominio ya ha sido asignado.',
+ language: 'Idioma',
+ domain: 'Dominio',
+ domainCreated: 'El nuevo dominio %0% ha sido creado',
+ domainDeleted: 'El dominio %0% ha sido borrado',
+ domainExists: "El dominio'%0%' ya ha sido asignado",
+ domainUpdated: 'El dominio %0% ha sido actualizado',
+ orEdit: 'Editar dominios actuales',
+ inherit: 'Heredar',
+ setLanguage: 'Idioma',
+ setLanguageHelp:
+ 'Configura el idioma para los nodos por debajo del nodo actual, o hereda el idioma de los nodos padres. También se aplicará \n para el nodo actual, a menos que un dominio por debajo lo aplique también.',
+ setDomains: 'Dominios',
+ },
+ auditTrails: {
+ atViewingFor: 'Visualización de',
+ },
+ buttons: {
+ clearSelection: 'Deshacer selección',
+ select: 'Seleccionar',
+ somethingElse: 'Hacer otra cosa',
+ bold: 'Negrita',
+ deindent: 'Cancelar Sangría del Párrafo ',
+ formFieldInsert: 'Insertar campo de formulario',
+ graphicHeadline: 'Insertar gráfico de titular',
+ htmlEdit: 'Editar Html',
+ indent: 'Sangría',
+ italic: 'Cursiva',
+ justifyCenter: 'Centrar',
+ justifyLeft: 'Alinear a la Izquierda',
+ justifyRight: 'Alinear a la Derecha',
+ linkInsert: 'Insertar Link',
+ linkLocal: 'Insertar link local (ancla)',
+ listBullet: 'Lista en Viñetas',
+ listNumeric: 'Lista Numérica',
+ macroInsert: 'Insertar macro',
+ pictureInsert: 'Insertar imagen',
+ relations: 'Editar relaciones',
+ returnToList: 'Volver al listado',
+ save: 'Guardar',
+ saveAndPublish: 'Guardar y publicar',
+ saveToPublish: 'Guardar y enviar para aprobación',
+ saveListView: 'Guardar vista de lista',
+ saveAndPreview: 'Previsualizar',
+ showPageDisabled: 'La previsualización está deshabilitada porque no hay ninguna plantilla asignada',
+ styleChoose: 'Elegir estilo',
+ styleShow: 'Mostrar estilos',
+ tableInsert: 'Insertar tabla',
+ saveAndGenerateModels: 'Guardar y generar modelos',
+ undo: 'Deshacer',
+ redo: 'Rehacer',
+ },
+ content: {
+ isPublished: 'Está publicado',
+ about: 'Acerca de',
+ alias: 'Link alternativo',
+ alternativeTextHelp: '(como describe la imagen sobre el teléfono)',
+ alternativeUrls: 'Vínculos Alternativos',
+ clickToEdit: 'Clic para editar esta entrada',
+ createBy: 'Creado por',
+ createByDesc: 'Autor original',
+ updatedBy: 'Actualizado por',
+ createDate: 'Creado',
+ createDateDesc: 'Fecha/hora de creación del documento',
+ documentType: 'Tipo de Documento',
+ editing: 'Editando',
+ expireDate: 'Remover el',
+ itemChanged: 'Esta entrada ha sido modificada después de haber sido publicada',
+ itemNotPublished: 'Esta entrada no esta publicada',
+ lastPublished: 'Último publicado',
+ noItemsToShow: 'No hay elementos para mostrar',
+ listViewNoItems: 'No hay elementos para mostrar en la lista.',
+ listViewNoContent: 'No se ha añadido contenido',
+ listViewNoMembers: 'No se ha añadido ningún miembro',
+ mediatype: 'Tipo de Medio',
+ mediaLinks: 'Enlazar a medio',
+ membergroup: 'Miembro de Grupo',
+ memberrole: 'Rol',
+ membertype: 'Tipo de miembro',
+ noDate: 'Sin fecha',
+ nodeName: 'Título de la página',
+ otherElements: 'Propiedades',
+ parentNotPublished: "Este documento ha sido publicado pero no es visible porque el padre '%0%' no esta publicado",
+ parentNotPublishedAnomaly: 'Ups: este documento está publicado pero no está en la caché (error interno)',
+ getUrlException: 'No se pudo obtener la URL',
+ routeError: 'Este documento está publicado pero tu URL colisionará con contenido %0%',
+ publish: 'Publicar',
+ publishStatus: 'Estado de la Publicación',
+ releaseDate: 'Publicar el',
+ unpublishDate: 'Retirar publicación el',
+ removeDate: 'Fecha de Eliminación',
+ sortDone: 'El Orden esta actualizado',
+ sortHelp:
+ 'Para organizar los nodos, simplemente arrastra los nodos o realice un clic en uno de los encabezados de columna. Puedes seleccionar múltiple nodos manteniendo presionados "Shift" o "Control" mientras seleccionas',
+ statistics: 'Estadísticas',
+ titleOptional: 'Título (opcional)',
+ altTextOptional: 'Texto alternativo (opcional)',
+ type: 'Tipo',
+ unpublish: 'Ocultar',
+ updateDate: 'Última actualización',
+ updateDateDesc: 'Fecha/hora este documento fue modificado',
+ uploadClear: 'Eliminar archivo',
+ urls: 'Vínculo al documento',
+ memberof: 'Miembro de grupo(s)',
+ notmemberof: 'No es miembro de grupo(s)',
+ childItems: 'Nodos hijo',
+ target: 'Destino',
+ scheduledPublishServerTime: 'Esto se traduce en la siguiente hora en el servidor:',
+ scheduledPublishDocumentation:
+ '¿Esto qué significa?',
+ nestedContentDeleteItem: '¿Estás seguro que quieres eliminar este elemento?',
+ nestedContentEditorNotSupported: 'Propiedad %0% utiliza editor %1% que no está soportado por Nested Content.',
+ addTextBox: 'Añadir otra caja de texto',
+ removeTextBox: 'Eliminar caja de texto',
+ contentRoot: 'Raíz de contenido',
+ saveModalTitle: 'Guardar',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Crear nueva Plantilla de Contenido desde %0%',
+ blankBlueprint: 'Vacía',
+ selectBlueprint: 'Seleccionar Plantilla de Contenido',
+ createdBlueprintHeading: 'Plantilla de Contenido creada',
+ createdBlueprintMessage: "Plantilla de Contenido creada desde '%0%'",
+ duplicateBlueprintMessage: 'Otra Plantilla de Contenido con este nombre ya existe',
+ blueprintDescription:
+ 'Una Plantilla de Contenido es contenido predefinido que un editor puede usar como base para crear nuevo contenido',
+ },
+ media: {
+ clickToUpload: 'Haz clic para subir archivos',
+ },
+ member: {
+ createNewMember: 'Crear nuevo miembro',
+ allMembers: 'Todos los miembros',
+ },
+ create: {
+ chooseNode: '¿Dónde quieres crear el nuevo %0%',
+ createUnder: 'Crear debajo de',
+ createContentBlueprint: 'Selecciona el Tipo de Documento para el que quieres crear una plantilla de contenido',
+ updateData: 'Elige un tipo y un título',
+ noDocumentTypes:
+ 'No hay disponibles tipos de documentos permitidos. Debes habilitarlos en la sección "Ajustes" en "Tipos de documentos".',
+ noMediaTypes:
+ 'No hay disponibles tipos de medios permitidos. Debes habilitarlos en la sección "Ajustes" en "Tipos de medios".',
+ documentTypeWithoutTemplate: 'Tipo de Documento sin plantilla',
+ newFolder: 'Nueva carpeta',
+ newDataType: 'Nuevo tipo de dato',
+ newJavascriptFile: 'Nuevo archivo javascript',
+ newEmptyPartialView: 'Nueva plantilla parcial vacía',
+ newPartialViewMacro: 'Nueva vista parcial de macro',
+ newPartialViewFromSnippet: 'Nueva vista parcial desde snippet',
+ newPartialViewMacroFromSnippet: 'Nueva vista parcial de macro desde snippet',
+ newPartialViewMacroNoMacro: 'Nueva vista parcial de macro (sin macro)',
+ },
+ dashboard: {
+ browser: 'Navega en tu sitio Web',
+ dontShowAgain: 'No volver a mostrar',
+ nothinghappens: 'Si Umbraco no se ha abierto tendrás que permitir ventanas emergentes para este sitio Web',
+ openinnew: 'se ha abierto en una nueva ventana',
+ restart: 'Reinicio',
+ visit: 'Visita',
+ welcome: 'Bienvenido',
+ },
+ prompt: {
+ stay: 'Permanecer',
+ discardChanges: 'Descartar cambios',
+ unsavedChanges: 'Tienes cambios no guardados',
+ unsavedChangesWarning: '¿Estás seguro que quieres abandonar la página? Tienes cambios no guardados',
+ },
+ bulk: {
+ done: 'Hecho',
+ deletedItem: 'Borrado %0% elemento',
+ deletedItems: 'Borrados %0% elementos',
+ deletedItemOfItem: 'Borrado %0% de %1% elemento',
+ deletedItemOfItems: 'Borrados %0% de %1% elementos',
+ publishedItem: 'Publicado %0% elemento',
+ publishedItems: 'Publicados %0% elementos',
+ publishedItemOfItem: 'Publicado %0% de %1% elemento',
+ publishedItemOfItems: 'Publicados %0% de %1% elementos',
+ unpublishedItem: 'Ocultar %0% elemento',
+ unpublishedItems: 'Ocultar %0% elementos',
+ unpublishedItemOfItem: 'Ocultado %0% de %1% elemento',
+ unpublishedItemOfItems: 'Ocultados %0% de %1% elementos',
+ movedItem: 'Mover %0% elemento',
+ movedItems: 'Mover %0% elementos',
+ movedItemOfItem: 'Movido %0% de %1% elemento',
+ movedItemOfItems: 'Movidos %0% de %1% elementos',
+ copiedItem: 'Copiar %0% elemento',
+ copiedItems: 'Copiar %0% elementos',
+ copiedItemOfItem: 'Copiado %0% de %1% elemento',
+ copiedItemOfItems: 'Copiado %0% de %1% elementos',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Título del vínculo',
+ urlLinkPicker: 'Vínculo',
+ anchorInsert: 'Nombre',
+ assignDomain: 'Administrar dominios',
+ closeThisWindow: 'Cerrar esta ventana',
+ confirmdelete: 'Estás seguro que quieres borrar',
+ confirmdisable: 'Estás seguro que quieres deshabilitar',
+ confirmlogout: '¿Estás seguro?',
+ confirmSure: '¿Estás seguro?',
+ cut: 'Cortar',
+ editDictionary: 'Editar entrada del Diccionario',
+ editLanguage: 'Editar idioma',
+ insertAnchor: 'Agregar enlace interno',
+ insertCharacter: 'Insertar carácter',
+ insertgraphicheadline: 'Insertar titular gráfico',
+ insertimage: 'Insertar imagen',
+ insertlink: 'Insertar enlace',
+ insertMacro: 'Insertar macro',
+ inserttable: 'Insertar tabla',
+ lastEdited: 'Última edición',
+ link: 'Enlace',
+ linkinternal: 'Enlace interno',
+ linklocaltip: 'Al usar enlaces locales, insertar "#" delante del enlace',
+ linknewwindow: '¿Abrir en nueva ventana?',
+ macroDoesNotHaveProperties: 'Esta macro no contiene ninguna propiedad que pueda editar',
+ paste: 'Pegar',
+ permissionsEdit: 'Editar permisos para',
+ permissionsSet: 'Establecer permisos para',
+ permissionsSetForGroup: 'Establecer permisos para %0% para grupo %1%',
+ permissionsHelp: 'Selecciona el grupo de usuarios para el cual quieres establecer permisos',
+ recycleBinDeleting: 'Se está vaciando la papelera. No cierres esta ventana mientras se ejecuta este proceso',
+ recycleBinIsEmpty: 'La papelera está vacía',
+ recycleBinWarning: 'No podrás recuperar los elementos una vez sean borrados de la papelera',
+ regexSearchError:
+ "El servicio web regexlib.com está experimentando algunos problemas en estos momentos, de los cuales no somos responsables. Pedimos disculpas por las molestias.",
+ regexSearchHelp:
+ "Buscar una expresión regular para agregar validación a un campo de formulario. Ejemplo: 'correo electrónico', 'código postal', 'URL'.",
+ removeMacro: 'Eliminar macro',
+ requiredField: 'Campo obligatorio',
+ sitereindexed: 'El sitio ha sido reindexado',
+ siterepublished: 'Se ha actualizado la caché y se ha publicado el contenido del sitio web.',
+ siterepublishHelp:
+ 'La caché del sitio web será actualizada. Todos los contenidos publicados serán actualizados, mientras el contenido no publicado permanecerá no publicado.',
+ tableColumns: 'Número de columnas',
+ tableRows: 'Número de filas',
+ thumbnailimageclickfororiginal: 'Haz clic sobre la imagen para verla a tamaño completo.',
+ treepicker: 'Seleccionar elemento',
+ viewCacheItem: 'Ver elemento en la caché',
+ relateToOriginalLabel: 'Relacionar con original',
+ includeDescendants: 'Incluir descendientes',
+ theFriendliestCommunity: 'La amigable comunidad',
+ linkToPage: 'Enlazar a página',
+ openInNewWindow: 'Abre el documento enlazado en una nueva ventana o pestaña',
+ linkToMedia: 'Enlazar a medio',
+ selectContentStartNode: 'Selecciona nodo de inicio de contenido',
+ selectMedia: 'Selecciona medio',
+ selectIcon: 'Selecciona icono',
+ selectItem: 'Selecciona elemento',
+ selectLink: 'Selecciona enlace',
+ selectMacro: 'Selecciona macro',
+ selectContent: 'Selecciona contenido',
+ selectMediaStartNode: 'Selecciona nodo de inicio de medios',
+ selectMember: 'Selecciona miembro',
+ selectMemberGroup: 'Selecciona grupo de miembros',
+ selectNode: 'Selecciona nodo',
+ selectLanguages: 'Seleccionar idiomas',
+ selectSections: 'Selecciona secciones',
+ selectUsers: 'Selecciona usuarios',
+ noIconsFound: 'No se encontraron iconos',
+ noMacroParams: 'No hay parámetros para esta macro',
+ noMacros: 'No hay macros disponibles para insertar',
+ externalLoginProviders: 'Proveedores de login externo',
+ exceptionDetail: 'Detalles de la Excepción',
+ stacktrace: 'Stacktrace',
+ innerException: 'Excepción interna',
+ linkYour: 'Enlaza tu',
+ unLinkYour: 'Desenlaza tu',
+ account: 'Cuenta',
+ selectEditor: 'Selecciona editor',
+ selectSnippet: 'Selecciona snippet',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n Para importar un elemento del diccionario, busque el archivo ".udt" en su computadora haciendo clic en el\n Botón "Importar" (se le pedirá confirmación en la siguiente pantalla)\n ',
+ itemDoesNotExists: 'El elemento del diccionario no existe.',
+ parentDoesNotExists: 'El elemento principal no existe.',
+ noItems: 'No hay elementos del diccionario.',
+ noItemsInFile: 'No hay elementos de diccionario en este archivo.',
+ noItemsFound: 'No se encontraron elementos del diccionario.',
+ createNew: 'Crear elemento de diccionario',
+ },
+ dictionaryItem: {
+ description: "Editar las diferentes versiones lingüísticas para la entrada en el diccionario '%0%' debajo",
+ displayName: 'nombre de la cultura',
+ changeKeyError: "La clave '%0%' ya existe.",
+ },
+ placeholders: {
+ username: 'Escribe tu nombre de usuario',
+ password: 'Escribe tu contraseña',
+ confirmPassword: 'Confirma tu contraseña',
+ nameentity: 'Nombre del %0%...',
+ entername: 'Escribe un nombre...',
+ enteremail: 'Introduce tu email...',
+ enterusername: 'Introduce tu nombre de usuario...',
+ label: 'Etiqueta...',
+ enterDescription: 'Introduce una descripción...',
+ search: 'Escribe tu búsqueda...',
+ filter: 'Escribe para filtrar resultados...',
+ enterTags: 'Teclea para crear etiquetas (pulsa enter después de cada etiqueta)...',
+ email: 'Introduce tu email....',
+ enterMessage: 'Introduce un mensaje...',
+ usernameHint: 'Tu nombre de usuario normalmente es tu e-mail',
+ },
+ editcontenttype: {
+ createListView: 'Crear un tipo de listado personalizado',
+ removeListView: 'Quitar el tipo de listado personalizado',
+ },
+ renamecontainer: {
+ renamed: 'Renombrado',
+ enterNewFolderName: 'Introduce un nuevo nombre para la carpeta aquí',
+ folderWasRenamed: '%0% fue renombrada a %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'añadir valor preestablecido',
+ dataBaseDatatype: 'Base de datos\n',
+ guid: 'Tipo de datos GUID',
+ renderControl: 'Renderizar control',
+ rteButtons: 'Botones',
+ rteEnableAdvancedSettings: 'Habilitar la configuración avanzada para',
+ rteEnableContextMenu: 'Habilitar menú contextual',
+ rteMaximumDefaultImgSize: 'Por defecto, el tamaño máximo de imágenes insertado',
+ rteRelatedStylesheets: 'Relacionados con el estilo de las páginas\n',
+ rteShowLabel: 'Mostrar etiqueta',
+ rteWidthAndHeight: 'anchura y altura\n',
+ selectFolder: 'Selecciona carpeta para mover',
+ inTheTree: 'a la estructura de contenido',
+ wasMoved: 'se movió debajo',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Se ha guardado la información pero debes solucionar los siguientes errores para poder publicar:',
+ errorChangingProviderPassword:
+ 'La composición actual del proveedor no es compatible con el cambio de la contraseña (Habilitar la contraseña de recuperación es necesaria para que sea cierta)',
+ errorExistsWithoutTab: '%0% ya existe',
+ errorHeader: 'Se han encontrado los siguientes errores:',
+ errorHeaderWithoutTab: 'Se han encontrado los siguientes errores:',
+ errorInPasswordFormat: 'La clave debe tener como mínimo %0% caracteres y %1% carácter(es) no alfanuméricos',
+ errorIntegerWithoutTab: '%0% debe ser un número entero',
+ errorMandatory: 'Debes llenar los campos del %0% al %1%',
+ errorMandatoryWithoutTab: 'Debes llenar el campo %0%',
+ errorRegExp: 'Debes poner el formato correcto del %0% al %1% ',
+ errorRegExpWithoutTab: 'Debes poner un formato correcto en %0%',
+ },
+ errors: {
+ receivedErrorFromServer: 'Se recibió un error desde el servidor',
+ dissallowedMediaType: 'El tipo de archivo especificado ha sido deshabilitado por el administrador',
+ codemirroriewarning:
+ "NOTA: Aunque CodeMirror esté activado en los ajustes de configuración, no se muestra en Internet Explorer debido a que no es lo suficientemente estable.'",
+ contentTypeAliasAndNameNotNull: 'Debes rellenar el alias y el nombre en el tipo de propiedad',
+ filePermissionsError: 'Hay un problema de lectura y escritura al acceder a un archivo o carpeta',
+ macroErrorLoadingPartialView: 'Error cargando Vista Parcial (archivo: %0%)',
+ missingTitle: 'Por favor, introduzca un título\n',
+ missingType: 'Por favor, elige un tipo ',
+ pictureResizeBiggerThanOrg:
+ 'Estás a punto de hacer la foto más grande que el tamaño original. ¿Estás seguro de que desea continuar?',
+ startNodeDoesNotExists: 'Startnode suprimido, por favor, póngase en contacto con su administrador\n',
+ stylesMustMarkBeforeSelect: 'Por favor, marca el contenido antes de cambiar de estilo',
+ stylesNoStylesOnPage: 'No actives estilos disponibles',
+ tableColMergeLeft: 'Por favor, coloca el cursor a la izquierda de las dos celdas que quieres combinar',
+ tableSplitNotSplittable: 'No se puede dividir una celda que no ha sido combinada.\n',
+ },
+ general: {
+ about: 'Acerca de',
+ action: 'Acción',
+ actions: 'Acciones',
+ add: 'Añadir',
+ alias: 'Alias',
+ areyousure: '¿Estás seguro?',
+ border: 'Borde',
+ by: 'o',
+ cancel: 'Cancelar',
+ cellMargin: 'Margen de la celda',
+ choose: 'Elegir',
+ close: 'Cerrar',
+ closewindow: 'Cerrar ventana',
+ comment: 'Comentario',
+ confirm: 'Confirmar',
+ constrainProportions: 'Mantener proporciones',
+ continue: 'Continuar',
+ copy: 'Copiar',
+ create: 'Crear',
+ database: 'Base de datos',
+ date: 'Fecha',
+ default: 'Por defecto',
+ delete: 'Borrar',
+ deleted: 'Borrado',
+ deleting: 'Borrando...',
+ design: 'Diseño',
+ dictionary: 'Diccionario',
+ dimensions: 'Dimensiones',
+ down: 'Abajo',
+ download: 'Descargar',
+ edit: 'Editar',
+ edited: 'Editado',
+ elements: 'Elementos',
+ email: 'Mail',
+ error: 'Error',
+ findDocument: 'Buscar',
+ first: 'Primero',
+ groups: 'Grupos',
+ height: 'Altura',
+ help: 'Ayuda',
+ hide: 'Ocultar',
+ icon: 'Icono',
+ import: 'Importar',
+ innerMargin: 'Margen interno',
+ insert: 'Insertar',
+ install: 'Instalar',
+ invalid: 'Inválido',
+ justify: 'Justificar',
+ label: 'Etiqueta',
+ language: 'Idioma',
+ last: 'Último',
+ layout: 'Diseño',
+ loading: 'Cargando',
+ locked: 'Bloqueado',
+ login: 'Iniciar sesión',
+ logoff: 'Cerrar sesión',
+ logout: 'Cerrar sesión',
+ macro: 'Macro',
+ mandatory: 'Obligatorio',
+ message: 'Mensaje',
+ move: 'Mover',
+ name: 'Nombre',
+ new: 'Nuevo',
+ next: 'Próximo',
+ no: 'No',
+ of: 'de',
+ off: 'Desactivado',
+ ok: 'OK',
+ open: 'Abrir',
+ on: 'Activado',
+ or: 'o',
+ orderBy: 'Ordenar por',
+ password: 'Contraseña',
+ path: 'Ruta',
+ pleasewait: 'Un momento por favor...',
+ previous: 'Anterior',
+ properties: 'Propiedades',
+ reciept: 'Mail para recibir los datos del formulario',
+ recycleBin: 'Papelera',
+ recycleBinEmpty: 'Tu papelera está vacía',
+ remaining: 'Restantes',
+ remove: 'Eliminar',
+ rename: 'Renombrar',
+ renew: 'Renovar',
+ required: 'Requerido',
+ retrieve: 'Recuperar',
+ retry: 'Reintentar',
+ rights: 'Permisos',
+ search: 'Buscar',
+ searchNoResult: 'Perdona, pero no podemos encontrar lo que buscas',
+ noItemsInList: 'No se han añadido elementos',
+ server: 'Servidor',
+ show: 'Mostrar',
+ showPageOnSend: 'Mostrar página al enviar',
+ size: 'Tamaño',
+ sort: 'Ordenar',
+ status: 'Estado',
+ submit: 'Aceptar',
+ type: 'Tipo',
+ typeToSearch: 'Tipo que buscar...',
+ up: 'Arriba',
+ update: 'Actualizar',
+ upgrade: 'Actualizar',
+ upload: 'Subir',
+ url: 'URL',
+ user: 'Usuario',
+ username: 'Nombre de usuario',
+ value: 'Valor',
+ view: 'Ver',
+ welcome: 'Bienvenido...',
+ width: 'Ancho',
+ yes: 'Si',
+ folder: 'Carpeta',
+ searchResults: 'Resultados de búsqueda',
+ reorder: 'Reordenar',
+ reorderDone: 'He terminado de ordenar',
+ preview: 'Prever',
+ changePassword: 'Cambiar contraseña',
+ to: 'a',
+ listView: 'Vista de lista',
+ saving: 'Guardando...',
+ current: 'actual',
+ embed: 'Insertar',
+ selected: 'seleccionado',
+ },
+ colors: {
+ blue: 'Azul',
+ },
+ shortcuts: {
+ addGroup: 'Añadir pestaña',
+ addProperty: 'Añadir propiedad',
+ addEditor: 'Añadir editor',
+ addTemplate: 'Añadir platilla',
+ addChildNode: 'Añadir nodo hijo',
+ addChild: 'Añadir hijo',
+ editDataType: 'Editar tipo de dato',
+ navigateSections: 'Navegar secciones',
+ shortcut: 'Atajos',
+ showShortcuts: 'mostrar atajos',
+ toggleListView: 'Activar/Desactivar vista de lista',
+ toggleAllowAsRoot: 'Activar/Desactivar permitir como raíz',
+ commentLine: 'Comentar/Descomentar líneas',
+ removeLine: 'Eliminar línea',
+ copyLineUp: 'Copiar líneas arriba',
+ copyLineDown: 'Copiar líneas abajo',
+ moveLineUp: 'Mover líneas arriba',
+ moveLineDown: 'Mover líneas abajo',
+ generalHeader: 'General',
+ editorHeader: 'Editor',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Color de fondo',
+ bold: 'Negritas',
+ color: 'Color del texto',
+ font: 'Fuente',
+ text: 'Texto',
+ },
+ headers: {
+ page: 'Página',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'El instalador no puede conectar con la base de datos.',
+ databaseFound: 'Tu base de datos ha sido encontrada y ha sido identificada como',
+ databaseHeader: 'Configuración de la base de datos',
+ databaseInstall: 'Pulsa el botón instalar strong> para instalar %0% la base de datos de Umbraco',
+ databaseInstallDone: 'Se ha copiado Umbraco %0% a la base de datos. Pulsa Próximo para continuar',
+ databaseText:
+ 'Para completar este paso, debes conocer la información correspondiente a tu servidor de base de datos ("cadena de conexión"). Por favor, contacta con tu ISP si es necesario. Si estás realizando la instalación en una máquina o servidor local, quizás necesites información de tu administrador de sistemas.',
+ databaseUpgrade:
+ '
Pincha en actualizar para actualizar la base de datos a Umbraco %0%
Ningún contenido será borrado de la base de datos y seguirá funcionando después de la actualización
',
+ databaseUpgradeDone:
+ 'La base de datos ha sido actualizada a la versión 0%. Pincha en Próximo para continuar. ',
+ databaseUpToDate:
+ 'La base de datos está actualizada. Pincha en próximo para continuar con el asistente de configuración',
+ defaultUserChangePass: 'La contraseña del usuario por defecto debe ser cambiada',
+ defaultUserDisabled:
+ 'El usuario por defecto ha sido deshabilitado o ha perdido el acceso a Umbraco!
Pincha en Próximo para continuar.',
+ defaultUserPassChanged:
+ '¡La contraseña del usuario por defecto ha sido cambiada desde que se instaló!
No hay que realizar ninguna tarea más. Pulsa Siguiente para proseguir.',
+ defaultUserPasswordChanged: '¡La contraseña se ha cambiado!',
+ greatStart: 'Ten un buen comienzo, visita nuestros videos de introducción',
+ None: 'No ha sido instalado.',
+ permissionsAffectedFolders: 'Archivos y directorios afectados',
+ permissionsAffectedFoldersMoreInfo: 'Mas información en configurar los permisos para Umbraco aquí',
+ permissionsAffectedFoldersText:
+ 'Necesitas dar permisos de modificación a ASP.NET para los siguientes archivos/directorios',
+ permissionsAlmostPerfect:
+ '¡Tu configuración de permisos es casi perfecta!
Puedes ejecutar Umbraco sin problemas, pero no podrás instalar paquetes que es algo recomendable para explotar el potencial de Umbraco.',
+ permissionsHowtoResolve: 'Como Resolver',
+ permissionsHowtoResolveLink: 'Pulsa aquí para leer la versión de texto',
+ permissionsHowtoResolveText:
+ 'Mira nuestros video tutoriales acerca de cómo configurar los permisos de los directorios para Umbraco o lee la versión de texto.',
+ permissionsMaybeAnIssue:
+ '¡La configuración de tus permisos podría ser un problema!
Puedes ejecutar Umbraco sin problemas, pero no serás capaz de crear directorios o instalar paquetes que es algo recomendable para explotar el potencial de Umbraco.',
+ permissionsNotReady:
+ '¡Tu configuración de permisos no está lista para Umbraco!
Para ejecutar Umbraco, necesitarás actualizar tu configuración de permisos.',
+ permissionsPerfect:
+ '¡Tu configuración de permisos es perfecta!
¡Estás listo para ejecutar Umbraco e instalar paquetes!',
+ permissionsResolveFolderIssues: 'Resolviendo problemas con directorios',
+ permissionsResolveFolderIssuesLink:
+ 'Sigue este enlace para más información sobre problemas con ASP.NET y creación de directorios',
+ permissionsSettingUpPermissions: 'Configurando los permisos de directorios',
+ permissionsText:
+ 'Umbraco necesita permisos de lectura/escritura en algunos directorios para poder almacenar archivos tales como imágenes y PDFs. También almacena datos en la caché para mejorar el rendimiento de tu sitio web',
+ runwayFromScratch: 'Quiero empezar de cero',
+ runwayFromScratchText:
+ 'Tu sitio web está completamente vacío en estos momentos, lo cual es perfecto si quieres empezar de cero y crear tus propios tipos de documentos y plantillas (aprende cómo). Todavía podrás elegir instalar Runway más adelante. Por favor ve a la sección del Desarrollador y elige Paquetes.',
+ runwayHeader: 'Acabas de configurar una nueva plataforma Umbraco. ¿Qué deseas hacer ahora?',
+ runwayInstalled: 'Se ha instalado Runway',
+ runwayInstalledText:
+ 'Tienes puestos los cimientos. Selecciona los módulos que desees instalar sobre ellos. Esta es nuestra lista de módulos recomendados, selecciona los que desees instalar, o mira la lista completa de módulos ',
+ runwayOnlyProUsers: 'Sólo recomendado para usuarios expertos',
+ runwaySimpleSite: 'Quiero empezar con un sitio web sencillo',
+ runwaySimpleSiteText:
+ '
"Runway" es un sitio web sencillo que contiene unos tipos de documentos y plantillas básicos. El instalador puede configurar Runway por ti de forma automática, pero fácilmente puedes editarlo, extenderlo o eliminarlo. No es necesario y puedes usar Umbraco perfectamente sin él. Sin embargo, Runway ofrece unos cimientos sencillos basados en buenas prácticas para iniciarte más rápido que nunca. Si eliges instalar Runway, puedes seleccionar bloques de construcción básicos llamados Módulos de Runway de forma opcional para realzar tus páginas de Runway. > Incluido con Runway: Página de inicio, página de Cómo empezar, página de Instalación de módulos. Módulos opcionales: Navegación superior, Mapa del sitio, Contacto, Galería. ',
+ runwayWhatIsRunway: '¿Qué es Runway?',
+ step1: 'Paso 1 de 5. Aceptar los términos de la licencia',
+ step2: 'Paso 2 de 5. Configuración de la base de datos',
+ step3: 'Paso 3 de 5. Autorizar / validar permiso en los archivos',
+ step4: 'Paso 4 de 5. Configurar seguridad en Umbraco',
+ step5: 'Paso 5 de 5. Umbraco está listo para ser usado',
+ thankYou: 'Gracias por elegir Umbraco',
+ theEndBrowseSite:
+ '
Navega a tu nuevo sitio
Has instalado Runway, por qué no ves el aspecto de tu nuevo sitio web.',
+ theEndFurtherHelp:
+ '
Más ayuda e información
Consigue ayuda de nuestra premiada comunidad, navega por la documentación o mira algunos videos gratuitos de cómo crear un sitio sencillo, cómo utilizar los paquetes y una guía rápida de la terminología de Umbraco',
+ theEndHeader: 'Umbraco %0% ha sido instalado y está listo para ser usado',
+ theEndInstallSuccess:
+ 'Puedes empezar inmediatamente pulsando el botón "Lanzar Umbraco" de debajo. Si eres nuevo con Umbraco, puedes encontrar cantidad de recursos en nuestras páginas de cómo empezar.',
+ theEndOpenUmbraco:
+ '
Lanzar Umbraco
Para administrar tu sitio web, simplemente abre el backoffice de Umbraco y empieza a añadir contenido, a actualizar plantillas y hojas de estilo o a añadir nueva funcionalidad',
+ Unavailable: 'No se ha podido establecer la conexión con la base de datos',
+ Version3: 'Umbraco versión 3',
+ Version4: 'Umbraco versión 4',
+ watch: 'Mirar',
+ welcomeIntro:
+ 'El asistente de configuración te guiará en los pasos para instalar Umbraco %0% o actualizar la versión 3.0 a Umbraco %0%.
Pincha en "próximo" para empezar con el asistente de configuración.',
+ },
+ language: {
+ cultureCode: 'Código de cultura',
+ displayName: 'Nombre de cultura',
+ },
+ lockout: {
+ lockoutWillOccur: 'No ha habido ninguna actividad y tu sesión se cerrará en ',
+ renewSession: 'Renovar tu sesión para guardar sus cambios',
+ },
+ login: {
+ greeting0: 'Bienvenido',
+ greeting1: 'Bienvenido',
+ greeting2: 'Bienvenido',
+ greeting3: 'Bienvenido',
+ greeting4: 'Bienvenido',
+ greeting5: 'Bienvenido',
+ greeting6: 'Bienvenido',
+ instruction: 'Iniciar sesión',
+ timeout: 'La sesión ha caducado',
+ bottomText:
+ '
',
+ forgottenPassword: '¿Olvidaste tu contraseña?',
+ forgottenPasswordInstruction:
+ 'Enviaremos un email a la dirección especificada con un enlace para restaurar tu contraseña',
+ requestPasswordResetConfirmation:
+ 'Un email con instrucciones para restaurar tu contraseña será enviado a la dirección especificada si ésta está registrada.',
+ returnToLogin: 'Volver al formulario de acceso',
+ setPasswordInstruction: 'Por favor, introduce una nueva contraseña',
+ setPasswordConfirmation: 'Tu contraseña ha sido actualizada',
+ resetCodeExpired: 'El enlace pulsado es inválido o ha caducado',
+ resetPasswordEmailCopySubject: 'Umbraco: Restaurar contraseña',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tRestauración de contraseña requerida\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t Tu nombre de usuario para acceder al área de administración es: %0%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\n\t\t\n\t",
+ },
+ main: {
+ dashboard: 'Panel de Administración',
+ sections: 'Secciones',
+ tree: 'Contenido',
+ },
+ moveOrCopy: {
+ choose: 'Elige una página arriba...',
+ copyDone: '%0% ha sido copiado al %1%',
+ copyTo: 'Selecciona donde el documento %0% debe ser copiado abajo',
+ moveDone: '%0% ha sido movido a %1%',
+ moveTo: 'Selecciona debajo donde mover el documento %0%',
+ nodeSelected: "ha sido seleccionado como raíz de tu nuevo contenido, haga clic sobre 'ok' debajo.",
+ noNodeSelected:
+ "No ha seleccionado ningún nodo. Selecciona un nodo en la lista mostrada arriba antes de pinchar en 'continuar'",
+ notAllowedByContentType: 'No se puede colgar el nodo actual bajo el nodo elegido debido a tu tipo',
+ notAllowedByPath: 'El nodo actual no puede moverse a ninguna de sus subpáginas',
+ notAllowedAtRoot: 'El nodo actual no puede existir en la raíz',
+ notValid: "Acción no permitida. No tienes permisos suficientes para uno o más subnodos.'",
+ relateToOriginal: 'Relacionar elemento copiado al original',
+ },
+ notifications: {
+ editNotifications: 'Edita tu notificación para %0%',
+ notificationsSavedFor: 'Notificaciones guardadas para %0%',
+ notifications: 'Notificaciones',
+ },
+ packager: {
+ actions: 'Acciones',
+ created: 'Creada',
+ createPackage: 'Crear paquete',
+ chooseLocalPackageText:
+ 'Elige un paquete de tu máquina, seleccionando el botón Examinar y localizando el paquete. Los paquetes de Umbraco normalmente tienen la extensión ".umb" o ".zip".',
+ packageLicense: 'Licencia',
+ installed: 'Instalada',
+ installedPackages: 'Paquetes instalados',
+ noPackages: 'No tienes instalado ningún paquete',
+ noPackagesDescription:
+ "No tienes instalado ningún paquete. Puedes instalar un paquete local seleccionándolo desde tu ordenador o navegar por los paquetes disponibles usando el icono 'Paquetes' en la zona superior derecha de tu pantalla",
+ packageSearch: 'Buscar paquetes',
+ packageSearchResults: 'Resultados para',
+ packageNoResults: 'No pudimos encontrar nada para',
+ packageNoResultsDescription: 'Por favor, prueba buscando por otro paquete o navega por las categorías',
+ packagesPopular: 'Popular',
+ packagesNew: 'Novedades',
+ packageHas: 'tiene',
+ packageKarmaPoints: 'puntos de karma',
+ packageInfo: 'Información',
+ packageOwner: 'Propietario',
+ packageContrib: 'Contribuidores',
+ packageCreated: 'Creado',
+ packageCurrentVersion: 'Versión actual',
+ packageNetVersion: 'Versión .NET',
+ packageDownloads: 'Descargas',
+ packageLikes: 'Me Gusta',
+ packageCompatibility: 'Compatibilidad',
+ packageCompatibilityDescription:
+ 'Este paquete es compatible con las siguientes versiones de Umbraco, declaradas según miembros de la comunidad. No se puede garantizar compatibilidad completa para versiones declaradas debajo del 100%',
+ packageExternalSources: 'Fuentes externas',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Documentación',
+ packageMetaData: 'Meta datos del paquete',
+ packageName: 'Nombre del paquete',
+ packageNoItemsHeader: 'El paquete no contiene ningún elemento',
+ packageNoItemsText:
+ 'Este archivo de paquete no contiene ningún elemento para desinstalar.
Puedes eliminarlo del sistema de forma segura seleccionando la opción "desinstalar paquete" de abajo.',
+ packageOptions: 'Opciones del paquete',
+ packageReadme: 'Léeme del paquete',
+ packageRepository: 'Repositorio de paquetes',
+ packageUninstallConfirm: 'Confirma la desinstalación',
+ packageUninstalledHeader: 'El paquete ha sido desinstalado',
+ packageUninstalledText: 'El paquete se ha desinstalado correctamente',
+ packageUninstallHeader: 'Desinstalar paquete',
+ packageUninstallText:
+ 'Debajo puedes deseleccionar elementos que no desees eliminar en este momento. Cuando eliges "confirmar la desinstalación" todos los elementos marcados serán eliminados. Nota: cualquier documento, archivo etc dependiente de los elementos eliminados, dejará de funcionar, y puede conllevar inestabilidad en el sistema, por lo que lleva cuidado al desinstalar elementos. En caso de duda, contacta con el autor del paquete.',
+ packageVersion: 'Versión del paquete',
+ },
+ paste: {
+ doNothing: 'Pegar con formato completo (No recomendado)',
+ errorMessage:
+ 'El texto que estás intentando pegar contiene caracteres o formato especial. El problema puede ser debido al copiar texto desde Microsoft Word. Umbraco puede eliminar estos caracteres o formato especial automáticamente, de esa manera el contenido será más adecuado para la web.',
+ removeAll: 'Pegar como texto sin formato',
+ removeSpecialFormattering: 'Pegar, pero quitando el formato (Recomendado)',
+ },
+ publicAccess: {
+ paAdvanced: 'Protección basada en roles',
+ paAdvancedHelp:
+ 'Si deseas controlar el acceso a la página usando autenticación basada en roles, usando los grupos de miembros de Umbraco.',
+ paAdvancedNoGroups: 'Necesitas crear un grupo de miembros antes de poder usar autenticación basada en roles',
+ paErrorPage: 'Página de error',
+ paErrorPageHelp: 'Usada cuando alguien hace login, pero no tiene acceso',
+ paHowWould: 'Elige cómo restringir el acceso a esta página',
+ paIsProtected: '%0% está protegido',
+ paIsRemoved: 'Protección borrada de %0%',
+ paLoginPage: 'Página de login',
+ paLoginPageHelp: 'Elige la página que contenga el formulario de login',
+ paRemoveProtection: 'Borrar protección',
+ paSelectPages: 'Elige las páginas que contendrán el formulario de login y mensajes de error',
+ paSelectRoles: 'Elige los roles que tendrán acceso a esta página',
+ paSetLogin: 'Elige el login y contraseña para esta página',
+ paSimple: 'Protección de usuario único',
+ paSimpleHelp: 'Si sólo necesita configurar una protección simple usando un único login y contraseña',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n\n %0% no se puede publicar porque este elemento está programado para publicarse.\n ',
+ contentPublishedFailedExpired: '\n %0% no se pudo publicar porque el elemento ha caducado.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% no se pudo publicar porque estas propiedades: %1% no pasaron las reglas de validación.\n ',
+ contentPublishedFailedByEvent:
+ '%0% no se pudo publicar debido a que una extensión de otro proveedor ha cancelado la acción.',
+ contentPublishedFailedByParent: '\n %0% no se pudo publicar porque una página padre no está publicada.\n ',
+ includeUnpublished: 'Incluir las páginas hija sin publicar',
+ inProgress: 'Publicación en progreso - por favor, espera...',
+ inProgressCounter: 'Se han publicado %0% de %1% páginas...',
+ nodePublish: '%0% se ha publicado',
+ nodePublishAll: '%0% y sus subpáginas se han publicado',
+ publishAll: 'Publicar %0% y todas sus subpáginas',
+ publishHelp:
+ 'Pulsa en aceptar para publicar %0% y por lo tanto, hacer que tu contenido esté disponible al público.
Puedes publicar esta página y todas sus subpáginas marcando publicar todos los hijos debajo. ',
+ },
+ colorpicker: {
+ noColors: 'No has configurado ningún color',
+ },
+ contentPicker: {
+ pickedTrashedItem: 'Has seleccionado un elemento borrado o en la papelera de reciclaje',
+ pickedTrashedItems: 'Has seleccionado unos elementos borrados o en la papelera de reciclaje',
+ },
+ mediaPicker: {
+ pickedTrashedItem: 'Has seleccionado un elemento borrado o en la papelera de reciclaje',
+ pickedTrashedItems: 'Has seleccionado unos elementos borrados o en la papelera de reciclaje',
+ },
+ relatedlinks: {
+ enterExternal: 'añadir un enlace externo',
+ chooseInternal: 'elegir un enlace interno',
+ caption: 'Título',
+ link: 'Enlace',
+ newWindow: 'Abrir en una nueva ventana',
+ captionPlaceholder: 'Introduce texto',
+ externalLinkPlaceholder: 'Introduce el enlace',
+ },
+ imagecropper: {
+ reset: 'Reiniciar',
+ },
+ rollback: {
+ diffHelp:
+ 'Esto muestra las diferencias entre la versión actual y la versión seleccionada Red el texto de la versión seleccionada no se mostrará. , el verde significa añadido',
+ documentRolledBack: 'Se ha recuperado la última versión del documento.',
+ htmlHelp:
+ 'Esto muestra la versión seleccionada como html, si deseas ver la diferencia entre 2 versiones al mismo tiempo, por favor usa la vista diff',
+ rollbackTo: 'Volver a',
+ selectVersion: 'Elige versión',
+ view: 'Ver',
+ },
+ scripts: {
+ editscript: 'Editar fichero de script',
+ },
+ sections: {
+ concierge: 'Conserje',
+ content: 'Contenido',
+ courier: 'Mensajero',
+ developer: 'Desarrollador',
+ installer: 'Asistente de configuración de Umbraco',
+ media: 'Media',
+ member: 'Miembros',
+ newsletters: 'Boletín informativo',
+ settings: 'Ajustes',
+ statistics: 'Estadísticas',
+ translation: 'Traducción',
+ users: 'Usuarios',
+ help: 'Ayuda',
+ packages: 'Paquetes',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'Los mejores tutoriales en video para Umbraco',
+ },
+ settings: {
+ defaulttemplate: 'Plantilla por defecto',
+ importDocumentTypeHelp:
+ 'Para importar un tipo de documento encuentra el fichero ".udt" en tu ordenador haciendo clic sobre el botón "Navegar" y pulsando "Importar" (se te solicitará confirmación en la siguiente pantalla)',
+ newtabname: 'Nuevo nombre de la pestaña',
+ nodetype: 'Tipo de nodo',
+ objecttype: 'Tipo',
+ stylesheet: 'Hoja de estilos',
+ script: 'Script',
+ tab: 'Pestaña',
+ tabname: 'Nombre de la pestaña',
+ tabs: 'Pestañas',
+ contentTypeEnabled: 'Tipo de Contenido Maestro activado',
+ contentTypeUses: 'Este Tipo de Contenido usa',
+ noPropertiesDefinedOnTab:
+ 'No existen propiedades para esta pestaña. Haz clic en el enlace "añadir nueva propiedad" para crear una nueva propiedad.',
+ addIcon: 'Añadir icono',
+ },
+ sort: {
+ sortOrder: 'Ordenar',
+ sortCreationDate: 'Fecha Creado',
+ sortDone: 'Ordenación completa',
+ sortHelp:
+ 'Arrastra las diferentes páginas debajo para colocarlas como deberían estar o haz clic en las cabeceras de las columnas para ordenar todas las páginas',
+ sortPleaseWait: 'Espera por favor, las páginas están siendo ordenadas. El proceso puede durar un poco.',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validación',
+ validationFailedMessage:
+ 'Los errores de validación deben ser arreglados antes de que el elemento pueda ser guardado',
+ operationFailedHeader: 'Fallo',
+ operationSavedHeader: 'Guardado',
+ invalidUserPermissionsText: 'Insuficientes permisos de usuario, no se pudo completar la operación',
+ operationCancelledHeader: 'Cancelado',
+ operationCancelledText: 'La operación fue cancelada fue cancelada por un complemento de terceros',
+ contentPublishedFailedByEvent: 'La publicación fue cancelada por un complemento de terceros',
+ contentTypeDublicatePropertyType: 'El tipo de propiedad ya existe',
+ contentTypePropertyTypeCreated: 'Tipo de propiedad creado',
+ contentTypePropertyTypeCreatedText: 'Nombre: %0% Tipo de Dato: %1%',
+ contentTypePropertyTypeDeleted: 'Tipo de propiedad eliminado',
+ contentTypeSavedHeader: 'Tipo de contenido guardado',
+ contentTypeTabCreated: 'Pestaña creada',
+ contentTypeTabDeleted: 'Pestaña eliminada',
+ contentTypeTabDeletedText: 'Pestaña con id: %0% eliminada',
+ cssErrorHeader: 'La hoja de estilos no se ha guardado',
+ cssSavedHeader: 'Hoja de estilos guardada',
+ cssSavedText: 'La hoja de estilos se ha guardado sin errores',
+ dataTypeSaved: 'Tipo de dato guardado',
+ dictionaryItemSaved: 'Elemento del diccionario guardado',
+ editContentPublishedFailedByParent: 'La publicación ha fallado porque la página padre no está publicada',
+ editContentPublishedHeader: 'Contenido publicado',
+ editContentPublishedText: 'y visible en el sitio web',
+ editContentSavedHeader: 'Contenido guardado',
+ editContentSavedText: 'Recuerda publicar para hacer los cambios visibles',
+ editContentSendToPublish: 'Mandado para ser aprobado',
+ editContentSendToPublishText: 'Los cambios se han mandado para ser aprobados',
+ editMediaSaved: 'Medio guardado',
+ editMediaSavedText: 'Medio guardado sin errores',
+ editMemberSaved: 'Miembro guardado',
+ editStylesheetPropertySaved: 'Propiedad de la hoja de estilos guardada',
+ editStylesheetSaved: 'Hoja de estilos guardada',
+ editTemplateSaved: 'Plantilla guardada',
+ editUserError: 'Error grabando usuario (comprueba el log)',
+ editUserSaved: 'Usuario grabado',
+ editUserTypeSaved: 'Tipo de usuario guardado',
+ editUserGroupSaved: 'Grupo de usuario guardado',
+ fileErrorHeader: 'El archivo no se ha guardado',
+ fileErrorText: 'El archivo no se ha grabado. Por favor, comprueba los permisos de los ficheros',
+ fileSavedHeader: 'Archivo guardado',
+ fileSavedText: 'Archivo grabado sin errores',
+ languageSaved: 'Lenguaje guardado',
+ mediaTypeSavedHeader: 'Tipo de medio guardado',
+ memberTypeSavedHeader: 'Tipo de miembro guardado',
+ templateErrorHeader: 'La plantilla no se ha guardado',
+ templateErrorText: 'Por favor, asegúrate de que no hay 2 plantillas con el mismo alias',
+ templateSavedHeader: 'Plantilla guardada',
+ templateSavedText: 'Plantilla guardada sin errores',
+ contentUnpublished: 'Contenido oculto',
+ partialViewSavedHeader: 'Vista parcial guardada',
+ partialViewSavedText: 'Vista parcial guardada sin errores',
+ partialViewErrorHeader: 'Vista parcial no guardada',
+ partialViewErrorText: 'Error guardando el archivo.',
+ permissionsSavedFor: 'Permisos guardados para',
+ deleteUserGroupsSuccess: 'Borrados %0% grupos de usuario',
+ deleteUserGroupSuccess: '%0% fue borrado',
+ enableUsersSuccess: '%0% usuarios activados',
+ disableUsersSuccess: '%0% usuarios desactivados',
+ enableUserSuccess: '%0% usuario activado',
+ disableUserSuccess: '%0% desactivado',
+ setUserGroupOnUsersSuccess: 'Grupos de usuario establecidos',
+ unlockUsersSuccess: '%0% usuarios desbloqueados',
+ unlockUserSuccess: '%0% está desbloqueado',
+ },
+ stylesheet: {
+ aliasHelp: 'Usa sintaxis CSS, p.ej.: h1, .redHeader, .blueTex',
+ editstylesheet: 'Editar hoja de estilos',
+ editstylesheetproperty: 'Editar propiedades de la hoja de estilos',
+ nameHelp: 'Nombre para identificar la propiedad del estilo en el editor de texto rico',
+ preview: 'Previsualizar',
+ styles: 'Estilos',
+ },
+ template: {
+ edittemplate: 'Editar plantilla',
+ insertSections: 'Secciones',
+ insertContentArea: 'Insertar área de contenido',
+ insertContentAreaPlaceHolder: 'Insertar marcador de posición de área de contenido',
+ insert: 'Insertar',
+ insertDesc: 'Elige que insertar en tu plantilla',
+ insertDictionaryItem: 'Insertar objeto del diccionario',
+ insertDictionaryItemDesc:
+ 'Un objeto de diccionario es una variable para un texto traducible, lo que facilita crear sitios multi idioma.',
+ insertMacro: 'Insertar macro',
+ insertMacroDesc:
+ '\n Una Macro es un componente configurable que es genial como partes reutilizables de tu diseño,\n donde necesites una forma de proporcionar parámetros,\n como galerías, formularios y listas.\n ',
+ insertPageField: 'Insertar campo de página de Umbraco',
+ insertPageFieldDesc:
+ 'Muestra el valor de una propiedad de la página actual, con opciones para modificar el valor o usar valores alternativos.',
+ insertPartialView: 'Vista parcial',
+ insertPartialViewDesc:
+ '\n Una vista parcial es una platilla separada que puede ser mostrada dentro de otra plantilla.\n Es útil para reutilizar código o para distribuir plantillas complejas en archivos separados.\n ',
+ mastertemplate: 'Plantilla principal',
+ noMaster: 'Sin principal',
+ renderBody: 'Mostrar plantilla hija',
+ renderBodyDesc:
+ '\n Muestra el contenido de una plantilla hija, insertando @RenderBody() como sustituto.\n ',
+ defineSection: 'Define una sección nombrada',
+ defineSectionDesc:
+ '\n Define una parte de tu plantilla como sección nombrada rodeándola en\n @section { ... }. Esto se puede mostrar en un área específica de la plantilla madre usando @RenderSection.\n ',
+ renderSection: 'Muestra una sección nombrada',
+ renderSectionDesc:
+ '\n Muestra un area nombrada de una plantilla hija insertando @RenderSection(name) placeholder.\n Esto muestra un area de una plantilla hija rodeada de la correspondiente definición @section [name]{ ... }.\n ',
+ sectionName: 'Nombre de sección',
+ sectionMandatory: 'Sección es obligatoria',
+ sectionMandatoryDesc:
+ '\n Si está marcada como obligatoria, la plantilla hija debe contener una definición de @section o se mostrará un error.\n ',
+ queryBuilder: 'Constructor de consultas',
+ itemsReturned: 'elementos devueltos, en',
+ iWant: 'Quiero',
+ allContent: 'todo contenido',
+ contentOfType: 'contenido de tipo "%0%"',
+ from: 'desde',
+ websiteRoot: 'mi sitio web',
+ where: 'donde',
+ and: 'y',
+ is: 'es',
+ isNot: 'no es',
+ before: 'antes',
+ beforeIncDate: 'antes (incluyendo fecha seleccionada)',
+ after: 'después',
+ afterIncDate: 'después (incluyendo fecha seleccionada)',
+ equals: 'igual a',
+ doesNotEqual: 'no igual a',
+ contains: 'contiene',
+ doesNotContain: 'no contiene',
+ greaterThan: 'mayor que',
+ greaterThanEqual: 'mayor o igual ',
+ lessThan: 'menor que',
+ lessThanEqual: 'menor o igual a',
+ id: 'Id',
+ name: 'Nombre',
+ createdDate: 'Creado en',
+ lastUpdatedDate: 'Última actualización',
+ orderBy: 'ordenar por',
+ ascending: 'ascendente',
+ descending: 'descendente',
+ quickGuide: 'Guía rápida sobre las etiquetas de plantilla de Umbraco',
+ template: 'Plantilla',
+ },
+ grid: {
+ media: 'Imagen',
+ macro: 'Macro',
+ insertControl: 'Insertar control',
+ chooseLayout: 'Elige configuración',
+ addRows: 'Añade más filas',
+ addElement: 'Añadir contenido',
+ dropElement: 'Soltar contenido',
+ settingsApplied: 'Configuración aplicada',
+ contentNotAllowed: 'Contenido no permitido aquí',
+ contentAllowed: 'Contenido permitido aquí',
+ clickToEmbed: 'Pulsa para insertar',
+ clickToInsertImage: 'Pulsa para insertar imagen',
+ placeholderWriteHere: 'Escribe aquí...',
+ gridLayouts: 'Plantillas de Grid',
+ gridLayoutsDetail:
+ 'Las plantillas son el área de trabajo para el editor de grids, normalmente sólo necesitas una o dos plantillas diferentes',
+ addGridLayout: 'Añadir plantilla de grid',
+ addGridLayoutDetail: 'Ajusta la plantilla configurando la anchura de las columnas y añadiendo más secciones',
+ rowConfigurations: 'Configuraciones de filas',
+ rowConfigurationsDetail: 'Las filas son celdas predefinidas que se disponen horizontalmente',
+ addRowConfiguration: 'Añade una configuración de fila',
+ addRowConfigurationDetail: 'Ajusta la fila configurando los anchos de cada celda y añadiendo más celdas',
+ columns: 'Columnas',
+ columnsDetails: 'Número total de columnas en la plantilla del grid',
+ settings: 'Configuración',
+ settingsDetails: 'Configura qué ajustes pueden cambiar los editores',
+ styles: 'Estilos',
+ stylesDetails: 'Configura qué estilos pueden cambiar los editores',
+ allowAllEditors: 'Permitir todos los controles de edición',
+ allowAllRowConfigurations: 'Permitir todas las configuraciones de fila',
+ maxItemsDescription: 'Dejar en blanco o establece en 0 para ilimitada',
+ maxItems: 'Artículos máximos',
+ setAsDefault: 'Establecer por defecto',
+ chooseExtra: 'Elegir extra',
+ chooseDefault: 'Elegir por defecto',
+ areAdded: 'son añadidos',
+ },
+ contentTypeEditor: {
+ compositions: 'Composiciones',
+ noGroups: 'No has añadido ninguna pestaña',
+ inheritedFrom: 'Heredado de',
+ addProperty: 'Añadir propiedad',
+ requiredLabel: 'Etiqueta requerida',
+ enableListViewHeading: 'Activar vista de lista',
+ enableListViewDescription:
+ 'Configura la página para mostrar una lista de sus hijas que puedes ordenar y buscar, los hijas no se mostrarán en el árbol de contenido',
+ allowedTemplatesHeading: 'Platillas permitidas',
+ allowedTemplatesDescription: 'Elige que plantillas se permite a los editores utilizar en contenido de este tipo',
+ allowAsRootHeading: 'Permitir como raíz',
+ allowAsRootDescription: 'Permite a los editores crear contenido de este tipo en la raíz del árbol de contenido',
+ childNodesHeading: 'Tipos de nodos hijos permitidos',
+ childNodesDescription: 'Permite contenido de los tipos permitidos ser creados debajo de este tipo de contenido ',
+ chooseChildNode: 'Elegir nodo hijo',
+ compositionsDescription:
+ 'Heredar pestañas y propiedades de un tipo de documento existente. Nuevas pestañas serán añadidas al tipo de documento actual o mezcladas si una pestaña con nombre idéntico ya existe.',
+ compositionInUse:
+ 'Este tipo de contenido es usado en una composición, y por tanto no puede no puede ser compuesto.',
+ noAvailableCompositions: 'No hay tipos de contenido disponibles para usar como composición.',
+ availableEditors: 'Editores disponibles',
+ reuse: 'Reusar',
+ editorSettings: 'Configuración de editor',
+ configuration: 'Configuración',
+ yesDelete: 'Si, borrar',
+ movedUnderneath: 'se movió debajo',
+ copiedUnderneath: 'se copió debajo',
+ folderToMove: 'Selecciona la carpeta a mover',
+ folderToCopy: 'Selecciona la carpeta a copiar',
+ structureBelow: 'en la estructura de árbol debajo',
+ allDocumentTypes: 'Todos tipos de documentos',
+ allDocuments: 'Todos los documentos',
+ allMediaItems: 'Todos los tipos de medio',
+ usingThisDocument:
+ 'usar este tipo de documento lo borrará permanentemente, por favor confirma que quieres borrarlos también.',
+ usingThisMedia:
+ 'usar este tipo de media lo borrará permanentemente, por favor confirma que quieres borrarlos también.',
+ usingThisMember:
+ 'usar este tipo de miembro lo borrará permanentemente, por favor confirma que quieres borrarlos también.',
+ andAllDocuments: 'y todos los documentos usando este tipo',
+ andAllMediaItems: 'y todos los medios usando este tipo',
+ andAllMembers: 'y todos los miembros usando este tipo',
+ memberCanEdit: 'Miembro puede editar',
+ showOnMemberProfile: 'Mostrar en perfil de miembro',
+ tabHasNoSortOrder: 'pestaña no tiene orden',
+ },
+ languages: {
+ addLanguage: 'Agregar idioma',
+ culture: 'Código ISO',
+ mandatoryLanguage: 'Idioma obligatorio',
+ mandatoryLanguageHelp:
+ '\n Las propiedades en este idioma deben completarse antes de que se pueda publicar el nodo.\n ',
+ defaultLanguage: 'Idioma predeterminado',
+ defaultLanguageHelp: 'Un sitio de Umbraco solo puede tener un conjunto de idiomas predeterminado.',
+ changingDefaultLanguageWarning:
+ 'Cambiar el idioma predeterminado puede provocar que falte el contenido predeterminado.',
+ fallsbackToLabel: 'Vuelve a caer',
+ noFallbackLanguageOption: 'Sin lenguaje alternativo',
+ fallbackLanguageDescription:
+ '\n Para permitir que el contenido multilingüe retroceda a otro idioma si no está presente en el idioma solicitado, selecciónelo aquí.\n ',
+ fallbackLanguage: 'Idioma de retroceso',
+ none: 'ninguno',
+ },
+ modelsBuilder: {
+ buildingModels: 'Construyendo modelos',
+ waitingMessage: 'esto puede llevar un rato, no te preocupes',
+ modelsGenerated: 'Modelos generados',
+ modelsGeneratedError: 'Los modelos no se pudieron generar',
+ modelsExceptionInUlog: 'La generación de los modelos has fallado, ve la excepción en U log',
+ },
+ templateEditor: {
+ addDefaultValue: 'Añadir valor por defecto',
+ defaultValue: 'Valor por defecto',
+ alternativeField: 'Campo opcional',
+ alternativeText: 'Texto opcional',
+ casing: 'MAYÚSCULA/minúscula',
+ chooseField: 'Elegir campo',
+ convertLineBreaks: 'Convertir a salto de línea',
+ convertLineBreaksHelp: 'Reemplaza los saltos de línea con la etiqueta HTML <br>',
+ customFields: 'Campos personalizados',
+ dateOnly: 'Si, solamente la fecha',
+ formatAsDate: 'Cambiar formato a fecha',
+ htmlEncode: 'Codificar HTML',
+ htmlEncodeHelp: 'Se reemplazarán los caracteres especiales por tu código HTML equivalente.',
+ insertedAfter: 'Será insertado después del valor del campo',
+ insertedBefore: 'Será insertado antes del valor del campo',
+ lowercase: 'Minúscula',
+ none: 'Ninguno/ninguna',
+ outputSample: 'Ejemplo de salida',
+ postContent: 'Insertar después del campo',
+ preContent: 'Insertar antes del campo',
+ recursive: 'Recursivo',
+ recursiveDescr: 'Sí, hacerlo recursivo',
+ standardFields: 'Campos estándar',
+ uppercase: 'Mayúscula',
+ urlEncode: 'Codificar URL',
+ urlEncodeHelp: 'Formateará los caracteres especiales de las URLs',
+ usedIfAllEmpty: 'Sólo será usado cuando el campo superior esté vacío',
+ usedIfEmpty: 'Este campo será usado únicamente si el campo primario está vacío',
+ withTime: 'Si, con el tiempo. Separador:',
+ },
+ translation: {
+ details: 'Detalles de traducción',
+ DownloadXmlDTD: 'Descargar xml DTD',
+ fields: 'Campos',
+ includeSubpages: 'Incluir subpáginas',
+ mailBody:
+ "\n Hola %0%.\n\n Este mail se ha generado automáticamente para informale que %2% has solicitado que el documento '%1%' sea traducido en '%5%'.\n\n Para editarlo, vaya a la dirección http://%3%/translation/details.aspx?id=%4% o inicia sesión en Umbraco y ve a http://%3% para ver las tareas pendientes de traducir.\n\n Espero que tenga un buen dia.\n\n Saludos de parte de el robot de Umbraco\n ",
+ noTranslators:
+ 'No se encontraron usuarios traductores. Por favor, crea un usuario traductor antes de empezar a mandar contenido para tu traducción',
+ pageHasBeenSendToTranslation: "La página '%0%' se ha mandado a traducción",
+ sendToTranslate: "Manda la página '%0%' a traducción",
+ totalWords: 'Total de palabras',
+ translateTo: 'Traducir a',
+ translationDone: 'Traducción hecha.',
+ translationDoneHelp:
+ 'Puedes previsualizar las páginas que acabas de traducir, pulsando debajo. Si la página original existe, se mostrará una comparación de las 2 páginas.',
+ translationFailed: 'La traducción ha fallado. El archivo xml es inválido ',
+ translationOptions: 'Opciones para traducir',
+ translator: 'Traductor',
+ uploadTranslationXml: 'Subir traducción xml',
+ },
+ treeHeaders: {
+ content: 'Contenido',
+ contentBlueprints: 'Plantillas de Contenido',
+ media: 'Media',
+ cacheBrowser: 'Caché del navegador',
+ contentRecycleBin: 'Papelera de reciclaje',
+ createdPackages: 'Paquetes creados',
+ dataTypes: 'Tipos de datos',
+ dictionary: 'Diccionario',
+ installedPackages: 'Paquetes instalados',
+ installSkin: 'Instalar skin',
+ installStarterKit: 'Instalar starter kit',
+ languages: 'Idiomas',
+ localPackage: 'Instalar paquete local',
+ macros: 'Macros',
+ mediaTypes: 'Tipos de medios',
+ member: 'Miembros',
+ memberGroups: 'Grupos de miembros',
+ memberRoles: 'Roles',
+ memberTypes: 'Tipos de miembros',
+ documentTypes: 'Tipos de documento',
+ relationTypes: 'Tipos de relaciones',
+ packager: 'Paquetes',
+ packages: 'Paquetes',
+ partialViews: 'Vistas Parciales',
+ partialViewMacros: 'Vistas Parciales para Macros',
+ repositories: 'Instalar desde repositorio',
+ runway: 'Instalar pasarela',
+ runwayModules: 'Módulos pasarela',
+ scripting: 'Ficheros de script',
+ scripts: 'Scripts',
+ stylesheets: 'Hojas de estilo',
+ templates: 'Plantillas',
+ logViewer: 'Visor de registro',
+ users: 'Usuarios',
+ settingsGroup: 'Ajustes',
+ },
+ update: {
+ updateAvailable: 'Existe una nueva actualización',
+ updateDownloadText: '%0% esta listo, pulsa aquí para descargar',
+ updateNoServer: 'No hay conexión al servidor',
+ updateNoServerError:
+ 'Error al comprobar la actualización. Por favor revisa "trace-stack" para conseguir más información.',
+ },
+ user: {
+ access: 'Acceso',
+ accessHelp: 'Basado en los grupos asignados y los nodos iniciales, el usuario tiene acceso a los siguientes nodos.',
+ assignAccess: 'Asignar acceso',
+ administrators: 'Administrador',
+ categoryField: 'Campo de categoría',
+ changePassword: 'Cambiar contraseña',
+ changePhoto: 'Cambiar foto',
+ newPassword: 'Nueva contraseña',
+ noLockouts: 'no ha sido bloqueado',
+ noPasswordChange: 'La contraseña no se ha cambiado',
+ confirmNewPassword: 'Confirma nueva contraseña',
+ changePasswordDescription:
+ "Puedes cambiar tu contraseña para acceder al 'back office' de Umbraco rellenando el siguiente formulario y haciendo clic en el botón 'Cambiar contraseña'",
+ contentChannel: 'Canal de contenido',
+ createAnotherUser: 'Crear otro usuario',
+ createUserHelp:
+ 'Crear nuevos usuarios para darles acceso a Umbraco. Cuando un nuevo usuario es creado, una nueva contraseña será generada y la podrás compartir con el usuario.',
+ descriptionField: 'Campo descriptivo',
+ disabled: 'Deshabilitar usuario',
+ documentType: 'Tipo de documento',
+ editors: 'Editor',
+ excerptField: 'Campo de citas',
+ failedPasswordAttempts: 'Intentos de acceso fallidos',
+ goToProfile: 'Ir a perfil de usuario',
+ groupsHelp: 'Añadir grupos para asignar acceso y permisos',
+ inviteAnotherUser: 'Invitar otro usuario',
+ inviteUserHelp:
+ 'Invita nuevos usuarios para darles acceso a Umbraco. Un email de invitación será enviado al usuario con información sobre cómo acceder a Umbraco.',
+ language: 'Idioma',
+ languageHelp: 'Establecer el idioma que verás en menús y diálogos',
+ lastLockoutDate: 'Última fecha bloqueado',
+ lastLogin: 'Último acceso',
+ lastPasswordChangeDate: 'Última contraseña cambiada',
+ loginname: 'Acceso',
+ mediastartnode: 'Nodo de comienzo en la biblioteca de medios',
+ mediastartnodehelp: 'Limitar la biblioteca de medios al siguiente nodo de inicio',
+ mediastartnodes: 'Nodos de inicio para Medios',
+ mediastartnodeshelp: 'Limitar la biblioteca de medios a los siguientes nodos de inicio',
+ modules: 'Secciones',
+ noConsole: 'Deshabilitar acceso a Umbraco',
+ noLogin: 'no se ha conectado aún',
+ oldPassword: 'Contraseña antigua',
+ password: 'Contraseña',
+ resetPassword: 'Reiniciar contraseña',
+ passwordChanged: 'Tu contraseña ha sido cambiada',
+ passwordConfirm: 'Por favor confirma tu nueva contraseña',
+ passwordEnterNew: 'Introduce tu nueva contraseña',
+ passwordIsBlank: 'La nueva contraseña no puede estar vacía',
+ passwordCurrent: 'Contraseña actual',
+ passwordInvalid: 'Contraseña actual inválida',
+ passwordIsDifferent:
+ 'La nueva contraseña no coincide con la contraseña de confirmación. Por favor, vuele a intentarlo!',
+ passwordMismatch: 'La contraseña de confirmación no coincide con la nueva contraseña!',
+ permissionReplaceChildren: 'Reemplazar los permisos de los nodos hijo',
+ permissionSelectedPages: 'Estás modificando los permisos para las páginas:',
+ permissionSelectPages: 'Selecciona las páginas para modificar sus permisos',
+ removePhoto: 'Eliminar imagen',
+ permissionsDefault: 'Permisos por defecto',
+ permissionsGranular: 'Permisos granulares',
+ permissionsGranularHelp: 'Establecer permisos para nodos específicos',
+ profile: 'Perfil',
+ searchAllChildren: 'Buscar en todos los hijos',
+ languagesHelp: 'Limite los idiomas a los que los usuarios tienen acceso para editar',
+ allowAccessToAllLanguages: 'Permitir el acceso a todos los idiomas',
+ sectionsHelp: 'Añadir secciones para dar acceso a usuarios',
+ selectUserGroups: 'Seleccionar grupos de usuarios',
+ noStartNode: 'Nodo de inicio no seleccionado',
+ noStartNodes: 'Nodos de inicio no seleccionado',
+ startnode: 'Nodo de comienzo en contenido',
+ startnodehelp: 'Limitar el árbol de contenido a un nodo de inicio específico',
+ startnodes: 'Nodos de inicio de contenido',
+ startnodeshelp: 'Limitar el árbol de contenido a unos nodos de inicio específicos',
+ updateDate: 'Última actualización en usuario',
+ userCreated: 'ha sido creado',
+ userCreatedSuccessHelp:
+ 'Se ha creado el nuevo usuario con éxito. Para acceder a Umbraco usa la contraseña siguiente.',
+ userManagement: 'Administración de usuario',
+ username: 'Nombre de usuario',
+ userPermissions: 'Permisos de usuarios',
+ usergroup: 'Grupo de usuario',
+ userInvited: 'ha sido invitado',
+ userInvitedSuccessHelp: 'Se ha enviado una invitación al nuevo usuario con detalles sobre cómo acceder a Umbraco.',
+ userinviteWelcomeMessage:
+ '¡Hola y bienvenido a Umbraco!. En un minuto todo estará listo para empezar, sólo necesitamos que configures tu contraseña.',
+ writer: 'Redactor',
+ change: 'Cambiar',
+ yourProfile: 'Tu perfil',
+ yourHistory: 'Tu historial reciente',
+ sessionExpires: 'La sesión caduca en',
+ inviteUser: 'Invitar usuario',
+ createUser: 'Crear usuario',
+ sendInvite: 'Enviar invitación',
+ backToUsers: 'Volver a usuarios',
+ inviteEmailCopySubject: 'Umbraco: Invitación',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\n ",
+ },
+ validation: {
+ validation: 'Validación',
+ validateAsEmail: 'Validar como email',
+ validateAsNumber: 'Validar como número',
+ validateAsUrl: 'Validar como URL',
+ enterCustomValidation: '...o introduce tu propia validación',
+ fieldIsMandatory: 'Campo obligatorio',
+ validationRegExp: 'Introduce una expresión regular',
+ minCount: 'Necesitas añadir al menos',
+ maxCount: 'Sólo puedes tener',
+ items: 'elementos',
+ itemsSelected: 'elementos seleccionados',
+ invalidDate: 'Fecha no válida',
+ invalidNumber: 'No es un número',
+ invalidEmail: 'Email no válido',
+ },
+ healthcheck: {
+ checkSuccessMessage: "El valor fue establecido en el valor recomendado: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Valor esperado '%1%' para '%2%' en fichero de configuración '%3%', pero se encontró '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "Se encontró un valor inesperado '%0%' para '%2%' en fichero de configuración '%3%'.",
+ macroErrorModeCheckSuccessMessage: "MacroErrors establecidos en '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors están establecidos en '%0%' lo que prevendrá que algunas o todas las página de tu sitio no carguen completamente si hay algún error en una macro. Rectifica esto estableciendo un valor de '%1%'.",
+ httpsCheckValidCertificate: 'El certificado de tu sitio es válido.',
+ httpsCheckInvalidCertificate: "Error validando certificado: '%0%'",
+ httpsCheckExpiredCertificate: 'El certificado SSL de tu sitio ha caducado.',
+ httpsCheckExpiringCertificate: 'El certificado SSL de tu sitio caducará en %0% días.',
+ healthCheckInvalidUrl: "Error haciendo ping a la URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Actualmente estás %0% viendo el sitio usando el esquema HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Modo Debug en compilación está desactivado.',
+ compilationDebugCheckErrorMessage:
+ 'Modo Debug en compilación está activado. Se recomienda desactivarlo antes de publicar el sitio.',
+ clickJackingCheckHeaderFound:
+ 'El header or meta-tag X-Frame-Options usado para controlar si un sitio puede ser IFRAMEd por otra fue encontrado.',
+ clickJackingCheckHeaderNotFound:
+ 'El header or meta-tag X-Frame-Options usado para controlar si un sitio puede ser IFRAMEd por otra no se ha encontrado.',
+ excessiveHeadersFound:
+ 'The following headers revealing information about the website technology were found: %0%.',
+ excessiveHeadersNotFound:
+ 'No se ha encontrado ninguna cabecera que revele información sobre la tecnología del sitio.',
+ smtpMailSettingsConnectionSuccess:
+ 'Los valores SMTP están configurados correctamente y el servicio opera con normalidad.',
+ notificationEmailsCheckSuccessMessage: 'Email de notificación has sido configurado como %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'El email de notificación está todavía configurado en tuvalor por defecto: %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Los resultados de los Chequeos de Salud de Umbraco programados para ejecutarse el %0% a las %1% son:
%2%',
+ scheduledHealthCheckEmailSubject: 'Status de los Chequeos de Salud de Umbraco: %0%',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Desactivar URL tracker',
+ enableUrlTracker: 'Activar URL tracker',
+ originalUrl: 'URL Original',
+ redirectedTo: 'Redirigido a To',
+ noRedirects: 'No se ha creado ninguna redirección',
+ noRedirectsDescription:
+ 'Cuando una página es renombrada o movida, una redirección a la nueva página es automáticamente creada.',
+ redirectRemoved: 'Redirección URL eliminada.',
+ redirectRemoveError: 'Error borrando la redirección URL.',
+ confirmDisable: '¿Seguro que quieres desactivar URL tracker?',
+ disabledConfirm: 'URL tracker ha sido desactivado.',
+ disableError: 'Error desactivando URL tracker, más información se puede encontrar en los logs.',
+ enabledConfirm: 'URL tracker ha sido activado.',
+ enableError: 'Error activando URL tracker, más información se puede encontrar en los logs.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'No hay elementos de Diccionario para elegir',
+ },
+ textbox: {
+ characters_left: 'caracteres restantes',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Seleccionar todo',
+ deselectAllLogLevelFilters: 'Deseleccionar todo',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/fr-ch.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/fr-ch.ts
new file mode 100644
index 0000000000..712e9fc0fd
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/fr-ch.ts
@@ -0,0 +1,17 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: fr_ch
+ * Language Int Name: French Switzerland (FR-CH)
+ * Language Local Name: Français Suisse (FR-CH)
+ * Language LCID: 12
+ * Language Culture: fr-CH
+ */
+import fr_fr from './fr-fr.js';
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+
+export default {
+ // NOTE: Imports and re-exports the French (France) localizations, so that any French (Switzerland) localizations can be override them. [LK]
+ ...fr_fr,
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/fr-fr.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/fr-fr.ts
new file mode 100644
index 0000000000..f62092bcea
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/fr-fr.ts
@@ -0,0 +1,1977 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: fr
+ * Language Int Name: French (FR)
+ * Language Local Name: français (FR)
+ * Language LCID: 12
+ * Language Culture: fr-FR
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: "Culture et noms d'hôte",
+ auditTrail: "Informations d'audit",
+ browse: 'Parcourir',
+ changeDocType: 'Changer le type de document',
+ copy: 'Copier',
+ create: 'Créer',
+ export: 'Exporter',
+ createPackage: 'Créer un package',
+ createGroup: 'Créer un groupe',
+ delete: 'Supprimer',
+ disable: 'Désactiver',
+ emptyrecyclebin: 'Vider la corbeille',
+ enable: 'Activer',
+ exportDocumentType: 'Exporter le type de document',
+ importdocumenttype: 'Importer un type de document',
+ importPackage: 'Importer un package',
+ liveEdit: 'Editer dans Canvas',
+ logout: 'Déconnexion',
+ move: 'Déplacer',
+ notify: 'Notifications',
+ protect: 'Accès public',
+ publish: 'Publier',
+ unpublish: 'Dépublier',
+ refreshNode: 'Rafraîchir',
+ republish: 'Republier le site tout entier',
+ rename: 'Renommer',
+ restore: 'Récupérer',
+ chooseWhereToCopy: 'Choisissez où copier',
+ chooseWhereToMove: 'Choisissez où déplacer',
+ chooseWhereToImport: 'Choisissez où importer',
+ toInTheTreeStructureBelow: "dans l'arborescence ci-dessous",
+ wasMovedTo: 'a été déplacé vers',
+ wasCopiedTo: 'a été copié vers',
+ wasDeleted: 'a été supprimé',
+ rights: 'Permissions',
+ rollback: 'Version antérieure',
+ sendtopublish: 'Envoyer pour publication',
+ sendToTranslate: 'Envoyer pour traduction',
+ setGroup: 'Spécifier le groupe',
+ sort: 'Trier',
+ translate: 'Traduire',
+ update: 'Mettre à jour',
+ setPermissions: 'Spécifier les permissions',
+ unlock: 'Débloquer',
+ createblueprint: 'Créer un modèle de contenu',
+ resendInvite: "Envoyer à nouveau l'invitation",
+ },
+ actionCategories: {
+ content: 'Contenu',
+ administration: 'Administration',
+ structure: 'Structure',
+ other: 'Autre',
+ },
+ actionDescriptions: {
+ assignDomain: "Permettre d'attribuer la culture et des noms d'hôte",
+ auditTrail: "Permettre d'accéder au journal d'historique d'un noeud",
+ browse: "Permettre d'accéder à un noeud",
+ changeDocType: "Permettre de modifier le type de document d'un noeud",
+ copy: 'Permettre de copier un noeud',
+ create: 'Permettre de créer des noeuds',
+ delete: 'Permettre de supprimer des noeuds',
+ move: 'Permettre de déplacer un noeud',
+ protect: "Permettre de définir et modifier l'accès public à un noeud",
+ publish: 'Permettre de publier un noeud',
+ unpublish: "Permettre d'annuler la publication d'un noeud",
+ rights: 'Permettre de modifier les permissions pour un noeud',
+ rollback: 'Permettre de revenir à une situation antérieure',
+ sendtopublish: "Permettre d'envoyer un noeud pour approbation avant publication",
+ sendToTranslate: "Permettre d'envoyer un noeud à la traduction",
+ sort: "Permettre de modifier l'ordonnancement des noeuds",
+ translate: 'Permettre de traduire un noeud',
+ update: 'Permettre de sauvegarder un noeud',
+ createblueprint: "Permettre la création d'un Modèle de Contenu",
+ },
+ apps: {
+ umbContent: 'Contenu',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Permission refusée.',
+ addNew: 'Ajouter un nouveau domaine',
+ remove: 'Supprimer',
+ invalidNode: 'Noeud invalide.',
+ invalidDomain: 'Domaine invalide.',
+ duplicateDomain: 'Domaine déjà assigné.',
+ language: 'Langue',
+ domain: 'Domaine',
+ domainCreated: "Nouveau domaine '%0%' créé",
+ domainDeleted: "Domaine '%0%' supprimé",
+ domainExists: "Domaine '%0%' déjà assigné",
+ domainUpdated: "Domaine '%0%' mis à jour",
+ orEdit: 'Editer les domaines actuels',
+ domainHelpWithVariants:
+ 'Noms de domaines valides: "example.com", "www.example.com", "example.com:8080", ou "https://www.example.com/".\n De plus, les chemins d\'un niveau sous le domaine sont également supportés, eg. "example.com/en" ou "/en".',
+ inherit: 'Hériter',
+ setLanguage: 'Culture',
+ setLanguageHelp:
+ "Définir la culture pour les noeuds enfants du noeud courant, ou hériter de la culture des noeuds parents. S'appliquera aussi \n au noeud courant, à moins qu'un domaine ci-dessous soit aussi d'application.",
+ setDomains: 'Domaines',
+ },
+ buttons: {
+ clearSelection: 'Vider la sélection',
+ select: 'Choisir',
+ somethingElse: 'Faire autre chose',
+ bold: 'Gras',
+ deindent: "Annuler l'indentation de paragraphe",
+ formFieldInsert: 'Insérer un champ de formulaire',
+ graphicHeadline: 'Insérer un entête graphique',
+ htmlEdit: 'Editer le HTML',
+ indent: 'Indenter le paragraphe',
+ italic: 'Italique',
+ justifyCenter: 'Centrer',
+ justifyLeft: 'Justifier à gauche',
+ justifyRight: 'Justifier à droite',
+ linkInsert: 'Insérer un lien',
+ linkLocal: 'Insérer un lien local (ancre)',
+ listBullet: 'Liste à puces',
+ listNumeric: 'Liste numérique',
+ macroInsert: 'Insérer une macro',
+ pictureInsert: 'Insérer une image',
+ publishAndClose: 'Publier et fermer',
+ publishDescendants: 'Publier avec les descendants',
+ relations: 'Editer les relations',
+ returnToList: 'Retourner à la liste',
+ save: 'Sauver',
+ saveAndClose: 'Sauver et fermer',
+ saveAndPublish: 'Sauver et publier',
+ saveToPublish: 'Sauver et envoyer pour approbation',
+ saveListView: 'Sauver la mise en page de la liste',
+ schedulePublish: 'Planifier',
+ saveAndPreview: 'Prévisualiser',
+ showPage: 'Prévisualiser',
+ showPageDisabled: "La prévisualisation est désactivée car aucun modèle n'a été assigné.",
+ styleChoose: 'Choisir un style',
+ styleShow: 'Afficher les styles',
+ tableInsert: 'Insérer un tableau',
+ generateModelsAndClose: 'Générer les modèles et fermer',
+ saveAndGenerateModels: 'Sauver et générer les modèles',
+ undo: 'Défaire',
+ redo: 'Refaire',
+ deleteTag: 'Supprimer un tag',
+ confirmActionCancel: 'Annuler',
+ confirmActionConfirm: 'Confirmer',
+ morePublishingOptions: 'Options de publication supplémentaires',
+ },
+ auditTrailsMedia: {
+ delete: 'Media supprimé',
+ move: 'Media déplacé',
+ copy: 'Media copié',
+ save: 'Media sauvegardé',
+ },
+ auditTrails: {
+ atViewingFor: 'Aperçu pour',
+ delete: 'Contenu supprimé',
+ unpublish: 'Contenu dé-publié',
+ unpublishvariant: 'Contenu dé-publié pour les langues : %0% ',
+ publish: 'Contenu publié',
+ publishvariant: 'Contenu publié pour les langues : %0% ',
+ save: 'Contenu sauvegardé',
+ savevariant: 'Contenu sauvegardé pour les langues : %0%',
+ move: 'Contenu déplacé',
+ copy: 'Contenu copié',
+ rollback: 'Contenu restauré',
+ sendtopublish: 'Contenu envoyé pour publication',
+ sendtopublishvariant: 'Contenu envoyé pour publication pour les langues : %0%',
+ sort: "Ordonnancement des sous-éléments réalisé par l'utilisateur",
+ smallCopy: 'Copier',
+ smallPublish: 'Publier',
+ smallPublishVariant: 'Publier',
+ smallMove: 'Déplacer',
+ smallSave: 'Sauvegarder',
+ smallSaveVariant: 'Sauvegarder',
+ smallDelete: 'Supprimer',
+ smallUnpublish: 'Annuler publication',
+ smallUnpublishVariant: 'Annuler publication',
+ smallRollBack: 'Restaurer',
+ smallSendToPublish: 'Envoyer pour publication',
+ smallSendToPublishVariant: 'Envoyer pour publication',
+ smallSort: 'Ordonner',
+ historyIncludingVariants: 'Historique (toutes variantes)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Le nom du dossier ne peut pas contenir de caractères illégaux.',
+ deleteItemFailed: "Echec de la suppression de l'élément : %0%",
+ },
+ content: {
+ isPublished: 'A été publié',
+ about: 'A propos de cette page',
+ alias: 'Alias',
+ alternativeTextHelp: "(comment décririez-vous l'image oralement)",
+ alternativeUrls: 'Liens alternatifs',
+ clickToEdit: 'Cliquez pour éditer cet élément',
+ createBy: 'Créé par',
+ createByDesc: 'Auteur original',
+ updatedBy: 'Mis à jour par',
+ createDate: 'Créé',
+ createDateDesc: 'Date/heure à laquelle ce document a été créé',
+ documentType: 'Type de Document',
+ editing: 'Edition',
+ expireDate: 'Expire le',
+ itemChanged: 'Cet élément a été modifié après la publication',
+ itemNotPublished: "Cet élément n'est pas publié",
+ lastPublished: 'Dernière publication',
+ noItemsToShow: "Il n'y a aucun élément à afficher",
+ listViewNoItems: "Il n'y a aucun élément à afficher dans cette liste.",
+ listViewNoContent: "Aucun contenu n'a encore été ajouté",
+ listViewNoMembers: "Aucun membre n'a encore été ajouté",
+ mediatype: 'Type de Média',
+ mediaLinks: 'Lien vers des média(s)',
+ membergroup: 'Groupe de membres',
+ memberrole: 'Rôle',
+ membertype: 'Type de membre',
+ noChanges: "Aucune modification n'a été faite",
+ noDate: 'Aucune date choisie',
+ nodeName: 'Titre de la page',
+ noMediaLink: "Ce média n'a pas de lien",
+ noProperties: 'Aucun contenu ne peut être ajouté pour cet élément',
+ otherElements: 'Propriétés',
+ parentNotPublished: "Ce document est publié mais n'est pas visible car son parent '%0%' n'est pas publié",
+ parentCultureNotPublished:
+ "Cette culture est publiée mais n'est pas visible car elle n'est pas publiée pour le parent '%0%'",
+ parentNotPublishedAnomaly: "Ce document est publié mais n'est pas présent dans le cache",
+ getUrlException: "Oups: impossible d'obtenir cet URL (erreur interne - voir fichier log)",
+ routeError: 'Ce document est publié mais son URL entrerait en collision avec le contenu %0%',
+ routeErrorCannotRoute: 'Ce document est publié mais son URL ne peut pas être routé',
+ publish: 'Publier',
+ published: 'Publié',
+ publishedPendingChanges: 'Publié (changements en cours)',
+ publishStatus: 'Statut de publication',
+ publishDescendantsHelp:
+ 'Cliquez sur Publier avec ses descendants pour publier %0% et tous les éléments de contenu en-dessous, rendant de ce fait leur contenu accessible publiquement.',
+ publishDescendantsWithVariantsHelp:
+ 'Cliquez sur Publier avec ses descendants pour publier les langues sélectionnées et les mêmes langues des éléments de contenu en-dessous, rendant de ce fait leur contenu accessible publiquement.',
+ releaseDate: 'Publié le',
+ unpublishDate: 'Dépublié le',
+ removeDate: 'Supprimer la date',
+ setDate: 'Défininir la date',
+ sortDone: 'Ordre de tri mis à jour',
+ sortHelp:
+ 'Pour trier les noeuds, faites-les simplement glisser à l\'aide de la souris ou cliquez sur les entêtes de colonne. Vous pouvez séléctionner plusieurs noeuds en gardant la touche "shift" ou "ctrl" enfoncée pendant votre séléction.',
+ statistics: 'Statistiques',
+ titleOptional: 'Titre (optionnel)',
+ altTextOptional: 'Texte alternatif (optionnel)',
+ captionTextOptional: 'Légende (optionnel)',
+ type: 'Type',
+ unpublish: 'Dépublier',
+ unpublished: 'Dépublié',
+ notCreated: 'Non créé',
+ updateDate: 'Dernière édition',
+ updateDateDesc: 'Date/heure à laquelle ce document a été édité',
+ uploadClear: 'Supprimer le(s) fichier(s)',
+ urls: 'Lien vers un document',
+ memberof: 'Membre du/des groupe(s)',
+ notmemberof: 'Pas membre du/des groupe(s)',
+ childItems: 'Eléments enfants',
+ target: 'Cible',
+ scheduledPublishServerTime: "Ceci se traduit par l'heure suivante sur le serveur :",
+ scheduledPublishDocumentation:
+ 'Qu\'est-ce que cela signifie?',
+ nestedContentDeleteItem: 'Etes-vous certain(e) de vouloir supprimer cet élément?',
+ nestedContentDeleteAllItems: 'Etes-vous certain(e) de vouloir supprimer tous les éléments?',
+ nestedContentEditorNotSupported:
+ "La propriété %0% utilise l'éditeur %1% qui n'est pas supporté par Nested Content.",
+ nestedContentNoContentTypes: "Aucun type de contenu n'est configuré pour cette propriété.",
+ nestedContentAddElementType: "Ajouter un type d'élément",
+ nestedContentSelectElementTypeModalTitle: "Sélectionner un type d'élément",
+ nestedContentNoGroups:
+ "Le type d'élément sélectionné ne contient aucun groupe supporté (les onglets/tabs ne sont pas supportés par cet éditeur, changez-les en groupes ou utilisez l'éditeur Block List).",
+ addTextBox: 'Ajouter un autre champ texte',
+ removeTextBox: 'Enlever ce champ texte',
+ contentRoot: 'Racine du contenu',
+ includeUnpublished: 'Inclure les brouillons : publier également les éléments de contenu non publiés.',
+ isSensitiveValue:
+ "Cette valeur est masquée. Si vous avez besoin de pouvoir accéder à cette valeur, veuillez prendre contact avec l'administrateur du site web.",
+ isSensitiveValue_short: 'Cette valeur est masquée.',
+ languagesToPublish: 'Quelles langues souhaitez-vous publier?',
+ languagesToSendForApproval: 'Quells langues souhaitez-vous envoyer pour approbation?',
+ languagesToSchedule: 'Quelles langues souhaitez-vous planifier?',
+ languagesToUnpublish:
+ "Sélectionnez les langues à dépublier. La dépublication d'une langue obligatoire provoquera la dépublication de toutes les langues.",
+ readyToPublish: 'Prêt.e à publier?',
+ readyToSave: 'Prêt.e à sauvegarder?',
+ sendForApproval: 'Envoyer pour approbation',
+ schedulePublishHelp: "Sélectionnez la date et l'heure de publication/dépublication de l'élément de contenu.",
+ createEmpty: 'Créer nouveau',
+ createFromClipboard: 'Copier du clipboard',
+ saveModalTitle: 'Sauver',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Créer un nouveau Modèle de Contenu à partir de %0%',
+ blankBlueprint: 'Vide',
+ selectBlueprint: 'Sélectionner un Modèle de Contenu',
+ createdBlueprintHeading: 'Modèle de Contenu créé',
+ createdBlueprintMessage: "Un modèle de Contenu a été créé à partir de '%0%'",
+ duplicateBlueprintMessage: 'Un autre Modèle de Contenu existe déjà avec le même nom',
+ blueprintDescription:
+ "Un Modèle de Contenu est du contenu pré-défini qu'un éditeur peut sélectionner et utiliser comme base pour la création de nouveau contenu",
+ },
+ media: {
+ clickToUpload: 'Cliquez pour télécharger',
+ orClickHereToUpload: 'ou cliquez ici pour choisir un fichier',
+ disallowedFileType: "Ce fichier ne peut pas ête chargé, il n'est pas d'un type de fichier autorisé.",
+ invalidFileName: "Ce fichier ne peut pas être chargé, le nom du fichier n'est pas valide",
+ maxFileSize: 'La taille maximum de fichier est',
+ mediaRoot: 'Racine du média',
+ moveToSameFolderFailed: 'Les dossiers parent et destination ne peuvent pas être identiques',
+ createFolderFailed: "Echec de la création d'un dossier sous le parent avec l'id %0%",
+ renameFolderFailed: "Echec du changement de nom du dossier avec l'id %0%",
+ dragAndDropYourFilesIntoTheArea: 'Glissez et déposez vos fichiers dans la zone',
+ },
+ member: {
+ createNewMember: 'Créer un nouveau membre',
+ allMembers: 'Tous les membres',
+ memberGroupNoProperties: "Les groupes de membres n'ont pas de propriétés supplémentaires modifiables.",
+ },
+ contentType: {
+ copyFailed: 'Echec de la copie du type de contenu',
+ moveFailed: 'Echec du déplacement du type de contenu',
+ },
+ mediaType: {
+ copyFailed: 'Echec de la copie du type de media',
+ moveFailed: 'Echec du déplacement du type de media',
+ },
+ memberType: {
+ copyFailed: 'Echec de la copie du type de membre',
+ },
+ create: {
+ chooseNode: 'Où voulez-vous créer le nouveau %0%',
+ createUnder: 'Créer un élément sous',
+ createContentBlueprint: 'Sélectionnez le type de document pour lequel vous souhaitez créer un modèle de contenu',
+ enterFolderName: 'Introduisez un nom de dossier',
+ updateData: 'Choisissez un type et un titre',
+ noDocumentTypes:
+ "Il n'y a aucun type de document disponible pour créer du contenu ici. Vous devez d'abord les activer dans Types de documents sous la section Paramètres, en modifiant les Types de noeuds enfants autorisés sous les Permissions.",
+ noDocumentTypesAtRoot:
+ "Il n'y a aucun type de document disponible pour créer du contenu ici. Vous devez d'abord les activer dans Types de documents sous la section Paramètres.",
+ noDocumentTypesWithNoSettingsAccess:
+ "La page sélectionnée dans l'arborescence de contenu n'autorise pas la création de pages sous elle.",
+ noDocumentTypesEditPermissions: 'Modifier les permissions pour ce type de document',
+ noDocumentTypesCreateNew: 'Créer un nouveau type de document',
+ noDocumentTypesAllowedAtRoot:
+ "Il n'y a aucun type de document disponible pour créer du contenu ici. Vous devez d'abord les activer dans Types de documents sous la section Paramètres, en modifiant l'option Autoriser comme racine sous les Permissions.",
+ noMediaTypes:
+ "Il n'y a aucun type de média disponible pour créer un media ici. Vous devez d'abord les activer dans Types de médias dans la section Paramètres, en modifiant les Types de noeuds enfants autorisés sous les Permissions.",
+ noMediaTypesWithNoSettingsAccess:
+ "Le media sélectionné dans l'arborescence n'autorise pas la création d'un autre media sous lui.",
+ noMediaTypesEditPermissions: 'Modifier les permissions pour ce type de media',
+ documentTypeWithoutTemplate: 'Type de document sans modèle',
+ newFolder: 'Nouveau répertoire',
+ newDataType: 'Nouveau type de données',
+ newJavascriptFile: 'Nouveau fichier javascript',
+ newEmptyPartialView: 'Nouvelle vue partielle vide',
+ newPartialViewMacro: 'Nouvelle macro pour vue partielle',
+ newPartialViewFromSnippet: "Nouvelle vue partielle à partir d'un snippet",
+ newPartialViewMacroFromSnippet: "Nouvelle macro pour vue partielle à partir d'un snippet",
+ newPartialViewMacroNoMacro: 'Nouvelle macro pour vue partielle (sans macro)',
+ newStyleSheetFile: 'Nouveau fichier de feuille de style',
+ newRteStyleSheetFile: "Nouveau fichier de feuille de style pour l'éditeur de texte",
+ },
+ dashboard: {
+ browser: 'Parcourir votre site',
+ dontShowAgain: '- Cacher',
+ nothinghappens: "Si Umbraco ne s'ouvre pas, peut-être devez-vous autoriser l'ouverture des popups pour ce site.",
+ openinnew: "s'est ouvert dans une nouvelle fenêtre",
+ restart: 'Redémarrer',
+ visit: 'Visiter',
+ welcome: 'Bienvenue',
+ },
+ prompt: {
+ stay: 'Rester',
+ discardChanges: 'Invalider les changements',
+ unsavedChanges: 'Vous avez des changements en cours',
+ unsavedChangesWarning: 'Etes-vous certain(e) de vouloir quitter cette page? - vous avez des changements en cours',
+ confirmListViewPublish: 'La publication rendra les éléments sélectionnés visibles sur le site.',
+ confirmListViewUnpublish:
+ 'La suppression de la publication supprimera du site les éléments sélectionnés et tous leurs descendants.',
+ confirmUnpublish: 'La suppression de la publication supprimera du site cette page ainsi que tous ses descendants.',
+ doctypeChangeWarning:
+ 'Vous avez des modifications en cours. Modifier le Type de Document fera disparaître ces modifications.',
+ },
+ bulk: {
+ done: 'Terminé',
+ deletedItem: '%0% élément supprimé',
+ deletedItems: '%0% éléments supprimés',
+ deletedItemOfItem: '%0% élément sur %1% supprimé',
+ deletedItemOfItems: '%0% éléments sur %1% supprimés',
+ publishedItem: '%0% élément publié',
+ publishedItems: '%0% éléments publiés',
+ publishedItemOfItem: '%0% élément sur %1% publié',
+ publishedItemOfItems: '%0% éléments sur %1% publiés',
+ unpublishedItem: '%0% élément dépublié',
+ unpublishedItems: '%0% éléments dépubliés',
+ unpublishedItemOfItem: '%0% élément sur %1% dépublié',
+ unpublishedItemOfItems: '%0% éléments sur %1% dépubliés',
+ movedItem: '%0% élément déplacé',
+ movedItems: '%0% éléments déplacés',
+ movedItemOfItem: '%0% élément sur %1% déplacé',
+ movedItemOfItems: '%0% éléments sur %1% déplacés',
+ copiedItem: '%0% élément copié',
+ copiedItems: '%0% éléments copiés',
+ copiedItemOfItem: '%0% élément sur %1% copié',
+ copiedItemOfItems: '%0% éléments sur %1% copiés',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Titre du lien',
+ urlLinkPicker: 'Lien',
+ anchorLinkPicker: 'Ancrage / requête',
+ anchorInsert: 'Nom',
+ closeThisWindow: 'Fermer cette fenêtre',
+ confirmdelete: 'Êtes-vous certain(e) de vouloir supprimer',
+ confirmdeleteNumberOfItems:
+ 'Êtes-vous certain(e) de vouloir supprimer %0% des %1% éléments',
+ confirmdisable: 'Êtes-vous certain(e) de vouloir désactiver',
+ confirmlogout: 'Êtes-vous certain(e)?',
+ confirmSure: 'Êtes-vous certain(e)?',
+ cut: 'Couper',
+ editDictionary: 'Editer une entrée du Dictionnaire',
+ editLanguage: 'Modifier la langue',
+ editSelectedMedia: 'Modifier le media sélectionné',
+ insertAnchor: 'Insérer un lien local (ancre)',
+ insertCharacter: 'Insérer un caractère',
+ insertgraphicheadline: 'Insérer un entête graphique',
+ insertimage: 'Insérer une image',
+ insertlink: 'Insérer un lien',
+ insertMacro: 'Insérer une macro',
+ inserttable: 'Insérer un tableau',
+ languagedeletewarning: 'Ceci supprimera la langue',
+ languageChangeWarning:
+ "Modifier la culture d'une langue peut être une opération lourde qui aura pour conséquence la réinitialisation de la cache de contenu et des index",
+ lastEdited: 'Dernière modification',
+ link: 'Lien',
+ linkinternal: 'Lien interne',
+ linklocaltip: 'Si vous utilisez des ancres, insérez # au début du lien',
+ linknewwindow: 'Ouvrir dans une nouvelle fenêtre?',
+ macroDoesNotHaveProperties: 'Cette macro ne contient aucune propriété éditable',
+ paste: 'Coller',
+ permissionsEdit: 'Editer les permissions pour',
+ permissionsSet: 'Définir les permissions pour',
+ permissionsSetForGroup: "Définir les permissions pour %0% pour le groupe d'utilisateurs %1%",
+ permissionsHelp: "Sélectionnez les groupes d'utilisateurs pour lesquels vous souhaitez définir les permissions",
+ recycleBinDeleting:
+ 'Les éléments dans la corbeille sont en cours de suppression. Veuillez ne pas fermer cette fenêtre avant que cette opération ne soit terminée.',
+ recycleBinIsEmpty: 'La corbeille est maintenant vide',
+ recycleBinWarning: 'Les éléments supprimés de la corbeille seront supprimés définitivement',
+ regexSearchError:
+ "Le webservice regexlib.com rencontre actuellement des problèmes sur lesquels nous n'avons aucun contrôle. Nous sommes sincèrement désolés pour le désagrément.",
+ regexSearchHelp:
+ "Rechercher une expression régulière à ajouter pour la validation d'un champ de formulaire. Exemple: 'email, 'zip-code', 'URL'.",
+ removeMacro: 'Supprimer la macro',
+ requiredField: 'Champ obligatoire',
+ sitereindexed: 'Le site a été réindéxé',
+ siterepublished:
+ 'Le cache du site a été mis à jour. Tous les contenus publiés sont maintenant à jour. Et tous les contenus dépubliés sont restés invisibles.',
+ siterepublishHelp:
+ 'Le cache du site va être mis à jour. Tous les contenus publiés seront mis à jour. Et tous les contenus dépubliés resteront invisibles.',
+ tableColumns: 'Nombre de colonnes',
+ tableRows: 'Nombre de lignes',
+ thumbnailimageclickfororiginal: "Cliquez sur l'image pour la voir en taille réelle",
+ treepicker: 'Sélectionner un élément',
+ viewCacheItem: "Voir l'élément de cache",
+ relateToOriginalLabel: "Lier à l'original",
+ includeDescendants: 'Inclure les descendants',
+ theFriendliestCommunity: 'La communauté la plus amicale',
+ linkToPage: 'Lier à la page',
+ openInNewWindow: 'Ouvre le document lié dans une nouvelle fenêtre ou un nouvel onglet',
+ linkToMedia: 'Lier à un media',
+ selectContentStartNode: 'Sélectionner le noeud de base du contenu',
+ selectMedia: 'Sélectionner le media',
+ selectMediaType: 'Sélectionner le type de media',
+ selectIcon: "Sélectionner l'icône",
+ selectItem: "Sélectionner l'élément",
+ selectLink: 'Sélectionner le lien',
+ selectMacro: 'Sélectionner la macro',
+ selectContent: 'Sélectionner le contenu',
+ selectContentType: 'Sélectionner le type de contenu',
+ selectMediaStartNode: 'Sélectionner le noeud de base des media',
+ selectMember: 'Sélectionner le membre',
+ selectMemberGroup: 'Sélectionner le groupe de membres',
+ selectMemberType: 'Sélectionner le type de membre',
+ selectNode: 'Sélectionner le noeud',
+ selectSections: 'Sélectionner les sections',
+ selectUsers: 'Sélectionner les utilisateurs',
+ noIconsFound: "Aucune icone n'a été trouvée",
+ noMacroParams: "Il n'y a pas de paramètres pour cette macro",
+ noMacros: "Il n'y a pas de macro disponible à insérer",
+ externalLoginProviders: "Fournisseurs externes d'identification",
+ exceptionDetail: "Détails de l'exception",
+ stacktrace: "Trace d'exécution",
+ innerException: 'Exception interne',
+ linkYour: 'Liez votre',
+ unLinkYour: 'Enlevez votre',
+ account: 'compte',
+ selectEditor: 'Sélectionner un éditeur',
+ selectSnippet: 'Selectionner un snippet',
+ variantdeletewarning:
+ 'Ceci supprimera le noeud et toutes ses langues. Si vous souhaitez supprimer une langue spécifique, vous devriez plutôt supprimer la publication du noeud dans cette langue-là.',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n Pour importer un élément de dictionnaire, trouvez le fichier ".udt" sur votre ordinateur en cliquant sur le bouton "Importer" (une confirmation vous sera demandée dans l\'écran suivant)\n ',
+ itemDoesNotExists: "L'élément de dictionnaire n'existe pas.",
+ parentDoesNotExists: "L'élément parent n'existe pas.",
+ noItems: "Il n'y a pas d'élément dans le dictionnaire.",
+ noItemsInFile: "Il n'y a pas d'élément de dictionnaire dans ce fichier.",
+ createNew: 'Créer un élément de dictionnaire',
+ },
+ dictionaryItem: {
+ description: "Editez les différentes versions de langues pour l'élément de dictionnaire '%0%' ci-dessous.",
+ displayName: 'Nom de Culture',
+ changeKeyError: "La clé '%0%' existe déjà.",
+ overviewTitle: 'Aperçu du dictionaire',
+ },
+ examineManagement: {
+ configuredSearchers: 'Recherches configurées',
+ configuredSearchersDescription:
+ 'Affiche les propriétés et les outils de chaque Recherche configurée (e.g. une recherche multi-index)',
+ fieldValues: 'Valeurs du champ',
+ healthStatus: 'Etat de santé',
+ healthStatusDescription: "L'état de santé de l'index et s'il peut être lu",
+ indexers: 'Indexeurs',
+ indexInfo: 'Info Index',
+ indexInfoDescription: "Liste les propriétés de l'index",
+ manageIndexes: "Gérer les index d'Examine",
+ manageIndexesDescription:
+ 'Vous permet de voir les détails de chaque index et fournit des outils pour gérer les index',
+ rebuildIndex: "Reconstruire l'index",
+ rebuildIndexWarning:
+ "\n Ceci provoquera la reconstruction de l'index. \n Cela pourrait prendre un certain temps en fonction de la quantité de contenu présente dans votre site. \n Il est déconseillé de reconstruire un index pendant les périodes de trafic intense sur le site web ou quand les éditeurs sont en train d'éditer du contenu.\n ",
+ searchers: 'Recherches',
+ searchDescription: "Rechercher dans l'index et afficher les résultats",
+ tools: 'Outils',
+ toolsDescription: "Outils pour gérer l'index",
+ fields: 'champs',
+ indexCannotRead: "L'index ne peut pas être lu et devra être reconstruit",
+ processIsTakingLonger:
+ "Le processus dure plus de temps que prévu, vérifiez les logs Umbraco afin de voir s'il y a eu des erreurs pendant cette opératon",
+ indexCannotRebuild: "Cet index ne peut pas être reconstruit parce qu'on ne lui a pas assigné de",
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: "Votre nom d'utilisateur",
+ password: 'Votre mot de passe',
+ confirmPassword: 'Confirmation de votre mot de passe',
+ nameentity: 'Nommer %0%...',
+ entername: 'Entrez un nom...',
+ enteremail: 'Entrez un email...',
+ enterusername: "Entrez un nom d'utilisateur...",
+ label: 'Libellé...',
+ enterDescription: 'Entrez une description...',
+ search: 'Rechercher...',
+ filter: 'Filtrer...',
+ enterTags: 'Ajouter des tags (appuyer sur enter entre chaque tag)...',
+ email: 'Entrez votre email',
+ enterMessage: 'Entrez un message...',
+ usernameHint: "Votre nom d'utilisateur est généralement votre adresse email",
+ anchor: '#value ou ?key=value',
+ enterAlias: "Introduisez l'alias...",
+ generatingAlias: "Génération de l'alias...",
+ a11yCreateItem: 'Créer un élément',
+ a11yEdit: 'Modifier',
+ a11yName: 'Nom',
+ },
+ editcontenttype: {
+ createListView: 'Créer une liste personnalisée',
+ removeListView: 'Supprimer la liste personnalisée',
+ aliasAlreadyExists: 'Il existe déjà un type de contenu, un tye de media ou un type de membre avec cet alias',
+ },
+ renamecontainer: {
+ renamed: 'Renommé',
+ enterNewFolderName: 'Entrez un nouveau nom de répertoire ici',
+ folderWasRenamed: '%0% a été renommé en %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Ajouter une valeur de base',
+ dataBaseDatatype: 'Type de donnée en base de donées',
+ guid: 'GUID du Property Editor',
+ renderControl: 'Property editor',
+ rteButtons: 'Boutons',
+ rteEnableAdvancedSettings: 'Activer les paramètres avancés pour',
+ rteEnableContextMenu: 'Activer le menu contextuel',
+ rteMaximumDefaultImgSize: 'Taille maximale par défaut des images insérées',
+ rteRelatedStylesheets: 'CSS associées',
+ rteShowLabel: 'Afficher le libellé',
+ rteWidthAndHeight: 'Largeur et hauteur',
+ selectFolder: 'Sélectionnez le répertoire où déplacer',
+ inTheTree: "dans l'arborescence ci-dessous",
+ wasMoved: 'a été déplacé sous',
+ hasReferencesDeleteConsequence:
+ 'La suppression de %0% supprimera les propriétés et leurs données des éléments suivants',
+ acceptDeleteConsequence:
+ 'Je comprends que cette action va supprimer les propriétés et les données basées sur ce Type de Données',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ "Vos données ont été sauvegardées, mais avant de pouvoir publier votre page, il y a des erreurs que vous devez d'abord corriger :",
+ errorChangingProviderPassword:
+ "Le Membership Provider n'autorise pas le changement des mots de passe (EnablePasswordRetrieval doit être défini à true)",
+ errorExistsWithoutTab: '%0% existe déjà',
+ errorHeader: 'Des erreurs sont survenues :',
+ errorHeaderWithoutTab: 'Des erreurs sont survenues :',
+ errorInPasswordFormat:
+ 'Le mot de passe doit contenir un minimum de %0% caractères et contenir au moins %1% caractère(s) non-alphanumerique',
+ errorIntegerWithoutTab: '%0% doit être un entier',
+ errorMandatory: "Le champ %0% dans l'onglet %1% est obligatoire",
+ errorMandatoryWithoutTab: '%0% est un champ obligatoire',
+ errorRegExp: "%0% dans %1% n'est pas correctement formaté",
+ errorRegExpWithoutTab: "%0% n'est pas correctement formaté",
+ },
+ errors: {
+ receivedErrorFromServer: 'Le serveur a retourné une erreur',
+ dissallowedMediaType: "Le type de fichier spécifié n'est pas autorisé par l'administrateur",
+ codemirroriewarning:
+ "NOTE ! Même si CodeMirror est activé dans la configuration, il est désactivé dans Internet Explorer car il n'est pas suffisamment stable dans ce navigateur.",
+ contentTypeAliasAndNameNotNull: "Veuillez remplir l'alias et le nom de la nouvelle propriété!",
+ filePermissionsError: 'Il y a un problème de droits en lecture/écriture sur un fichier ou dossier spécifique',
+ macroErrorLoadingPartialView: "Erreur de chargement du script d'une Partial View (fichier : %0%)",
+ missingTitle: 'Veuillez entrer un titre',
+ missingType: 'Veuillez choisir un type',
+ pictureResizeBiggerThanOrg:
+ "Vous allez définir une taille d'image supérieure à sa taille d'origine. Êtes-vous certain(e) de vouloir continuer?",
+ startNodeDoesNotExists: 'Noeud de départ supprimé, contactez votre administrateur',
+ stylesMustMarkBeforeSelect: 'Veuillez sélectionner du contenu avant de changer le style',
+ stylesNoStylesOnPage: 'Aucun style actif disponible',
+ tableColMergeLeft: 'Veuillez placer le curseur à la gauche des deux cellules que vous voulez fusionner',
+ tableSplitNotSplittable: "Vous ne pouvez pas scinder une cellule qui n'a pas été fusionnée.",
+ propertyHasErrors: "Cette propriété n'est pas valide",
+ },
+ general: {
+ options: 'Options',
+ about: 'A propos',
+ action: 'Action',
+ actions: 'Actions',
+ add: 'Ajouter',
+ alias: 'Alias',
+ all: 'Tout',
+ areyousure: 'Êtes-vous certain(e)?',
+ back: 'Retour',
+ backToOverview: "Retour à l'aperçu",
+ border: 'Bord',
+ by: 'par',
+ cancel: 'Annuler',
+ cellMargin: 'Marge de cellule',
+ choose: 'Choisir',
+ close: 'Fermer',
+ closewindow: 'Fermer la fenêtre',
+ closepane: 'Fermer le panel',
+ comment: 'Commenter',
+ confirm: 'Confirmer',
+ constrain: 'Conserver',
+ constrainProportions: 'Conserver les proportions',
+ content: 'Contenu',
+ continue: 'Continuer',
+ copy: 'Copier',
+ create: 'Créer',
+ database: 'Base de données',
+ date: 'Date',
+ default: 'Défaut',
+ delete: 'Supprimer',
+ deleted: 'Supprimé',
+ deleting: 'Suppression...',
+ design: 'Design',
+ dictionary: 'Dictionnaire',
+ dimensions: 'Dimensions',
+ down: 'Bas',
+ download: 'Télécharger',
+ edit: 'Editer',
+ edited: 'Edité',
+ elements: 'Eléments',
+ email: 'Email',
+ error: 'Erreur',
+ field: 'Champ',
+ findDocument: 'Trouver',
+ first: 'Premier',
+ focalPoint: 'Point focal',
+ general: 'Général',
+ groups: 'Groupes',
+ group: 'Groupe',
+ height: 'Hauteur',
+ help: 'Aide',
+ hide: 'Cacher',
+ history: 'Historique',
+ icon: 'Icône',
+ id: 'Id',
+ import: 'Importer',
+ info: 'Info',
+ innerMargin: 'Marge intérieure',
+ insert: 'Insérer',
+ install: 'Installer',
+ invalid: 'Non valide',
+ justify: 'Justifier',
+ label: 'Libellé',
+ language: 'Langue',
+ last: 'Dernier',
+ layout: 'Mise en page',
+ links: 'Liens',
+ loading: 'En cours de chargement',
+ locked: 'Bloqué',
+ login: 'Connexion',
+ logoff: 'Déconnexion',
+ logout: 'Déconnexion',
+ macro: 'Macro',
+ mandatory: 'Obligatoire',
+ message: 'Message',
+ move: 'Déplacer',
+ name: 'Nom',
+ new: 'Nouveau',
+ next: 'Suivant',
+ no: 'Non',
+ of: 'de',
+ off: 'Inactif',
+ ok: 'OK',
+ open: 'Ouvrir',
+ on: 'Actif',
+ or: 'ou',
+ orderBy: 'Trier par',
+ password: 'Mot de passe',
+ path: 'Chemin',
+ pleasewait: "Un moment s'il vous plaît...",
+ previous: 'Précédent',
+ properties: 'Propriétés',
+ readMore: 'En savoir plus',
+ rebuild: 'Reconstruire',
+ reciept: 'Email de réception des données de formulaire',
+ recycleBin: 'Corbeille',
+ recycleBinEmpty: 'Votre corbeille est vide',
+ reload: 'Rafraîchir',
+ remaining: 'Restant',
+ remove: 'Enlever',
+ rename: 'Renommer',
+ renew: 'Renouveller',
+ required: 'Requis',
+ retrieve: 'Retrouver',
+ retry: 'Réessayer',
+ rights: 'Permissions',
+ scheduledPublishing: 'Publication Programmée',
+ search: 'Rechercher',
+ searchNoResult: 'Désolé, nous ne pouvons pas trouver ce que vous recherchez',
+ noItemsInList: "Aucun élément n'a été ajouté",
+ server: 'Serveur',
+ settings: 'Paramètres',
+ shared: 'Partagé',
+ show: 'Montrer',
+ showPageOnSend: "Afficher la page à l'envoi",
+ size: 'Taille',
+ sort: 'Trier',
+ status: 'Statut',
+ submit: 'Envoyer',
+ type: 'Type',
+ typeToSearch: 'Rechercher...',
+ under: 'sous',
+ up: 'Haut',
+ update: 'Mettre à jour',
+ upgrade: 'Upgrader',
+ upload: 'Télécharger',
+ url: 'URL',
+ user: 'Utilisateur',
+ username: "Nom d'utilisateur",
+ value: 'Valeur',
+ view: 'Voir',
+ welcome: 'Bienvenue...',
+ width: 'Largeur',
+ yes: 'Oui',
+ folder: 'Dossier',
+ searchResults: 'Résultats de recherche',
+ reorder: 'Réorganiser',
+ reorderDone: "J'ai fini de réorganiser",
+ preview: 'Prévisualiser',
+ changePassword: 'Modifier le mot de passe',
+ to: 'vers',
+ listView: 'Liste',
+ saving: 'Sauvegarde...',
+ current: 'actuel',
+ embed: 'Intégrer',
+ selected: 'sélectionné',
+ avatar: 'Avatar de',
+ header: 'Entête',
+ systemField: 'champ système',
+ lastUpdated: 'Dernière mise à jour',
+ },
+ colors: {
+ blue: 'Bleu',
+ },
+ shortcuts: {
+ addGroup: 'Ajouter un onglet',
+ addProperty: 'Ajouter une propriété',
+ addEditor: 'Ajouter un éditeur',
+ addTemplate: 'Ajouter un modèle',
+ addChildNode: 'Ajouter un noeud enfant',
+ addChild: 'Ajouter un enfant',
+ editDataType: 'Editer le type de données',
+ navigateSections: 'Parcourir les sections',
+ shortcut: 'Raccourcis',
+ showShortcuts: 'afficher les raccourcis',
+ toggleListView: 'Activer / Désactiver la vue en liste',
+ toggleAllowAsRoot: "Activer / Désactiver l'autorisation comme racine",
+ commentLine: 'Commenter/Décommenter les lignes',
+ removeLine: 'Supprimer la ligne',
+ copyLineUp: 'Copier les lignes vers le haut',
+ copyLineDown: 'Copier les lignes vers le bas',
+ moveLineUp: 'Déplacer les lignes vers le haut',
+ moveLineDown: 'Déplacer les lignes vers le bas',
+ generalHeader: 'Général',
+ editorHeader: 'Editeur',
+ toggleAllowCultureVariants: 'Activer / Désactiver les variantes de culture',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Couleur de fond',
+ bold: 'Gras',
+ color: 'Couleur de texte',
+ font: 'Police',
+ text: 'Texte',
+ },
+ headers: {
+ page: 'Page',
+ },
+ installer: {
+ databaseErrorCannotConnect: "Le programme d'installation ne parvient pas à se connecter à la base de données.",
+ databaseFound: 'Votre base de données a été détectée et est identifiée comme étant',
+ databaseHeader: 'Configuration de la base de données',
+ databaseInstall:
+ '\n Appuyez sur le bouton installer pour installer la base de données Umbraco %0%\n ',
+ databaseInstallDone:
+ 'Umbraco %0% a été copié dans votre base de données. Appuyez sur Suivant pour poursuivre.',
+ databaseText:
+ 'Pour réaliser cette étape, vous devez d\'abord connaître des informations concernant votre serveur de base de données ("connection string"). \n Veuillez contacter votre fournisseur de services internet si nécessaire.\n Si vous installez Umbraco sur un ordinateur ou un serveur local, vous aurez peut-être besoin de consulter votre administrateur système.',
+ databaseUpgrade:
+ "\n
\n Appuyez sur le bouton Upgrader pour mettre à jour votre base de données vers Umbraco %0%
\n
\n N'ayez pas d'inquiétude : aucun contenu ne sera supprimé et tout continuera à fonctionner parfaitement par après !\n
\n ",
+ databaseUpgradeDone:
+ 'Votre base de données a été mise à jour vers la version %0%. Appuyez sur Suivant pour\n poursuivre. ',
+ databaseUpToDate:
+ 'Votre base de données est à jour ! Cliquez sur Suivant pour poursuivre la configuration',
+ defaultUserChangePass: 'Le mot de passe par défaut doit être modifié !',
+ defaultUserDisabled:
+ "L'utilisateur par défaut a été désactivé ou n'a pas accès à Umbraco!
Aucune autre action n'est requise. Cliquez sur Suivant pour poursuivre.",
+ defaultUserPassChanged:
+ "Le mot de passe par défaut a été modifié avec succès depuis l'installation!
Aucune autre action n'est requise. Cliquez sur Suivant pour poursuivre.",
+ defaultUserPasswordChanged: 'Le mot de passe a été modifié !',
+ greatStart: "Pour bien commencer, regardez nos vidéos d'introduction",
+ None: 'Pas encore installé.',
+ permissionsAffectedFolders: 'Fichiers et dossiers concernés',
+ permissionsAffectedFoldersMoreInfo: "Plus d'informations sur la configuration des permissions",
+ permissionsAffectedFoldersText:
+ 'Vous devez donner à ASP.NET les droits de modification sur les fichiers/dossiers suivants',
+ permissionsAlmostPerfect:
+ "Vos configurations de permissions sont presque parfaites !
\n Vous pouvez faire fonctionner Umbraco sans problèmes, mais vous ne serez pas en mesure d'installer des packages, ce qui est hautement recommandé pour tirer pleinement profit d'Umbraco.",
+ permissionsHowtoResolve: 'Comment résoudre',
+ permissionsHowtoResolveLink: 'Cliquez ici pour lire la version texte',
+ permissionsHowtoResolveText:
+ 'Regardez notre tutoriel vidéo sur la définition des permissions des répertoires pour Umbraco, ou lisez la version texte.',
+ permissionsMaybeAnIssue:
+ "Vos configurations de permissions pourraient poser problème !\n
\n Vous pouvez faire fonctionner Umbraco sans problèmes, mais vous ne serez pas en mesure d'installer des packages, ce qui est hautement recommandé pour tirer pleinement profit d'Umbraco.",
+ permissionsNotReady:
+ 'Vos configurations de permissions ne sont pas prêtes pour Umbraco !\n
\n Pour faire fonctionner Umbraco, vous aurez besoin de mettre à jour les permissions sur les fichiers/dossiers.',
+ permissionsPerfect:
+ 'Vos configurations de permissions sont parfaites !
\n Vous êtes prêt(e) à faire fonctionner Umbraco et à installer des packages !',
+ permissionsResolveFolderIssues: 'Résoudre un problème sur un dossier',
+ permissionsResolveFolderIssuesLink:
+ "Suivez ce lien pour plus d'informations sur les problèmes avec ASP.NET et la création de dossiers",
+ permissionsSettingUpPermissions: 'Définir les permissions de dossier',
+ permissionsText:
+ "\n Umbraco nécessite des permissions d'écriture/modification sur certains dossiers pour pouvoir stocker des fichiers comme des images et des PDF.\n Il stocke également des données temporaires (i.e : cache) pour améliorer les performances de votre site.\n ",
+ runwayFromScratch: 'Je veux démarrer "from scratch"',
+ runwayFromScratchText:
+ '\n Votre site est vide pour le moment, ce qui est parfait si vous voulez commencer "from scratch" et créer vos propres types de documents et modèles d\'affichage.\n (Apprenez comment)\n Vous pouvez toujours choisir d\'installer Runway plus tard. Pour cela, allez dans la section "Développeur" et sélectionnez "Packages".\n ',
+ runwayHeader: 'Vous venez de mettre en place une plateforme Umbraco toute nette. Que voulez-vous faire ensuite ?',
+ runwayInstalled: 'Runway est installé',
+ runwayInstalledText:
+ '\n Les fondations en place. Choisissez les modules que vous souhaitez installer par-dessus \n Voici la liste des modules recommandés, cochez ceux que vous souhaitez installer, ou regardez la liste complète des modules\n ',
+ runwayOnlyProUsers: 'Recommandé uniquement pour les utilisateurs expérimentés',
+ runwaySimpleSite: 'Je veux commencer avec un site simple',
+ runwaySimpleSiteText:
+ "\n
\n \"Runway\" est un site simple qui fournit des types de documents et des modèles de base. L'installateur peut mettre en place Runway automatiquement pour vous,\n mais vous pouvez facilement l'éditer, l'enrichir, ou le supprimer par la suite. Il n'est pas nécessaire, et vous pouvez parfaitement vous en passer pour utiliser Umbraco. Cela étant dit,\n Runway offre une base facile, fondée sur des bonnes pratiques, pour vous permettre de commencer plus rapidement que jamais.\n Si vous choisissez d'installer Runway, vous pouvez sélectionner en option des blocs de base, appelés Runway Modules, pour enrichir les pages de votre site.\n
\n \n Inclus avec Runway : Home page, Getting Started page, Installing Modules page. \n Modules optionnels : Top Navigation, Sitemap, Contact, Gallery.\n \n ",
+ runwayWhatIsRunway: "Qu'est-ce que Runway",
+ step1: 'Etape 1/5 : Accepter la licence',
+ step2: 'Etape 2/5 : Configuration de la base de données',
+ step3: 'Etape 3/5 : Validation des permissions de fichiers',
+ step4: 'Etape 4/5 : Sécurité Umbraco',
+ step5: 'Etape 5/5 : Umbraco est prêt',
+ thankYou: "Merci d'avoir choisi Umbraco",
+ theEndBrowseSite:
+ '
Parcourir votre nouveau site
\nVous avez installé Runway, alors pourquoi ne pas jeter un oeil au look de votre nouveau site ?',
+ theEndFurtherHelp:
+ "
Aide et informations complémentaires
\nObtenez de l'aide de notre communauté \"award winning\", parcourez la documentation ou regardez quelques vidéos gratuites sur la manière de construire un site simple, d'utiliser les packages ainsi qu'un guide rapide sur la terminologie Umbraco",
+ theEndHeader: 'Umbraco %0% est installé et prêt à être utilisé',
+ theEndInstallSuccess:
+ 'Vous pouvez démarrer instantanément en cliquant sur le bouton "Lancer Umbraco" ci-dessous. \nSi vous débutez avec Umbraco, vous pouvez trouver une foule de ressources dans nos pages "Getting Started".',
+ theEndOpenUmbraco:
+ "
Lancer Umbraco
\nPour gérer votre site, ouvrez simplement le backoffice Umbraco et commencez à ajouter du contenu, à mettre à jour les modèles d'affichage et feuilles de styles ou à ajouter de nouvelles fonctionnalités",
+ Unavailable: 'La connexion à la base de données a échoué.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ watch: 'Regarder',
+ welcomeIntro:
+ "Cet assistant vous guidera tout au long du processus de configuration d'Umbraco %0%, qu'il s'agisse d'une nouvelle installation ou d'une mise à jour à partir de la version 3.0\n
\n Appuyez sur \"suivant\" pour commencer l'assistant.",
+ },
+ language: {
+ cultureCode: 'Code de la Culture',
+ displayName: 'Nom de la culture',
+ },
+ lockout: {
+ lockoutWillOccur: 'Vous avez été inactif et la déconnexion aura lieu automatiquement dans',
+ renewSession: 'Renouvellez votre session maintenant pour sauvegarder votre travail',
+ },
+ login: {
+ greeting0: 'Bienvenue',
+ greeting1: 'Bienvenue',
+ greeting2: 'Bienvenue',
+ greeting3: 'Bienvenue',
+ greeting4: 'Bienvenue',
+ greeting5: 'Bienvenue',
+ greeting6: 'Bienvenue',
+ instruction: 'Connectez-vous ci-dessous',
+ signInWith: 'Identifiez-vous avec',
+ timeout: 'La session a expiré',
+ bottomText:
+ '
',
+ forgottenPassword: 'Mot de passe oublié?',
+ forgottenPasswordInstruction:
+ "Un email contenant un lien pour ré-initialiser votre mot de passe sera envoyé à l'adresse spécifiée",
+ requestPasswordResetConfirmation:
+ "Un email contenant les instructions de ré-initialisation de votre mot de passe sera envoyée à l'adresse spécifiée si elle correspond à nos informations.",
+ showPassword: 'Montrer le mot de passe',
+ hidePassword: 'Cacher le mot de passe',
+ returnToLogin: 'Revenir au formulaire de connexion',
+ setPasswordInstruction: 'Veuillez fournir un nouveau mot de passe',
+ setPasswordConfirmation: 'Votre mot de passe a été mis à jour',
+ resetCodeExpired: 'Le lien sur lequel vous avez cliqué est non valide ou a expiré.',
+ resetPasswordEmailCopySubject: 'Umbraco: Ré-initialiser le mot de passe',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tUne réinitialisation de votre mot de passe a été demandée\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tVotre nom d'utilisateur pour vous connecter au backoffice Umbraco est : %0%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\n\t\t\n\t",
+ },
+ main: {
+ dashboard: 'Tableau de bord',
+ sections: 'Sections',
+ tree: 'Contenu',
+ },
+ moveOrCopy: {
+ choose: 'Choisissez la page au-dessus...',
+ copyDone: '%0% a été copié dans %1%',
+ copyTo: "Choisissez ci-dessous l'endroit où le document %0% doit être copié",
+ moveDone: '%0% a été déplacé dans %1%',
+ moveTo: "Choisissez ci-dessous l'endroit où le document %0% doit être déplacé",
+ nodeSelected: "a été choisi comme racine de votre nouveau contenu, cliquez sur 'ok' ci-dessous.",
+ noNodeSelected:
+ "Aucun noeud n'a encore été choisi, veuillez choisir un noeud dans la liste ci-dessus avant de cliquer sur 'ok'.",
+ notAllowedByContentType: "Le noeud actuel n'est pas autorisé sous le noeud choisi à cause de son type",
+ notAllowedByPath: 'Le noeud actuel ne peut pas être déplacé dans une de ses propres sous-pages',
+ notAllowedAtRoot: 'Le noeud actuel ne peut pas exister à la racine',
+ notValid:
+ "L'action n'est pas autorisée car vous n'avez pas les droits suffisants sur un ou plusieurs noeuds enfants.",
+ relateToOriginal: "Relier les éléments copiés à l'original",
+ },
+ notifications: {
+ editNotifications: 'Editez vos notifications pour %0%',
+ notificationsSavedFor: 'Paramètres de notification enregistrés pour %0%',
+ notifications: 'Notifications',
+ },
+ packager: {
+ actions: 'Actions',
+ created: 'Créé',
+ createPackage: 'Créer un package',
+ chooseLocalPackageText:
+ '\n Choisissez un package sur votre ordinateur en cliquant sur le bouton Parcourir \n\tet localisez le package. Les packages Umbraco ont généralement une extension ".umb" ou ".zip".\n ',
+ deletewarning: 'Ceci va supprimer le package',
+ includeAllChildNodes: 'Inclure tous les noeuds enfant',
+ installed: 'Installé',
+ installedPackages: 'Packages installés',
+ noConfigurationView: "Ce package n'a pas de vue de configuration",
+ noPackagesCreated: "Aucun package n'a encore été créé",
+ noPackages: "Vous n'avez aucun package installé",
+ noPackagesDescription:
+ "Vous n'avez pas de package installé. Veuillez soit installer un package local en le sélectionnant sur votre ordinateur, soit naviguer dans la liste des packages disponibles en utilisant l'icone 'Packages' en haut à droite de votre écran",
+ packageContent: 'Contenu du package',
+ packageLicense: 'Licence',
+ packageSearch: 'Chercher des packages',
+ packageSearchResults: 'Résultats pour',
+ packageNoResults: "Nous n'avons rien pu trouver pour",
+ packageNoResultsDescription: 'Veuillez essayer de chercher un autre package ou naviguez à travers les catégories',
+ packagesPopular: 'Populaires',
+ packagesNew: 'Nouvelles releases',
+ packageHas: 'a',
+ packageKarmaPoints: 'points de karma',
+ packageInfo: 'Information',
+ packageOwner: 'Propriétaire',
+ packageContrib: 'Contributeurs',
+ packageCreated: 'Créé',
+ packageCurrentVersion: 'Version actuelle',
+ packageNetVersion: 'version .NET',
+ packageDownloads: 'Téléchargements',
+ packageLikes: 'Coups de coeur',
+ packageCompatibility: 'Compatibilité',
+ packageCompatibilityDescription:
+ 'Ce package est compatible avec les versions suivantes de Umbraco, selon les rapports des membres de la communauté. Une compatibilité complète ne peut pas être garantie pour les versions rapportées sous 100%',
+ packageExternalSources: 'Sources externes',
+ packageAuthor: 'Auteur',
+ packageDocumentation: 'Documentation',
+ packageMetaData: 'Meta data du package',
+ packageName: 'Nom du package',
+ packageNoItemsHeader: 'Le package ne contient aucun élément',
+ packageNoItemsText:
+ 'Ce fichier de package ne contient aucun élément à désinstaller.
\n Vous pouvez supprimer tranquillement ce package de votre installation en cliquant sur "Désinstaller le package" ci-dessous.',
+ packageOptions: 'Options du package',
+ packageReadme: 'Package readme',
+ packageRepository: 'Repository des packages',
+ packageUninstallConfirm: 'Confirmation de désinstallation',
+ packageUninstalledHeader: 'Le package a été désinstallé',
+ packageUninstalledText: 'Le package a été désinstallé avec succès',
+ packageUninstallHeader: 'Désinstaller le package',
+ packageUninstallText:
+ 'Vous pouvez désélectionner ci-dessous les éléments que vous ne souhaitez pas supprimer pour le moment. Lorsque vous cliquerez sur "Confirmer la désinstallation", tous les éléments cochés seront supprimés. \n Remarque : tous les documents, media etc. dépendant des éléments que vous supprimez vont cesser de fonctionner, ce qui peut provoquer une instabilité du système,\n désinstallez donc avec prudence. En cas de doute, contactez l\'auteur du package.',
+ packageVersion: 'Version du package',
+ },
+ paste: {
+ doNothing: 'Coller en conservant le formatage (non recommandé)',
+ errorMessage:
+ "Le texte que vous tentez de coller contient des caractères spéciaux ou du formatage. Cela peut être dû à une copie d'un texte depuis Microsoft Word. Umbraco peut supprimer automatiquement les caractères spéciaux et le formatage, de manière à ce que le texte collé convienne mieux pour le Web.",
+ removeAll: 'Coller en tant que texte brut sans aucun formatage',
+ removeSpecialFormattering: 'Coller, mais supprimer le formatage (recommandé)',
+ },
+ publicAccess: {
+ paGroups: 'Protection basée sur les groupes',
+ paGroupsHelp: 'Si vous souhaitez donner accès à tous les utilisateurs de groupes de membres spécifiques',
+ paGroupsNoGroups:
+ 'Vous devez créer un groupe de membres avant de pouvoir utiliser la protection basée sur les groupes',
+ paErrorPage: "Page d'erreur",
+ paErrorPageHelp: "Utilisé pour les personnes connectées, mais qui n'ont pas accès",
+ paHowWould: "Choisissez comment restreindre l'accès à la page %0%",
+ paIsProtected: '%0% est maintenant protégée',
+ paIsRemoved: 'Protection de %0% supprimée',
+ paLoginPage: 'Page de connexion',
+ paLoginPageHelp: 'Choisissez la page qui contient le formulaire de connexion',
+ paRemoveProtection: 'Supprimer la protection...',
+ paRemoveProtectionConfirm:
+ 'Etes-vous certain.e de vouloir supprimer la protection de la page %0%?',
+ paSelectPages: "Choisissez les pages qui contiennent le formulaire de connexion et les messages d'erreur",
+ paSelectGroups: 'Sélectionnez les groupes qui ont accès à la page %0%',
+ paSelectMembers: 'Sélectionnez les membres qui ont accès à la page %0%',
+ paMembers: 'Protection pour des membres spécifiques',
+ paMembersHelp: 'Si vous souhaitez donner accès à des membres spécifiques',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'Permissions utilisateur insuffisantes pour publier tous les documents enfants.',
+ contentPublishedFailedIsTrashed: "\n %0% n'a pas pu être publié car cet élément est dans la corbeille.\n ",
+ contentPublishedFailedAwaitingRelease:
+ "\n %0% n'a pas pu être publié car cet élément est programmé pour être publié bientôt.\n ",
+ contentPublishedFailedExpired: "\n %0% n'a pas pu être publié car cet élément a expiré.\n ",
+ contentPublishedFailedInvalid:
+ "\n %0% n'a pas pu être publié à cause des propriétés suivantes qui n'ont pas passé les règles de validation : %1%.\n ",
+ contentPublishedFailedByEvent:
+ "\n %0% n'a pas pu être publié, l'action a été annulée par une extension tierce.\n ",
+ contentPublishedFailedByParent: "\n %0% ne peut pas être publié car une page parente n'est pas publiée.\n ",
+ contentPublishedFailedByMissingName: "%0% ne peut pas être publié, parce qu'il n'a pas de nom.",
+ contentPublishedFailedReqCultureValidationError:
+ "La validation a échoué pour la langue obligatoire '%0%'. Cette langue a été sauvegardée mais pas publiée.",
+ inProgress: 'Publication en cours - veuillez patienter...',
+ inProgressCounter: '%0% pages sur %1% ont été publiées...',
+ nodePublish: '%0% a été publié',
+ nodePublishAll: '%0% et ses pages enfants ont été publiées',
+ publishAll: 'Publier %0% et toutes ses pages enfant',
+ publishHelp:
+ 'Cliquez sur Publier pour publier %0% et la rendre ainsi accessible publiquement.
\n Vous pouvez publier cette page et toutes ses sous-pages en cochant Inclure les pages enfant non pubiées ci-dessous.\n ',
+ },
+ colorpicker: {
+ noColors: "Vous n'avez configuré aucune couleur approuvée",
+ },
+ contentPicker: {
+ allowedItemTypes: 'Vous pouvez uniquement sélectionner des éléments du(des) type(s) : %0%',
+ pickedTrashedItem: 'Vous avez choisi un élément de contenu actuellement supprimé ou dans la corbeille',
+ pickedTrashedItems: 'Vous avez choisi des éléments de contenu actuellement supprimés ou dans la corbeille',
+ },
+ mediaPicker: {
+ deletedItem: 'Elément supprimé',
+ pickedTrashedItem: 'Vous avez choisi un élément media actuellement supprimé ou dans la corbeille',
+ pickedTrashedItems: 'Vous avez choisi des éléments media actuellement supprimés ou dans la corbeille',
+ trashed: 'Mis dans la corbeille',
+ },
+ relatedlinks: {
+ enterExternal: 'introduire un lien externe',
+ chooseInternal: 'choisir une page interne',
+ caption: 'Légende',
+ link: 'Lien',
+ newWindow: 'Ouvrir dans une nouvelle fenêtre',
+ captionPlaceholder: 'introduisez la légende à afficher',
+ externalLinkPlaceholder: 'Introduiser le lien',
+ },
+ imagecropper: {
+ reset: 'Réinitialiser',
+ updateEditCrop: 'Terminé',
+ undoEditCrop: 'Annuler les modifications',
+ },
+ rollback: {
+ headline: 'Sélectionnez une version à comparer avec la version actuelle',
+ diffHelp:
+ "Ceci affiche les différences entre la version actuelle et la version choisie Le texte en Rouge signifie qu'il a été supprimé de la version choisie, vert signifie ajouté",
+ documentRolledBack: 'Le document a été restauré à une version antérieure',
+ htmlHelp:
+ 'Ceci affiche la version choisie en tant que HTML, si vous souhaitez voir les différences entre les deux versions en même temps, utilisez la vue différentielle',
+ rollbackTo: 'Revenir à',
+ selectVersion: 'Choisissez une version',
+ view: 'Voir',
+ pagination: 'Afficher les versions %0% à %1% des %2% versions',
+ versions: 'Versions',
+ currentDraftVersion: 'Version de travail',
+ currentPublishedVersion: 'Version publiée',
+ },
+ scripts: {
+ editscript: 'Editer le fichier de script',
+ },
+ sections: {
+ content: 'Contenu',
+ forms: 'Formulaires',
+ media: 'Medias',
+ member: 'Membres',
+ packages: 'Packages',
+ settings: 'Configuration',
+ translation: 'Traduction',
+ users: 'Utilisateurs',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'Les meilleurs tutoriels vidéo Umbraco',
+ },
+ settings: {
+ defaulttemplate: 'Modèle par défaut',
+ importDocumentTypeHelp:
+ 'Pour importer un type de document, trouvez le fichier ".udt" sur votre ordinateur en cliquant sur le bouton "Parcourir" et cliquez sur "Importer" (une confirmation vous sera demandée à l\'écran suivant)',
+ newtabname: 'Titre du nouvel onglet',
+ nodetype: 'Type de noeud',
+ objecttype: 'Type',
+ stylesheet: 'Feuille de style',
+ script: 'Script',
+ tab: 'Onglet',
+ tabname: "Titre de l'onglet",
+ tabs: 'Onglets',
+ contentTypeEnabled: 'Type de contenu de base activé',
+ contentTypeUses: 'Ce type de contenu utilise',
+ noPropertiesDefinedOnTab:
+ 'Aucune propriété définie dans cet onglet. Cliquez sur le lien "Ajouter une nouvelle propriété" en-haut pour créer une nouvelle propriété.',
+ createMatchingTemplate: 'Créer le template correspondant',
+ addIcon: 'Ajouter une icône',
+ },
+ sort: {
+ sortOrder: 'Ordre de tri',
+ sortCreationDate: 'Date de création',
+ sortDone: 'Tri achevé.',
+ sortHelp:
+ "Faites glisser les différents éléments vers le haut ou vers le bas pour définir la manière dont ils doivent être organisés. Ou cliquez sur les en-têtes de colonnes pour trier la collection complète d'éléments",
+ sortPleaseWait: 'Veuillez patienter. Les éléments sont en cours de tri, cela peut prendre un moment.',
+ sortEmptyState: "Ce noeud n'a aucun noeud enfant à trier",
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validation',
+ validationFailedMessage: "Les erreurs de validation doivent être corrigées avant de pouvoir sauvegarder l'élément",
+ operationFailedHeader: 'Echec',
+ operationSavedHeader: 'Sauvegardé',
+ operationSavedHeaderReloadUser: 'Sauvegardé. Veuillez rafraîchir votre navigateur pour voir les changements',
+ invalidUserPermissionsText: "Permissions utilisateur insuffisantes, l'opération n'a pas pu être complétée",
+ operationCancelledHeader: 'Annulation',
+ operationCancelledText: "L'opération a été annulée par une extension tierce",
+ contentTypeDublicatePropertyType: 'Le type de propriété existe déjà',
+ contentTypePropertyTypeCreated: 'Type de propriété créé',
+ contentTypePropertyTypeCreatedText: 'Nom : %0% Type de données : %1%',
+ contentTypePropertyTypeDeleted: 'Type de propriété supprimé',
+ contentTypeSavedHeader: 'Type de document sauvegardé',
+ contentTypeTabCreated: 'Onglet créé',
+ contentTypeTabDeleted: 'Onglet supprimé',
+ contentTypeTabDeletedText: "Onglet avec l'ID : %0% supprimé",
+ cssErrorHeader: 'Feuille de style non sauvegardée',
+ cssSavedHeader: 'Feuille de style sauvegardée',
+ cssSavedText: 'Feuille de style sauvegardée sans erreurs',
+ dataTypeSaved: 'Type de données sauvegardé',
+ dictionaryItemSaved: 'Elément de dictionnaire sauvegardé',
+ editContentPublishedHeader: 'Contenu publié',
+ editContentPublishedText: 'et visible sur le site',
+ editMultiContentPublishedText: '%0% documents publiés et visibles sur le site web',
+ editVariantPublishedText: '%0% publié et visible sur le site web',
+ editMultiVariantPublishedText: '%0% documents publiés pour la langue %1% et visibles sur le site web',
+ editContentSavedHeader: 'Contenu sauvegardé',
+ editContentSavedText: "N'oubliez pas de publier pour rendre les modifications visibles",
+ editContentScheduledSavedText: 'Un planning de publication a été mis à jour',
+ editVariantSavedText: '%0% sauvegardé',
+ editContentSendToPublish: 'Envoyer pour approbation',
+ editContentSendToPublishText: 'Les modifications ont été envoyées pour approbation',
+ editVariantSendToPublishText: '%0% modifications ont été envoyées pour approbation',
+ editMediaSaved: 'Media sauvegardé',
+ editMediaSavedText: 'Media sauvegardé sans erreurs',
+ editMemberSaved: 'Membre sauvegardé',
+ editStylesheetPropertySaved: 'Propriété de feuille de style sauvegardée',
+ editStylesheetSaved: 'Feuille de style sauvegardée',
+ editTemplateSaved: 'Modèle sauvegardé',
+ editUserError: "Erreur lors de la sauvegarde de l'utilisateur (consultez les logs)",
+ editUserSaved: 'Utilisateur sauvegardé',
+ editUserTypeSaved: "Type d'utilisateur sauvegardé",
+ editUserGroupSaved: "Groupe d'utilisateurs sauvegardé",
+ fileErrorHeader: 'Fichier non sauvegardé',
+ fileErrorText: "Le fichier n'a pas pu être sauvegardé. Vérifiez les permissions de fichier.",
+ fileSavedHeader: 'Fichier sauvegardé',
+ fileSavedText: 'Fichier sauvegardé sans erreurs',
+ languageSaved: 'Langue sauvegardée',
+ mediaTypeSavedHeader: 'Type de média sauvegardé',
+ memberTypeSavedHeader: 'Type de membre sauvegardé',
+ memberGroupSavedHeader: 'Groupe de membres sauvegardé',
+ memberGroupNameDuplicate: 'Un autre groupe de membres existe déjà avec le même nom',
+ templateErrorHeader: 'Modèle non sauvegardé',
+ templateErrorText: 'Assurez-vous de ne pas avoir 2 modèles avec le même alias.',
+ templateSavedHeader: 'Modèle sauvegardé',
+ templateSavedText: 'Modèle sauvegardé sans aucune erreurs !',
+ contentUnpublished: 'Contenu publié',
+ contentCultureUnpublished: 'Variation de contenu %0% dépubliée',
+ contentMandatoryCultureUnpublished:
+ "La langue obligatoire '%0%' a été dépubliée. Toutes les langues pour cet éléménent de contenu sont maintenant dépubliées.",
+ partialViewSavedHeader: 'Vue partielle sauvegardée',
+ partialViewSavedText: 'Vue partielle sauvegardée sans erreurs !',
+ partialViewErrorHeader: 'Vue partielle non sauvegardée',
+ partialViewErrorText: 'Une erreur est survenue lors de la sauvegarde du fichier.',
+ permissionsSavedFor: 'Permissions sauvegardées pour',
+ deleteUserGroupsSuccess: "%0% groupes d'utilisateurs supprimés",
+ deleteUserGroupSuccess: '%0% a été supprimé',
+ enableUsersSuccess: '%0% utilisateurs activés',
+ disableUsersSuccess: '%0% utilisateurs désactivés',
+ enableUserSuccess: '%0% est à présent activé',
+ disableUserSuccess: '%0% est à présent désactivé',
+ setUserGroupOnUsersSuccess: "Les groupes d'utilisateurs ont été définis",
+ unlockUsersSuccess: '%0% utilisateurs débloqués',
+ unlockUserSuccess: '%0% est à présent débloqué',
+ memberExportedSuccess: 'Le membre a été exporté vers le fichier',
+ memberExportedError: "Une erreur est survenue lors de l'export du membre",
+ deleteUserSuccess: "L'utilisateur %0% a été supprimé",
+ resendInviteHeader: "Inviter l'utilisateur",
+ resendInviteSuccess: "L'invitation a été envoyée à nouveau à %0%",
+ contentReqCulturePublishError:
+ "Impossible de publier le document car la langue obligatoire '%0%' n'est pas publiée",
+ contentCultureValidationError: "La validation a échoué pour la langue '%0%'",
+ documentTypeExportedSuccess: 'Le Type de Document a été exporté dans le fichier',
+ documentTypeExportedError: "Une erreur est survenue durant l'export du type de document",
+ dictionaryItemExportedSuccess: 'Les éléments de dictionnaire ont été exportés vers le fichier',
+ dictionaryItemExportedError: "Une erreur est survenue lors de l'export des éléments de dictionnaire.",
+ dictionaryItemImported: 'Les éléments de dictionnaire suivants ont été importés!',
+ scheduleErrReleaseDate1: 'La date de publication ne peut pas être dans le passé',
+ scheduleErrReleaseDate2:
+ "Impossible de planifier la publication du document car la langue obligatoire '%0%' n'est pas publiée",
+ scheduleErrReleaseDate3:
+ "Impossible de planifier la publication du document car la langue obligatoire '%0%' a une date de publication postérieure à celle d'une langue non obligatoire",
+ scheduleErrExpireDate1: "La date d'expiration ne peut pas être dans le passé",
+ scheduleErrExpireDate2: "La date d'expiration ne peut pas être antérieure à la date de publication",
+ },
+ stylesheet: {
+ addRule: 'Ajouter un style',
+ editRule: 'Modifier un style',
+ editorRules: "Styles pour l'éditeur de texte",
+ editorRulesHelp:
+ "Definir les styles qui doivent êtres disponibles dans l'éditeur de texte pour cette feuille de style",
+ editstylesheet: 'Editer la feuille de style',
+ editstylesheetproperty: 'Editer la propriété de feuille de style',
+ nameHelp: 'Donner un nom pour identifier la propriété dans le Rich Text Editor',
+ preview: 'Prévisualiser',
+ previewHelp: "L'apparence qu'aura le text dans l'éditeur de texte.",
+ selector: 'Sélecteur',
+ selectorHelp: 'Utilise la syntaxe CSS. Ex : "h1" ou ".redHeader"',
+ styles: 'Styles',
+ stylesHelp: 'Le CSS qui devrait être appliqué dans l\'éditeur de texte, e.g. "color:red;"',
+ tabCode: 'Code',
+ tabRules: 'Editeur de Texte',
+ },
+ template: {
+ deleteByIdFailed: "Echec de la suppression du modèle avec l'ID %0%",
+ edittemplate: 'Editer le modèle',
+ insertSections: 'Sections',
+ insertContentArea: 'Insérer une zone de contenu',
+ insertContentAreaPlaceHolder: 'Insérer un placeholder de zone de contenu',
+ insert: 'Insérer',
+ insertDesc: "Choisissez l'élément à insérer dans votre modèle",
+ insertDictionaryItem: 'Elément de dictionnaire',
+ insertDictionaryItemDesc:
+ 'Un élément de dictionnaire est un espace pour un morceau de texte traduisible, ce qui facilite la création de designs pour des sites web multilangues.',
+ insertMacro: 'Macro',
+ insertMacroDesc:
+ '\n Une Macro est un composant configurable, ce qui est génial pour les parties réutilisables de votre\n\t design où vous devez pouvoir fournir des paramètres,\n comme les galeries, les formulaires et les listes.\n ',
+ insertPageField: 'Valeur',
+ insertPageFieldDesc:
+ "Affiche la valeur d'un des champs de la page en cours, avec des options pour modifier la valeur ou spécifier des valeurs alternatives.",
+ insertPartialView: 'Vue partielle',
+ insertPartialViewDesc:
+ "\n Une vue partielle est un fichier modèle séparé qui peut être à l'intérieur d'un aute modèle,\n c'est génial pour réutiliser du markup ou pour séparer des modèles complexes en plusieurs fichiers.\n ",
+ mastertemplate: 'Modèle de base',
+ noMaster: 'Pas de modèle',
+ renderBody: 'Afficher un modèle enfant',
+ renderBodyDesc:
+ "\n Affiche le contenu d'un modèle enfant, en insérant un contenant\n @RenderBody().\n ",
+ defineSection: 'Définir une section nommée',
+ defineSectionDesc:
+ "\n Définit une partie de votre modèle en tant que section nommée en l'entourant\n de @section { ... }. Celle-ci peut être affichée dans une région\n spécifique du parent de ce modèle, en utilisant @RenderSection.\n ",
+ renderSection: 'Afficher une section nommée',
+ renderSectionDesc:
+ "\n Affiche une région nommée d'un modèle enfant, en insérant un contenant @RenderSection(name).\n Ceci affiche une région d'un modèle enfant qui est entourée d'une définition @section [name]{ ... } correspondante.\n ",
+ sectionName: 'Nom de la section',
+ sectionMandatory: 'La section est obligatoire',
+ sectionMandatoryDesc:
+ '\n Si obligatoire, le modèle enfant doit contenir une définition @section, sinon une erreur est affichée.\n ',
+ queryBuilder: 'Générateur de requêtes',
+ itemsReturned: 'éléments trouvés, en',
+ iWant: 'Je veux',
+ allContent: 'tout le contenu',
+ contentOfType: 'le contenu du type "%0%"',
+ from: 'à partir de',
+ websiteRoot: 'mon site web',
+ where: 'où',
+ and: 'et',
+ is: 'est',
+ isNot: "n'est pas",
+ before: 'avant',
+ beforeIncDate: 'avant (incluant la date sélectionnée)',
+ after: 'après',
+ afterIncDate: 'après (incluant la date sélectionnée)',
+ equals: 'égal',
+ doesNotEqual: "n'est pas égal",
+ contains: 'contient',
+ doesNotContain: 'ne contient pas',
+ greaterThan: 'supérieur à',
+ greaterThanEqual: 'supérieur ou égal à',
+ lessThan: 'inférieur à',
+ lessThanEqual: 'inférieur ou égal à',
+ id: 'Id',
+ name: 'Nom',
+ createdDate: 'Date de Création',
+ lastUpdatedDate: 'Date de Dernière Modification',
+ orderBy: 'trier par',
+ ascending: 'ascendant',
+ descending: 'descendant',
+ template: 'Modèle',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choisissez le type de contenu',
+ chooseLayout: 'Choisissez une mise en page',
+ addRows: 'Ajouter une ligne',
+ addElement: 'Ajouter du contenu',
+ dropElement: 'Supprimer le contenu',
+ settingsApplied: 'Paramètres appliqués',
+ contentNotAllowed: "Ce contenu n'est pas autorisé ici",
+ contentAllowed: 'Ce contenu est autorisé ici',
+ clickToEmbed: 'Cliquez pour intégrer',
+ clickToInsertImage: 'Cliquez pour insérer une image',
+ clickToInsertMacro: 'Cliquez pour insérer une macro',
+ placeholderWriteHere: 'Ecrivez ici...',
+ gridLayouts: 'Mises en pages de la Grid',
+ gridLayoutsDetail:
+ "Les mises en pages représentent la surface de travail globale pour l'éditeur de grille, en général, vous n'avez seulement besoin que d'une ou deux mises en pages différentes",
+ addGridLayout: 'Ajouter une mise en page de grille',
+ addGridLayoutDetail:
+ 'Ajustez la mise en page en définissant la largeur des colonnes et en ajoutant des sections supplémentaires',
+ rowConfigurations: 'Configurations des rangées',
+ rowConfigurationsDetail: 'Les rangées sont des cellules prédéfinies disposées horizontalement',
+ addRowConfiguration: 'Ajouter une configuration de rangée',
+ addRowConfigurationDetail:
+ 'Ajustez la rangée en réglant la largeur des cellules et en ajoutant des cellules supplémentaires',
+ columns: 'Colonnes',
+ columnsDetails: 'Nombre total combiné de colonnes dans la configuration de la grille',
+ settings: 'Paramètres',
+ settingsDetails: 'Configurez les paramètres qui peuvent être modifiés par les éditeurs',
+ styles: 'Styles',
+ stylesDetails: 'Configurez les effets de style qui peuvent être modifiés par les éditeurs',
+ allowAllEditors: 'Autoriser tous les éditeurs',
+ allowAllRowConfigurations: 'Autoriser toutes les configurations de rangées',
+ maxItems: 'Eléments maximum',
+ maxItemsDescription: 'Laisser vide ou mettre à 0 pour un nombre illimté',
+ setAsDefault: 'Configurer comme défaut',
+ chooseExtra: 'Choisir en plus',
+ chooseDefault: 'Choisir le défaut',
+ areAdded: 'ont été ajoutés',
+ },
+ contentTypeEditor: {
+ compositions: 'Compositions',
+ group: 'Groupe',
+ noGroups: "Vous n'avez pas ajouté de groupe",
+ addGroup: 'Ajouter un groupe',
+ inheritedFrom: 'Hérité de',
+ addProperty: 'Ajouter une propriété',
+ requiredLabel: 'Label requis',
+ enableListViewHeading: 'Activer la vue en liste',
+ enableListViewDescription:
+ "Configure l'élément de contenu de manière à afficher ses éléments enfants sous forme d'une liste que l'on peut trier et filtrer, les enfants ne seront pas affichés dans l'arborescence",
+ allowedTemplatesHeading: 'Modèles autorisés',
+ allowedTemplatesDescription:
+ 'Sélectionnez les modèles que les éditeurs sont autorisés à utiliser pour du contenu de ce type.',
+ allowAsRootHeading: 'Autoriser comme racine',
+ allowAsRootDescription:
+ "Autorisez les éditeurs à créer du contenu de ce type à la racine de l'arborescence de contenu.",
+ childNodesHeading: 'Types de noeuds enfants autorisés',
+ childNodesDescription: 'Autorisez la création de contenu des types spécifiés sous le contenu de ce type-ci',
+ chooseChildNode: 'Choisissez les noeuds enfants',
+ compositionsDescription:
+ "Hériter des onglets et propriétés d'un type de document existant. De nouveaux onglets seront ajoutés au type de document actuel, ou fusionnés s'il existe un onglet avec un nom sililaire.",
+ compositionInUse:
+ 'Ce type de contenu est utilisé dans une composition, et ne peut donc pas être lui-même un composé.',
+ noAvailableCompositions: "Il n'y a pas de type de contenu disponible à utiliser dans une composition.",
+ compositionRemoveWarning:
+ "La suppression d'une composition supprimera les données de toutes les propriétés associées. Une fois que vous sauvegardez le type de document, il n'y a plus moyen de faire marche arrière.",
+ availableEditors: 'Editeurs disponibles',
+ reuse: 'Réutiliser',
+ editorSettings: "Configuration de l'éditeur",
+ configuration: 'Configuration',
+ yesDelete: 'Oui, supprimer',
+ movedUnderneath: 'a été déplacé en-dessous',
+ copiedUnderneath: 'a été copié en-dessous',
+ folderToMove: 'Sélectionnez le répertoire à déplacer',
+ folderToCopy: 'Sélectionnez le répertoire à copier',
+ structureBelow: "dans l'arborescence ci-dessous",
+ allDocumentTypes: 'Tous les types de document',
+ allDocuments: 'Tous les documents',
+ allMediaItems: 'Tous les éléments media',
+ usingThisDocument:
+ 'utilisant ce type de document seront supprimés définitivement, veuillez confirmer que vous souhaitez les supprimer également.',
+ usingThisMedia:
+ 'utilisant ce type de media seront supprimés définitivement, veuillez confirmer que vous souhaitez les supprimer également.',
+ usingThisMember:
+ 'utilisant ce type de membre seront supprimés définitivement, veuillez confirmer que vous souhaitez les supprimer également',
+ andAllDocuments: 'et tous les documents utilisant ce type',
+ andAllMediaItems: 'et tous les éléments media utilisant ce type',
+ andAllMembers: 'et tous les membres utilisant ce type',
+ memberCanEdit: 'Le membre peut éditer',
+ memberCanEditDescription:
+ 'Autoriser la modification de la valeur de cette propriété par le membre à partir de sa page de profil',
+ isSensitiveData: 'Est une donnée sensible',
+ isSensitiveDataDescription:
+ "Cacher cette propriété aux éditeurs de contenu qui n'ont pas accès à la visualisation des données sensibles",
+ showOnMemberProfile: 'Afficher dans le profil du membre',
+ showOnMemberProfileDescription: "Permettre d'afficher la valeur de cette propriété sur la page de profil du membre",
+ tabHasNoSortOrder: "l'onglet n'a pas d'ordre de tri",
+ compositionUsageHeading: 'Où cette composition est-elle utilisée?',
+ compositionUsageSpecification:
+ 'Cette composition est actuellement utilisée dans la composition des types de contenu suivants :',
+ variantsHeading: 'Permettre une variation par culture',
+ variantsDescription: 'Permettre aux éditeurs de créer du contenu de ce type dans différentes langues.',
+ allowVaryByCulture: 'Permettre une variation par culture',
+ elementType: "Type de l'Elément",
+ elementHeading: "Est un Type d'Elément",
+ elementDescription:
+ "Un Type d'Elément est destiné à être utilisé par exemple dans Nested Content, et pas dans l'arborescence.",
+ elementDoesNotSupport: "Ceci n'est pas d'application pour un Type d'Elément",
+ propertyHasChanges:
+ 'Vous avez apporté des modifications à cette propriété. Etes-vous certain.e de vouloir les annuler?',
+ historyCleanupHeading: "Nettoyer l'historique",
+ historyCleanupDescription: "Autoriser le remplacement des paramètres globaux de nettoyage de l'historique.",
+ historyCleanupKeepAllVersionsNewerThanDays: 'Garder toutes les versions plus récentes que jours',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Garder la dernière version quotidienne pendant jours',
+ historyCleanupPreventCleanup: 'Empêcher le nettoyage',
+ historyCleanupEnableCleanup: 'Activer le nettoyage',
+ historyCleanupGloballyDisabled:
+ "REMARQUE! Le nettoyage de l'historique des versions de contenu est désactvé globalement. Ces paramètres ne prendront pas effet avant qu'il ne soit activé.",
+ },
+ webhooks: {
+ addWebhook: 'Créer un webhook',
+ addWebhookHeader: 'Ajouter un header au webhook',
+ logs: 'Logs',
+ addDocumentType: 'Ajouter un Type de Document',
+ addMediaType: 'Ajouter un Type de Media',
+ },
+ languages: {
+ addLanguage: 'Ajouter une langue',
+ mandatoryLanguage: 'Langue obligatoire',
+ mandatoryLanguageHelp:
+ 'Les propriétés doivent être remplies dans cette langue avant que le noeud ne puisse être publié.',
+ defaultLanguage: 'Langue par défaut',
+ defaultLanguageHelp: "Un site Umbraco ne peut avoir qu'une seule langue par défaut définie.",
+ changingDefaultLanguageWarning:
+ 'Changer la langue par défaut peut amener à ce que du contenu par défaut soit manquant.',
+ fallsbackToLabel: 'Retombe sur',
+ noFallbackLanguageOption: 'Pas de langue alternative',
+ fallbackLanguageDescription:
+ "Pour permettre à un site multi-langue de retomber sur une autre langue dans le cas où il n'existe pas dans la langue demandée, sélectionnez-là ici.",
+ fallbackLanguage: 'Langue alternative',
+ none: 'aucune',
+ },
+ macro: {
+ addParameter: 'Ajouter un paramètre',
+ editParameter: 'Modifier le paramètre',
+ enterMacroName: 'Introduire le nom de la macro',
+ parameters: 'Paramètres',
+ parametersDescription: "Définir les paramètres qui devraient être disponibles lorsque l'on utilise cette macro.",
+ selectViewFile: 'Sélectionner le fichier de vue partielle de la macro',
+ },
+ modelsBuilder: {
+ buildingModels: 'Fabrication des modèles',
+ waitingMessage: 'ceci peut prendre un peu de temps, ne vous inquiétez pas',
+ modelsGenerated: 'Modèles générés',
+ modelsGeneratedError: "Les modèles n'ont pas pu être générés",
+ modelsExceptionInUlog: 'La génération des modèles a échoué, voyez les exceptions dans les U log',
+ },
+ templateEditor: {
+ addDefaultValue: 'Ajouter une valeur par défaut',
+ defaultValue: 'Valeur par défaut',
+ alternativeField: 'Champ alternatif',
+ alternativeText: 'Texte alternatif',
+ casing: 'Casse',
+ encoding: 'Encodage',
+ chooseField: 'Choisir un champ',
+ convertLineBreaks: 'Convertir les sauts de ligne',
+ convertLineBreaksHelp: "Remplace les sauts de ligne avec des balises 'br'",
+ customFields: 'Champs particuliers',
+ dateOnly: 'Oui, la date seulement',
+ formatAsDate: 'Formater comme une date',
+ htmlEncode: 'Encoder en HTML',
+ htmlEncodeHelp: 'Remplacera les caractères spéciaux par leur équivalent HTML.',
+ insertedAfter: 'Sera inséré après la valeur du champ',
+ insertedBefore: 'Sera inséré avant la valeur du champ',
+ lowercase: 'Minuscules',
+ none: 'Aucun',
+ outputSample: 'Example de résultat',
+ postContent: 'Insérer après le champ',
+ preContent: 'Insérer avant le champ',
+ recursive: 'Récursif',
+ recursiveDescr: 'Oui, rendre récursif',
+ standardFields: 'Champs standards',
+ uppercase: 'Majuscules',
+ urlEncode: 'Encode pour URL',
+ urlEncodeHelp: 'Formatera les caractères spéciaux dans les URL',
+ usedIfAllEmpty: 'Sera seulement utilisé si toutes les valeurs des champs ci-dessus sont vides',
+ usedIfEmpty: 'Ce champ sera utilisé seulement si le champ initial est vide',
+ withTime: "Oui, avec l'heure. Séparateur: ",
+ },
+ translation: {
+ details: 'Détails',
+ DownloadXmlDTD: 'Télécharger la DTD XML',
+ fields: 'Champs',
+ includeSubpages: 'Inclure les pages enfants',
+ mailBody:
+ "\n Hello %0%\n\n Ceci est un mail automatique pour vous informer que le document '%1%'\n a été envoyé pour traduction en '%5%' par %2%.\n\n Allez sur http://%3%/translation/details.aspx?id=%4% pour l'éditer.\n\n Ou connectez-vous à Umbraco pour obtenir une vue d'ensemble des tâches de traduction qui vous sont assignées\n http://%3%\n\n Bonne journée !\n\n Avec les salutations du Robot Umbraco\n ",
+ noTranslators:
+ "Aucun utilisateur traducteur trouvé. Veuillez créer un utilisateur traducteur avant d'envoyer du contenu pour traduction",
+ pageHasBeenSendToTranslation: "La page '%0%' a été envoyée pour traduction",
+ sendToTranslate: "Envoyer la page '%0%' pour traduction",
+ totalWords: 'Nombre total de mots',
+ translateTo: 'Traduire en',
+ translationDone: 'Traduction complétée.',
+ translationDoneHelp:
+ 'Vous pouvez prévisualiser les pages que vous avez traduites en cliquant ci-dessous. Si la page originale est trouvée, vous verrez une comparaison entre les deux pages.',
+ translationFailed: 'Traduction échouée, il se pourrait que fichier XML soit corrompu',
+ translationOptions: 'Options de traduction',
+ translator: 'Traducteur',
+ uploadTranslationXml: 'Uploader le fichier de traduction XML',
+ },
+ treeHeaders: {
+ content: 'Contenu',
+ contentBlueprints: 'Types de contenu',
+ media: 'Media',
+ cacheBrowser: 'Navigateur de cache',
+ contentRecycleBin: 'Corbeille',
+ createdPackages: 'Packages créés',
+ dataTypes: 'Types de données',
+ dictionary: 'Dictionnaire',
+ installedPackages: 'Packages installés',
+ installSkin: 'Installer une skin',
+ installStarterKit: 'Installer un starter kit',
+ languages: 'Langues',
+ localPackage: 'Installer un package local',
+ macros: 'Macros',
+ mediaTypes: 'Types de média',
+ member: 'Membres',
+ memberGroups: 'Groupes de membres',
+ memberRoles: 'Rôles',
+ memberTypes: 'Types de membres',
+ documentTypes: 'Types de documents',
+ relationTypes: 'Types de relations',
+ packager: 'Packages',
+ packages: 'Packages',
+ partialViews: 'Vues Partielles',
+ partialViewMacros: 'Vues Partielles pour les Fichiers Macro',
+ repositories: 'Installer depuis le repository',
+ runway: 'Installer Runway',
+ runwayModules: 'Modules Runway',
+ scripting: 'Fichiers de script',
+ scripts: 'Scripts',
+ stylesheets: 'Feuilles de style',
+ templates: 'Modèles',
+ logViewer: 'Visualisation des Log',
+ users: 'Utilisateurs',
+ settingsGroup: 'Configuration',
+ templatingGroup: 'Modélisation',
+ thirdPartyGroup: 'Parties Tierces',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'Nouvelle mise à jour disponible',
+ updateDownloadText: '%0% est disponible, cliquez ici pour télécharger',
+ updateNoServer: 'Aucune connexion au serveur',
+ updateNoServerError:
+ "Erreur lors de la recherche de mises à jour. Veuillez vérifier le stack trace pour obtenir plus d'informations.",
+ },
+ user: {
+ access: 'Accès',
+ accessHelp: "Sur base des groupes et des noeuds de départ, l'utilisateur a accès aux noeuds suivants",
+ assignAccess: 'Donner accès',
+ administrators: 'Administrateur',
+ categoryField: 'Champ catégorie',
+ createDate: 'Utilisateur créé',
+ changePassword: 'Changer le mot de passe',
+ changePhoto: 'Changer la photo',
+ newPassword: 'Nouveau mot de passe',
+ newPasswordFormatLengthTip: 'Plus que %0% caractère(s) minimum!',
+ newPasswordFormatNonAlphaTip: 'Il devrait y avoir au moins %0% caractère(s) spéciaux.',
+ noLockouts: "n'a pas été bloqué",
+ noPasswordChange: "Le mot de passe n'a pas été modifié",
+ confirmNewPassword: 'Confirmez votre nouveau mot de passe',
+ changePasswordDescription:
+ 'Vous pouvez changer votre mot de passe d\'accès au backoffice Umbraco en remplissant le formulaire ci-dessous puis en cliquant sur le bouton "Changer le mot de passe"',
+ contentChannel: 'Canal de contenu',
+ createAnotherUser: 'Créer un autre utilisateur',
+ createUserHelp:
+ "Créer de nouveaux utilisateurs pour leur donner accès à Umbraco. Lors de la création d'un nouvel utilisateur, un mot de passe est généré que vous pouvez partager avec ce dernier.",
+ descriptionField: 'Champ description',
+ disabled: "Désactiver l'utilisateur",
+ documentType: 'Type de document',
+ editors: 'Editeur',
+ excerptField: 'Champ extrait',
+ failedPasswordAttempts: 'Tentatives de connexion échouées',
+ goToProfile: "Voir le profil de l'utilisateur",
+ groupsHelp: 'Ajouter des groupes pour donner les accès et permissions',
+ inviteAnotherUser: 'Inviter un autre utilisateur',
+ inviteUserHelp:
+ "Inviter de nouveaux utilisateurs pour leur donner accès à Umbraco. Un email d'invitation sera envoyé à chaque utilisateur avec des informations concernant la connexion à Umbraco. Les invitations sont valables pendant 72 heures.",
+ language: 'Langue',
+ languageHelp: 'Spécifiez la langue dans laquelle vous souhaitez voir les menus et dialogues',
+ lastLockoutDate: 'Date du dernier bloquage',
+ lastLogin: 'Dernière connexion',
+ lastPasswordChangeDate: 'Dernière modification du mot de passe',
+ loginname: 'Identifiant',
+ mediastartnode: 'Noeud de départ dans la librarie de média',
+ mediastartnodehelp: 'Limiter la librairie média à un noeud de départ spécifique',
+ mediastartnodes: 'Noeuds de départ dans la librairie de média',
+ mediastartnodeshelp: 'Limiter la librairie média à des noeuds de départ spécifique',
+ modules: 'Sections',
+ noConsole: "Désactiver l'accès Umbraco",
+ noLogin: "ne s'est pas encore connecté",
+ oldPassword: 'Ancien mot de passe',
+ password: 'Mot de passe',
+ resetPassword: 'Réinitialiser le mot de passe',
+ passwordChanged: 'Votre mot de passe a été modifié!',
+ passwordConfirm: 'Veuillez confirmer votre nouveau mot de passe',
+ passwordEnterNew: 'Introduisez votre nouveau mot de passe',
+ passwordIsBlank: 'Votre nouveau mot de passe ne peut être vide !',
+ passwordCurrent: 'Mot de passe actuel',
+ passwordInvalid: 'Mot de passe actuel invalide',
+ passwordIsDifferent:
+ 'Il y a une différence entre le nouveau mot de passe et le mot de passe confirmé. Veuillez réessayer.',
+ passwordMismatch: 'Le mot de passe confirmé ne correspond pas au nouveau mot de passe saisi!',
+ permissionReplaceChildren: 'Remplacer les permissions sur les noeuds enfants',
+ permissionSelectedPages: 'Vous êtes en train de modifiez les permissions pour les pages :',
+ permissionSelectPages: 'Choisissez les pages dont les permissions doivent être modifiées',
+ removePhoto: 'Supprimer la photo',
+ permissionsDefault: 'Permissions par défaut',
+ permissionsGranular: 'Permissions granulaires',
+ permissionsGranularHelp: 'Définir les permissions sur des noeuds spécifiques',
+ profile: 'Profil',
+ searchAllChildren: 'Rechercher tous les enfants',
+ sectionsHelp: 'Ajouter les sections auxquelles les utilisateurs peuvent accéder',
+ selectUserGroups: "Sélectionner les groupes d'utilisateurs",
+ noStartNode: 'Aucun noeud de départ sélectionné',
+ noStartNodes: 'Aucun noeud de départ sélectionné',
+ startnode: 'Noeud de départ du contenu',
+ startnodehelp: "Limiter l'arborescence de contenu à un noeud de départ spécifique",
+ startnodes: 'Noeuds de départ du contenu',
+ startnodeshelp: "Limiter l'arborescence de contenu à des noeuds de départ spécifiques",
+ updateDate: "Dernière mise à jour de l'utilisateur",
+ userCreated: 'a été créé',
+ userCreatedSuccessHelp:
+ 'Le nouvel utilisateur a été créé avec succès. Utilisez le mot de passe ci-dessous pour la connexion à Umbraco.',
+ userManagement: 'Gestion des utilisateurs',
+ username: "Nom d'utilisateur",
+ userPermissions: "Permissions de l'utilisateur",
+ usergroup: "Groupe d'utilisateurs",
+ userInvited: 'a été invité',
+ userInvitedSuccessHelp:
+ 'Une invitation a été envoyée au nouvel utilisateur avec les détails concernant la connexion à Umbraco.',
+ userinviteWelcomeMessage:
+ "Bien le bonjour et bienvenue dans Umbraco! Vous serez prêt.e dans moins d'1 minute, vous devez encore simplement configurer votre mot de passe.",
+ userinviteExpiredMessage:
+ "Bienvenue dans Umbraco! Malheureusement, votre invitation a expiré. Veuillez contacter votre administrateur et demandez-lui de vous l'envoyer à nouveau.",
+ writer: 'Rédacteur',
+ change: 'Modifier',
+ yourProfile: 'Votre profil',
+ yourHistory: 'Votre historique récent',
+ sessionExpires: 'La session expire dans',
+ inviteUser: 'Inviter un utilisateur',
+ createUser: 'Créer un utilisateur',
+ sendInvite: "Envoyer l'invitation",
+ backToUsers: 'Retour aux utilisateurs',
+ inviteEmailCopySubject: 'Umbraco: Invitation',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\n ",
+ defaultInvitationMessage: "Nouvel envoi de l'invitation en cours...",
+ deleteUser: "Supprimer l'Utilisateur",
+ deleteUserConfirmation: 'Etes-vous certain(e) de vouloir supprimer le compte de cet utilisateur?',
+ stateAll: 'Tous',
+ stateActive: 'Actif',
+ stateDisabled: 'Désactivé',
+ stateLockedOut: 'Bloqué',
+ stateInvited: 'Invité',
+ stateInactive: 'Inactif',
+ sortNameAscending: 'Nom (A-Z)',
+ sortNameDescending: 'Nom (Z-A)',
+ sortCreateDateAscending: 'Plus ancien',
+ sortCreateDateDescending: 'Plus récent',
+ sortLastLoginDateDescending: 'Dernière connexion',
+ },
+ validation: {
+ validation: 'Validation',
+ validateAsEmail: 'Valider comme email',
+ validateAsNumber: 'Valider comme nombre',
+ validateAsUrl: 'Valider comme URL',
+ enterCustomValidation: '...ou introduisez une validation spécifique',
+ fieldIsMandatory: 'Champ obligatoire',
+ mandatoryMessage: "Introduisez un message d'erreur de validation personnalisé (optionnel)",
+ validationRegExp: 'Introduisez une expression régulière',
+ validationRegExpMessage: "Introduisez un message d'erreur de validation personnalisé (optionnel)",
+ minCount: 'Vous devez ajouter au moins',
+ maxCount: 'Vous ne pouvez avoir que',
+ items: 'éléments',
+ itemsSelected: 'éléments sélectionnés',
+ invalidDate: 'Date non valide',
+ invalidNumber: 'Pas un nombre',
+ invalidEmail: 'Email non valide',
+ invalidNull: 'La valeur ne peut pas être null',
+ invalidEmpty: 'La valeur ne peut pas être vide',
+ invalidPattern: 'Valeur non valide, elle ne correspond pas au modèle correct',
+ customValidation: 'Validation personnalisée',
+ entriesShort: 'Minimum %0% éléments, en nécessite %1% supplémentaires.',
+ entriesExceed: 'Maximum %0% éléments, %1% en trop.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "La valeur est égale à la valeur recommandée : '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "La valeur attendue pour '%2%' dans le fichier de configuration '%3%' est '%1%', mais la valeur trouvée est '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "La valeur inattendue '%0%' a été trouvée pour '%2%' dans le fichier de configuration '%3%'.",
+ macroErrorModeCheckSuccessMessage: "MacroErrors est fixé à la valeur '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors est fixé à la valeur '%0%', ce qui empêchera certaines ou même toutes les pages de votre site de se charger complètement en cas d'erreur dans les macros. La rectification de ceci fixera la valeur à '%1%'.",
+ httpsCheckValidCertificate: 'Le certificat de votre site a été marqué comme valide.',
+ httpsCheckInvalidCertificate: "Erreur de validation du certificat : '%0%'",
+ httpsCheckExpiredCertificate: 'Le certificat SSL de votre site web a expiré.',
+ httpsCheckExpiringCertificate: 'Le certificat SSL de votre site web va expirer dans %0% jours.',
+ healthCheckInvalidUrl: "Erreur en essayant de contacter l'URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Vous êtes actuellement %0% à voir le site via le schéma HTTPS.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "\n L'appSetting 'Umbraco:CMS:Global:UseHttps' se trouve à 'false' dans votre fichier appSettings.json.\n Une fois que vous aurez accès à ce site via le schema HTTPS, il faudra la mettre à 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "\n L'appSetting 'Umbraco:CMS:Global:UseHttps' se trouve à '%0%' dans votre fichier\n appSettings.json, vos cookies sont %1% marqués comme 'secured'.\n ",
+ compilationDebugCheckSuccessMessage: 'Le mode de compilation Debug est désactivé.',
+ compilationDebugCheckErrorMessage:
+ 'Le mode de compilation Debug est actuellement activé. Il est recommandé de désactiver ce paramètre avant la mise en ligne.',
+ clickJackingCheckHeaderFound:
+ 'Le header ou meta-tag X-Frame-Options, utilisé pour contrôler si un site peut être intégré dans un autre via IFRAME, a été trouvé.',
+ clickJackingCheckHeaderNotFound:
+ "Le header ou meta-tag X-Frame-Options , utilisé pour contrôler si un site peut être intégré dans un autre via IFRAME, n'a pas été trouvé.",
+ noSniffCheckHeaderFound:
+ "L'en-tête ou le meta-tag X-Content-Type-Options utilisé pour la protection contre les vulnérabilités de MIME sniffing a été trouvé.",
+ noSniffCheckHeaderNotFound:
+ "L'en-tête ou le meta-tag X-Content-Type-Options utilisé pour la protection contre les vulnérabilités de MIME sniffing n'a pas été trouvé.",
+ hSTSCheckHeaderFound:
+ "L'en-tête Strict-Transport-Security, aussi connu sous le nom de HSTS-header, a été trouvé.",
+ hSTSCheckHeaderNotFound:
+ "L'en-tête Strict-Transport-Security, aussi connu sous le nom de HSTS-header, n'a pas été trouvé.",
+ xssProtectionCheckHeaderFound: "L'en-tête X-XSS-Protection a été trouvé.",
+ xssProtectionCheckHeaderNotFound: "L'en-tête X-XSS-Protection n'a pas été trouvé.",
+ excessiveHeadersFound:
+ 'Les headers suivants révélant des informations à propos de la technologie du site web ont été trouvés : %0%.',
+ excessiveHeadersNotFound:
+ "Aucun header révélant des informations à propos de la technologie du site web n'a été trouvé.",
+ smtpMailSettingsConnectionSuccess: 'La configuration SMTP est correcte et le service fonctionne comme prévu.',
+ notificationEmailsCheckSuccessMessage: 'Un email de notification a été envoyé à %0%.',
+ notificationEmailsCheckErrorMessage:
+ "L'adresse email de notification est toujours à sa valeur par défaut : %0%.",
+ scheduledHealthCheckEmailBody:
+ "
Les résultats de l'exécution du Umbraco Health Checks planifiée le %0% à %1% sont les suivants :
%2%",
+ scheduledHealthCheckEmailSubject: 'Statut du Umbraco Health Check: %0%',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Désactiver URL tracker',
+ enableUrlTracker: 'Activer URL tracker',
+ culture: 'Culture',
+ originalUrl: 'URL original',
+ redirectedTo: 'Redirigé Vers',
+ redirectUrlManagement: "Gestion des redirections d'URL",
+ panelInformation: 'Les URLs suivants redirigent vers cet élément de contenu :',
+ noRedirects: "Aucune redirection n'a été créée",
+ noRedirectsDescription:
+ "Lorsqu'une page publiée est renommée ou déplacée, une redirection sera automatiquement créée vers la nouvelle page.",
+ redirectRemoved: "Redirection d'URL supprimée.",
+ redirectRemoveError: "Erreur lors de la suppression de la redirection d'URL.",
+ redirectRemoveWarning: 'Ceci supprimera la redirection',
+ confirmDisable: 'Etes-vous certain(e) de vouloir désactiver le URL tracker?',
+ disabledConfirm: 'URL tracker est maintenant désactivé.',
+ disableError:
+ "Erreur lors de la désactivation de l'URL tracker, plus d'information disponible dans votre fichier log.",
+ enabledConfirm: 'URL tracker est maintenant activé.',
+ enableError: "Erreur lors de l'activation de l'URL tracker, plus d'information disponible dans votre fichier log.",
+ },
+ emptyStates: {
+ emptyDictionaryTree: "Pas d'élément de dictionaire à choisir",
+ },
+ textbox: {
+ characters_left: '%0% caractères restant.',
+ characters_exceed: 'Maximum %0% caractères, %1% en trop.',
+ },
+ recycleBin: {
+ contentTrashed: "Suppression du contenu avec l'Id : {0} lié au contenu parent original avec l'Id : {1}",
+ mediaTrashed: "Suppression du media avec l'Id : {0} lié à l'élément media parent original avec l'Id : {1}",
+ itemCannotBeRestored: 'Cet élément ne peut pas être restauré automatiquement',
+ itemCannotBeRestoredHelpText:
+ "Il n'y a aucun endroit où cet élément peut être restauré automatiquement. Vous pouvez déplacer l'élément manuellement en utilisant l'arborescence ci-dessous.",
+ wasRestored: 'a été restauré sous',
+ },
+ relationType: {
+ direction: 'Direction',
+ parentToChild: 'Parent vers enfant',
+ bidirectional: 'Bi-directionnel',
+ parent: 'Parent',
+ child: 'Enfant',
+ count: 'Nombre',
+ relations: 'Relations',
+ created: 'Création',
+ comment: 'Remarque',
+ name: 'Nom',
+ noRelations: 'Aucune relation pour ce type de relation.',
+ tabRelationType: 'Type de Relation',
+ tabRelations: 'Relations',
+ },
+ dashboardTabs: {
+ contentIntro: 'Pour Commencer',
+ contentRedirectManager: "Gestion des redirections d'URL",
+ mediaFolderBrowser: 'Contenu',
+ settingsWelcome: 'Bienvenue',
+ settingsExamine: "Gestion d'Examine",
+ settingsPublishedStatus: 'Statut Publié',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profilage',
+ memberIntro: 'Pour Commencer',
+ formsInstall: 'Installer Umbraco Forms',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Retour',
+ activeListLayout: 'Layouts actifs :',
+ jumpTo: 'Aller à',
+ group: 'groupe',
+ passed: 'passé',
+ warning: 'avertissement',
+ failed: 'échoué',
+ suggestion: 'suggestion',
+ checkPassed: 'Vérifier les succès',
+ checkFailed: 'Vérifier les échecs',
+ openBackofficeSearch: 'Ouvrir la recherche backoffice',
+ openCloseBackofficeHelp: "Ouvrir/Fermer l'aide backoffice",
+ openCloseBackofficeProfileOptions: 'Ouvrir/Fermer vos options de profil',
+ openContextMenu: 'Ouvrir le menu de contexte pour',
+ currentLanguage: 'Langue actuelle',
+ switchLanguage: 'Changer la langue vers',
+ createNewFolder: 'Créer un nouveau dossier',
+ newPartialView: 'Partial View',
+ newPartialViewMacro: 'Macro de Partial View',
+ newMember: 'Membre',
+ searchContentTree: "Chercher dans l'arborescence de contenu",
+ maxAmount: 'Quantité maximum',
+ expandChildItems: 'Afficher les éléments enfant pour',
+ openContextNode: 'Ouvrir le noeud de contexte pour',
+ },
+ references: {
+ tabName: 'Références',
+ DataTypeNoReferences: "Ce Type de Données n'a pas de références.",
+ labelUsedByDocumentTypes: 'Utilisé dans des Types de Document',
+ labelUsedByMediaTypes: 'Utilisé dans les Types de Media',
+ labelUsedByMemberTypes: 'Utilisé dans les Types de Membre',
+ usedByProperties: 'Utilisé par',
+ },
+ logViewer: {
+ logLevels: 'Niveaux de Log',
+ selectAllLogLevelFilters: 'Tout sélectionner',
+ deselectAllLogLevelFilters: 'Tout déselectionner',
+ savedSearches: 'Recherches sauvegardées',
+ totalItems: "Nombre total d'éléments",
+ timestamp: 'Date',
+ level: 'Niveau',
+ machine: 'Machine',
+ message: 'Message',
+ exception: 'Exception',
+ properties: 'Propriétés',
+ searchWithGoogle: 'Chercher avec Google',
+ searchThisMessageWithGoogle: 'Chercher ce message avec Google',
+ searchWithBing: 'Chercher avec Bing',
+ searchThisMessageWithBing: 'Chercher ce message avec Bing',
+ searchOurUmbraco: 'Chercher dans Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Chercher ce message dans les forums et docs de Our Umbraco',
+ searchOurUmbracoWithGoogle: 'Chercher dans Our Umbraco avec Google',
+ searchOurUmbracoForumsUsingGoogle: 'Chercher dans les forums de Our Umbraco en utilisant Google',
+ searchUmbracoSource: 'Chercher dans les Sources Umbraco',
+ searchWithinUmbracoSourceCodeOnGithub: "Chercher dans le code source d'Umbraco sur Github",
+ searchUmbracoIssues: 'Chercher dans les Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Chercher dans les Umbraco Issues sur Github',
+ deleteThisSearch: 'Supprimer cette recherche',
+ findLogsWithRequestId: 'Trouver les Logs avec la Request ID',
+ findLogsWithNamespace: 'Trouver les Logs avec le Namespace',
+ findLogsWithMachineName: 'Trouver les logs avec le Nom de Machine',
+ open: 'Ouvrir',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Copier %0%',
+ labelForArrayOfItemsFrom: '%0% de %1%',
+ labelForRemoveAllEntries: 'Supprimer tous les éléments',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Ouvrir les Property Actions',
+ },
+ nuCache: {
+ refreshStatus: 'Rafraîchir le Statut',
+ memoryCache: 'Cache Mémoire',
+ memoryCacheDescription:
+ "\n\t\t\tCe bouton vous permet de recharger la cache en mémoire, en la rechargeant entièrement à partir de la cache\n\ten base de données (mais sans reconstruire cette cache en base de données). C'est une opération relativement rapide.\n\tUtilisez-le lorsque vous pensez que la cache en mémoire n'a pas été rafraîchie convenablement, après que certains\n\tévénements ont été déclenchés—ce qui indiquerait un problème mineur dans Umbraco.\n\t(remarque: ceci déclenche le rechargement sur tous les serveurs dans un environnement LB).\n ",
+ reload: 'Recharger',
+ databaseCache: 'Cache en Base de Données',
+ databaseCacheDescription:
+ "\n\tCe bouton vous permet de reconstruire la cache en base de données, càd le contenu de la table cmsContentNu.\n La reconstruction peut être une opération lourde.\n\tUtilisez-le lorsque le rechargement ne suffit pas, et que vous pensez que la cache en base de données n'a pas été\n\tgénérée convenablement—ce qui indiquerait des problèmes critiques dans Umbraco.\n ",
+ rebuild: 'Reconstruire',
+ internals: 'Opérations Internes',
+ internalsDescription:
+ "\n\tCe bouton vous permet de déclencher une collection de snapshots NuCache (après exécution d'un fullCLR GC).\n\tA moins que vous sachiez ce que cela signifie, vous n'avez probablement pas besoin de l'utiliser.\n ",
+ collect: 'Collecter',
+ publishedCacheStatus: 'Statut de la Cache Publiée',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Profilage de performances',
+ performanceProfilingDescription:
+ "\n
\n\t\t\t\t Umbraco est actuellement exécuté en mode debug. Cela signifie que vous pouvez utiliser le profileur de performances intégré pour évaluer les performance lors du rendu des pages.\n
\n
\n Si vous souhaitez activer le profileur pour le rendu d'une page spécifique, ajoutez simplement umbDebug=true au querystring lorsque vous demandez la page.\n
\n
\n Si vous souhaitez que le profileur soit activé par défaut pour tous les rendus de pages, vous pouvez utiliser le bouton bascule ci-dessous.\n\t\t\t\t\tCela créera un cookie dans votre browser, qui activera alors le profileur automatiquement.\n En d'autres termes, le profileur ne sera activé par défaut que dans votre browser - pas celui des autres.\n
\n ",
+ activateByDefault: 'Activer le profileur par défaut',
+ reminder: 'Rappel amical',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: "Des heures de vidéos de formation Umbraco ne sont qu'à un clic d'ici",
+ trainingDescription:
+ '\n
Vous voulez maîtriser Umbraco? Passez quelques minutes à apprendre certaines des meilleures pratiques en regardant une de ces vidéos à propos de l\'utilisation d\'Umbraco. Et visitez umbraco.tv pour encore plus de vidéos Umbraco
\n ',
+ getStarted: 'Pour démarrer',
+ },
+ settingsDashboard: {
+ start: 'Commencer ici',
+ startDescription:
+ "Cette section contient les blocs fondamentaux pour votre site Umbraco. Suivez les liens ci-dessous pour en apprendre d'avantage sur la façon de travailler avec les éléments de la section Settings",
+ more: 'En savoir plus',
+ bulletPointOne:
+ '\n Lisez-en plus sur la façon de travailler avec les éléments dans la section Settings dans la section Documentation de Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Posez une question dans le Community Forum\n ',
+ bulletPointThree:
+ '\n Regardez nos tutoriels vidéos (certains sont gratuits, certains nécessitent un abonnement)\n ',
+ bulletPointFour:
+ '\n Découvrez nos outils d\'amélioration de productivité et notre support commercial\n ',
+ bulletPointFive:
+ '\n Découvrez nos possibilités de formations et certifications\n ',
+ },
+ treeSearch: {
+ searchResult: 'élément retrouvé',
+ searchResults: 'éléments retrouvés',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/he-il.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/he-il.ts
new file mode 100644
index 0000000000..005f465fcc
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/he-il.ts
@@ -0,0 +1,803 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: he
+ * Language Int Name: Hebrew (Israel)
+ * Language Local Name: עברית (ישראל)
+ * Language LCID:
+ * Language Culture: he-IL
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'נהל שמות מתחם',
+ auditTrail: 'מעקב ביקורות',
+ browse: 'צפה בתוכן',
+ copy: 'העתק',
+ create: 'צור',
+ createPackage: 'צור חבילה',
+ delete: 'מחק',
+ disable: 'נטרל',
+ emptyrecyclebin: 'רוקן סל מיחזור',
+ exportDocumentType: 'ייצא סוג קובץ',
+ importdocumenttype: 'ייבא סוג מסמך',
+ importPackage: 'ייבא חבילה',
+ liveEdit: 'ערוך במצב "קנבס"',
+ logout: 'יציאה',
+ move: 'הזז',
+ notify: 'התראות',
+ protect: 'גישה ציבורית',
+ publish: 'פרסם',
+ refreshNode: 'רענן פריטי תוכן',
+ republish: 'פרסם את כל האתר מחדש',
+ rights: 'הרשאות',
+ rollback: 'חזור לאחור',
+ sendtopublish: 'שלח לפירסום',
+ sendToTranslate: 'שלח לתירגום',
+ sort: 'מיין',
+ translate: 'תרגם',
+ update: 'עדכן',
+ },
+ assignDomain: {
+ addNew: 'הוסף דומיין חדש',
+ domain: 'דומיין',
+ domainCreated: 'הדומיין החדש %0% נוסף בהצלחה',
+ domainDeleted: 'הדומיין %0% נמחק',
+ domainExists: 'הדומיין %0% כבר מוקצה',
+ domainUpdated: 'הדומיין %0% עודכן בהצלחה',
+ orEdit: 'ערוך דומיין נוכחי',
+ },
+ auditTrails: {
+ atViewingFor: 'צופה עבור',
+ },
+ buttons: {
+ bold: 'מודגש',
+ deindent: 'בטל מרחק שוליים מהפסקה',
+ formFieldInsert: 'הוסף מתוך שדה',
+ graphicHeadline: 'הוספת קו גרפי',
+ htmlEdit: 'ערוך -Html',
+ indent: 'מרחק שוליים מהפסקה',
+ italic: 'נטוי',
+ justifyCenter: 'ממורכז',
+ justifyLeft: 'מוצמד לשמאל',
+ justifyRight: 'מוצמד לימין',
+ linkInsert: 'הוספת לינק',
+ linkLocal: 'הוספת לינק מקומי (עוגן)',
+ listBullet: 'רשימת תבליטים',
+ listNumeric: 'רשימה ממוספרת',
+ macroInsert: 'הוספת מקרו',
+ pictureInsert: 'הוספת תמונה',
+ relations: 'ערוך הקשר',
+ save: 'שמור',
+ saveAndPublish: 'שמור ופרסם',
+ saveToPublish: 'שמור ושלח לאישור',
+ saveAndPreview: 'תצוגה מקדימה',
+ styleChoose: 'בחר עיצוב',
+ styleShow: 'הצג עיצוב',
+ tableInsert: 'הוספת טבלה',
+ },
+ content: {
+ about: 'אודות עמוד זה',
+ alias: 'קישור חלופי',
+ alternativeTextHelp: '(תיאור התמונה בקצרה)',
+ alternativeUrls: 'קישור חלופי',
+ clickToEdit: 'לחץ לעריכת פריט זה',
+ createBy: 'נוצר על ידי',
+ createDate: 'נוצר בתאריך',
+ documentType: 'סוג מסמך',
+ editing: 'עריכה',
+ expireDate: 'הוסר ב',
+ itemChanged: 'פריט זה שונה לאחר פירסומו',
+ itemNotPublished: 'פריט זה לא פורסם',
+ lastPublished: 'פורסם לאחרונה',
+ mediatype: 'סוג מדיה',
+ membergroup: 'קבוצת חברים',
+ memberrole: 'תפקיד',
+ membertype: 'סוג חבר',
+ noDate: 'לא נבחר מידע',
+ nodeName: 'כותרת עמוד',
+ otherElements: 'הגדרות',
+ parentNotPublished: "מסמך זה פורסם אך לא זמין לצפיה, עקב כך שמסמך האב '%0%' ממתין לפירסום",
+ publish: 'פרסם',
+ publishStatus: 'סטטוס פירסום',
+ releaseDate: 'פורסם ב',
+ removeDate: 'נקה מידע',
+ sortDone: 'סידור ממוין עודכן',
+ sortHelp:
+ 'כדי למיין את המסמכים, פשוט יש לגרור את המסמכים או ללחוץ על אחד מכותרות העמודות. ניתן לבחור מספר מסמכים בו זמנית על ידי לחיצת "Shift" או "Ctrl" בזמן הבחירה.',
+ statistics: 'סטטיסטיקות',
+ titleOptional: 'כותרת (לא חובה)',
+ type: 'סוג',
+ unpublish: 'ממתין לפירסום',
+ updateDate: 'נערך לאחרונה',
+ uploadClear: 'הסר קובץ',
+ urls: 'קשר למסמך',
+ saveModalTitle: 'שמור',
+ },
+ create: {
+ chooseNode: 'היכן ברצונך ליצור את %0%',
+ createUnder: 'צור ב',
+ updateData: 'בחר סוג וכותרת',
+ },
+ dashboard: {
+ browser: 'סייר באתר',
+ dontShowAgain: '- הסתר מידע לצמיתות',
+ nothinghappens: 'במידה ואומברקו לא פתוח, יש צורך לאשר חלונות קופצים מאתר זה.',
+ openinnew: 'נפתח בחלון חדש',
+ restart: 'הפעל מחדש',
+ visit: 'בקר',
+ welcome: 'ברוכים הבאים',
+ },
+ prompt: {
+ stay: 'Stay',
+ discardChanges: 'Discard changes',
+ unsavedChanges: 'You have unsaved changes',
+ unsavedChangesWarning: 'Are you sure you want to navigate away from this page? - you have unsaved changes',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: 'Deleted %0% item',
+ deletedItems: 'Deleted %0% items',
+ deletedItemOfItem: 'Deleted %0% out of %1% item',
+ deletedItemOfItems: 'Deleted %0% out of %1% items',
+ publishedItem: 'Published %0% item',
+ publishedItems: 'Published %0% items',
+ publishedItemOfItem: 'Published %0% out of %1% item',
+ publishedItemOfItems: 'Published %0% out of %1% items',
+ unpublishedItem: 'Unpublished %0% item',
+ unpublishedItems: 'Unpublished %0% items',
+ unpublishedItemOfItem: 'Unpublished %0% out of %1% item',
+ unpublishedItemOfItems: 'Unpublished %0% out of %1% items',
+ movedItem: 'Moved %0% item',
+ movedItems: 'Moved %0% items',
+ movedItemOfItem: 'Moved %0% out of %1% item',
+ movedItemOfItems: 'Moved %0% out of %1% items',
+ copiedItem: 'Copied %0% item',
+ copiedItems: 'Copied %0% items',
+ copiedItemOfItem: 'Copied %0% out of %1% item',
+ copiedItemOfItems: 'Copied %0% out of %1% items',
+ },
+ defaultdialogs: {
+ anchorInsert: 'שם',
+ assignDomain: 'ניהול שם מתחם',
+ closeThisWindow: 'סגור חלון זה',
+ confirmdelete: 'האם הינך בטוח שברצונך למחוק זאת?',
+ confirmdisable: 'האם הינך בטוח שברצונך לכבות זאת?',
+ confirmlogout: 'האם הינך בטוח?',
+ confirmSure: 'האם אתה בטוח?',
+ cut: 'גזור',
+ editDictionary: 'ערוך פרט מילון',
+ editLanguage: 'ערוך שפה',
+ insertAnchor: 'הוסף קישור מקומי',
+ insertCharacter: 'הוסף תו',
+ insertgraphicheadline: 'הוסף פס גרפי',
+ insertimage: 'הוסף תמונה',
+ insertlink: 'הוסף קישור',
+ insertMacro: 'לחץ להוספת מאקרו חדש',
+ inserttable: 'הוסף טבלה',
+ lastEdited: 'נערך לאחרונה',
+ link: 'קישור',
+ linkinternal: 'קישור פנימי',
+ linklocaltip: 'בעת שימוש בקישוריים פנימיים, הוסף "#" בתחילת הקישור',
+ linknewwindow: 'לפתוח בחלון חדש?',
+ macroDoesNotHaveProperties: 'המאקרו לא מכיל מאפיינים שניתן לערוך',
+ paste: 'הדבק',
+ permissionsEdit: 'ערוך הרשאות עבור',
+ recycleBinDeleting: 'הפריטים הנמצאים בסל המיחזור נמחקים כעת, השאר חלון זה פתוח עד לגמר פעולת המחיקה.',
+ recycleBinIsEmpty: 'סל המיחזור ריק כעת',
+ recycleBinWarning: 'מחיקת פריטים מסל המיחזור תמחוק את הפריטים לצמיתות',
+ regexSearchError:
+ "regexlib.com's webservice is currently experiencing some problems, which we have no control over. We are very sorry for this inconvenience.",
+ regexSearchHelp: "חיפוש ביטויים להוספת אימות עבור שדות טופס. לדוגמא: 'כתובת אימייל', 'מיקוד', 'כתובת אתר' ועוד",
+ removeMacro: 'הסר מאקרו',
+ requiredField: 'שדה חובה',
+ sitereindexed: 'האתר אונדקס מחדש',
+ siterepublished:
+ 'זיכרון המטמון של האתר רוענן בהצלחה. כל התוכן המפורסם כעת מעודכן, שאר התוכן המיועד לפירסום ימתין לפירסום',
+ siterepublishHelp:
+ 'זיכרון המטמון של האתר ירוענן. כל התוכן שפורסם ירוענן בהתאם, שאר התוכן המיועד לפירסום ימתין לפירסום',
+ tableColumns: 'מספר עמודות',
+ tableRows: 'מספר שורות',
+ thumbnailimageclickfororiginal: 'לחץ על התמונה לגודל מלא',
+ treepicker: 'בחר פריט',
+ viewCacheItem: 'צפה בפרטי זיכרון מטמון',
+ },
+ dictionaryItem: {
+ description:
+ 'ערוך את גרסאות השפות השונות לפריט המילון \'%0%\' למטה ניתן להוסיף שפות נוספות תחת "שפות" בתפריט בצד שמאל',
+ displayName: 'שם התצוגה לשפה',
+ },
+ editdatatype: {
+ addPrevalue: 'הוסף ערך מקדים',
+ dataBaseDatatype: 'סוג מידע עבור בסיס נתונים',
+ guid: 'Data Editor GUID',
+ renderControl: 'הפוך שליטה',
+ rteButtons: 'כפתורים',
+ rteEnableAdvancedSettings: 'הפעל הגדרות מתקדמות עבור',
+ rteEnableContextMenu: 'הפעל תפריט מקושר',
+ rteMaximumDefaultImgSize: 'גודל תמונה מקסימלי כברירת מחדל עבור תמונות המתווספות',
+ rteRelatedStylesheets: 'סגנונות עיצוב קרובים',
+ rteShowLabel: 'הצג תוויות',
+ rteWidthAndHeight: 'רוחב ואורך',
+ },
+ errorHandling: {
+ errorButDataWasSaved: 'המידע שלך נשמר, אך לפני שניתן יהיה לפרסם אותו יש צורך לתקן את השגיאות הבאות:',
+ errorChangingProviderPassword:
+ 'ספק החברות הנוכחית לא תומך בשינוי סיסמה (EnablePasswordRetrieval צריך להיות מוגדר על true)',
+ errorExistsWithoutTab: 'השדה %0% כבר קיים',
+ errorHeader: 'התרחשו שגיאות:',
+ errorHeaderWithoutTab: 'התרחשו שגיאות:',
+ errorInPasswordFormat:
+ 'הסיסמה חייבת להיות במינימום של %0% תווים characters long and contain at least %1% non-alpha numeric character(s)',
+ errorIntegerWithoutTab: '%0% חייב להיות מספר שלם',
+ errorMandatory: 'השדה %0% בלשונית %1% הינו זה חובה',
+ errorMandatoryWithoutTab: 'השדה %0% הינו זה חובה',
+ errorRegExp: '%0% ב- %1% אינו הפורמט התקין',
+ errorRegExpWithoutTab: '%0% אינו פורמט תקין',
+ },
+ errors: {
+ codemirroriewarning:
+ 'שים לב! למרות ש- CodeMirror מופעל מההגדרות, הוא נמצא במצב כבוי באינטרנט אקספלורר מפאת חוסר יציבות.',
+ contentTypeAliasAndNameNotNull: 'אנא הזן את את הכינוי והשם עבור סוג המידע!',
+ filePermissionsError: 'קיימת בעיית הרשאות גישה בקריאה/כתיבה עבור הקובץ או התיקיה הזו',
+ missingTitle: 'אנא בחר כותרת',
+ missingType: 'אנא בחר סוג',
+ pictureResizeBiggerThanOrg: 'הינך עומד לשנות את התמונה לגודל גדול יותר מהמקור, האם ברצונך להמשיך',
+ startNodeDoesNotExists: 'הפריט תוכן ההתחלתי נמחק, צור קשר עם מנהל האתר.',
+ stylesMustMarkBeforeSelect: 'תחילה יש לסמן תוכן לפני שינוי עיצוב',
+ stylesNoStylesOnPage: 'סגנונות עיצוב פעילים לא זמינים',
+ tableColMergeLeft: 'יש למקם את הסמן משמאל לשני התאים אותם תרצה למזג',
+ tableSplitNotSplittable: 'אין אפשרות לפצל תא שלא מוזג לפני כן.',
+ },
+ general: {
+ about: 'אודות',
+ action: 'פעולה',
+ add: 'הוסף',
+ alias: 'כינוי',
+ areyousure: 'האם אתה בטוח?',
+ border: 'גבול',
+ by: 'או',
+ cancel: 'בטל',
+ cellMargin: 'שוליים לתא',
+ choose: 'בחר',
+ close: 'סגור',
+ closewindow: 'סגור חלון',
+ comment: 'הערה',
+ confirm: 'אישור',
+ constrainProportions: 'שמור על פרופורציות',
+ continue: 'המשך',
+ copy: 'העתק',
+ create: 'צור',
+ database: 'בסיס נתונים',
+ date: 'תאריך',
+ default: 'ברירת מחדל',
+ delete: 'מחק',
+ deleted: 'נמחק',
+ deleting: 'מחיקה...',
+ design: 'עיצוב',
+ dimensions: 'מימדים',
+ down: 'למטה',
+ download: 'הורדה',
+ edit: 'עריכה',
+ edited: 'נערך',
+ elements: 'אלמנטים',
+ email: 'כתובת אימייל',
+ error: 'שגיאה',
+ findDocument: 'חפש',
+ height: 'אורך',
+ help: 'עזרה',
+ icon: 'אייקון',
+ import: 'ייבא',
+ innerMargin: 'שוליים פנימיים',
+ insert: 'הוסף',
+ install: 'התקנה',
+ justify: 'ליישר',
+ language: 'שפה',
+ layout: 'תכנית',
+ loading: 'טוען',
+ locked: 'נעול',
+ login: 'התחבר',
+ logoff: 'התנתק',
+ logout: 'התנתק',
+ macro: 'מקרו',
+ move: 'הזז',
+ name: 'שם',
+ new: 'חדש',
+ next: 'הבא',
+ no: 'לא',
+ of: 'של',
+ ok: 'אישור',
+ open: 'פתח',
+ or: 'או',
+ password: 'סיסמה',
+ path: 'נתיב',
+ pleasewait: 'אנא המתן בבקשה...',
+ previous: 'הקודם',
+ properties: 'הגדרות',
+ reciept: 'כתובת אימייל לקבלת טופס',
+ recycleBin: 'סל מיחזור',
+ remaining: 'נשאר',
+ rename: 'שנה שם',
+ renew: 'חידוש',
+ retry: 'נסה שנית',
+ rights: 'הרשאות',
+ search: 'חיפוש',
+ server: 'שרת',
+ show: 'הצג',
+ showPageOnSend: 'הצג עמוד בשליחה',
+ size: 'גודל',
+ sort: 'סדר',
+ submit: 'Submit',
+ type: 'סוג',
+ typeToSearch: 'הקלד לחיפוש...',
+ up: 'למעלה',
+ update: 'עדכן',
+ upgrade: 'שדרג',
+ upload: 'העלאה',
+ url: 'כתובת URL ',
+ user: 'משתמש',
+ username: 'שם משתמש',
+ value: 'ערך',
+ view: 'צפיה',
+ welcome: 'ברוכים הבאים...',
+ width: 'רוחב',
+ yes: 'כן',
+ reorder: 'Reorder',
+ reorderDone: 'I am done reordering',
+ },
+ graphicheadline: {
+ backgroundcolor: 'צבע רקע',
+ bold: 'מובלט',
+ color: 'צבע טקסט',
+ font: 'פונט',
+ text: 'טקסט',
+ },
+ headers: {
+ page: 'עמוד',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'ההתקנה לא מצליחה להתחבר לבסיס הנתונים.',
+ databaseFound: 'בסיס הנתונים שלך נמצא והוא מזוהה כ',
+ databaseHeader: 'הגדרת בסיס נתונים',
+ databaseInstall: '\n Press the install button to install the Umbraco %0% database\n ',
+ databaseInstallDone: 'Umbraco %0% has now been copied to your database. Press Next to proceed.',
+ databaseText:
+ 'To complete this step, you must know some information regarding your database server ("connection string"). \n Please contact your ISP if necessary.\n If you\'re installing on a local machine or server you might need information from your system administrator.',
+ databaseUpgrade:
+ "\n
\n Press the upgrade button to upgrade your database to Umbraco %0%
\n
\n Don't worry - no content will be deleted and everything will continue working afterwards!\n
\n ",
+ databaseUpgradeDone:
+ 'Your database has been upgraded to the final version %0%. Press Next to\n proceed. ',
+ databaseUpToDate:
+ 'Your current database is up-to-date!. Click next to continue the configuration wizard',
+ defaultUserChangePass: 'The Default users’ password needs to be changed!',
+ defaultUserDisabled:
+ 'The Default user has been disabled or has no access to Umbraco!
No further actions needs to be taken. Click Next to proceed.',
+ defaultUserPassChanged:
+ "The Default user's password has been successfully changed since the installation!
No further actions needs to be taken. Click Next to proceed.",
+ defaultUserPasswordChanged: 'הסיסמה שונתה!',
+ greatStart: 'התחל מכאן, צפה בסרטוני ההדרכה עבור אומברקו',
+ None: 'לא הותקן עדיין.',
+ permissionsAffectedFolders: 'קבצים ותיקיות המושפעים',
+ permissionsAffectedFoldersMoreInfo: 'מידע נוסף אודות התקנה ורשאות עבור אומרקו ניתן לקרוא כאן',
+ permissionsAffectedFoldersText: 'על מנת לבצע זאת, יש צורך לאפשר הרשאות ל ASP.NET לערוך את הקצבים או התיקיות הבאות',
+ permissionsAlmostPerfect:
+ 'Your permission settings are almost perfect!
\n You can run Umbraco without problems, but you will not be able to install packages which are recommended to take full advantage of Umbraco.',
+ permissionsHowtoResolve: 'איך לפתור',
+ permissionsHowtoResolveLink: 'לחץ כאן לקרוא את גירסת הטקסט',
+ permissionsHowtoResolveText:
+ 'Watch our video tutorial on setting up folder permissions for Umbraco or read the text version.',
+ permissionsMaybeAnIssue:
+ 'Your permission settings might be an issue!\n
\n You can run Umbraco without problems, but you will not be able to create folders or install packages which are recommended to take full advantage of Umbraco.',
+ permissionsNotReady:
+ "Your permission settings are not ready for Umbraco!\n
\n In order to run Umbraco, you'll need to update your permission settings.",
+ permissionsPerfect:
+ 'Your permission settings are perfect!
\n You are ready to run Umbraco and install packages!',
+ permissionsResolveFolderIssues: 'פתירת בעיות בתיקיה',
+ permissionsResolveFolderIssuesLink: 'עקוב אחר הלינק המצורף על מנת לפתור בעיות עם ASP.NET ויצירת תיקיות חדשות.',
+ permissionsSettingUpPermissions: 'הגדרת הרשאות לתיקיה',
+ permissionsText:
+ "\n\t אומברקו צריכה אישור כתיבה/עריכה עבור מספר ספריות על מנת למיין קבצים כמו תמונות וקבצי PDF's.\n בנוסף ישמר מידע זמני (cache) על מנת לשפר את הביצועים של האתר.\n ",
+ runwayFromScratch: 'אני רוצה להתחיל מאתר ריק',
+ runwayFromScratchText:
+ '\n Your website is completely empty at the moment, so that’s perfect if you want to start from scratch and create your own document types and templates.\n (learn how)\n You can still choose to install Runway later on. Please go to the Developer section and choose Packages.\n ',
+ runwayHeader: 'סיימת להתקין את מערכת אומברקו, מה ברצונך לעשות כעת?',
+ runwayInstalled: 'Runway הותקן',
+ runwayInstalledText:
+ '\n You have the foundation in place. Select what modules you wish to install on top of it. \n This is our list of recommended modules, check off the ones you would like to install, or view the full list of modules\n ',
+ runwayOnlyProUsers: 'המלצות עבור משתמשים מנוסים',
+ runwaySimpleSite: 'ברצוני להתחיל עם אתר פשוט',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" is a simple website providing some basic document types and templates. The installer can set up Runway for you automatically,\n but you can easily edit, extend or remove it. It’s not necessary and you can perfectly use Umbraco without it. However,\n Runway offers an easy foundation based on best practices to get you started faster than ever.\n If you choose to install Runway, you can optionally select basic building blocks called Runway Modules to enhance your Runway pages.\n
\n \n Included with Runway: Home page, Getting Started page, Installing Modules page. \n Optional Modules: Top Navigation, Sitemap, Contact, Gallery.\n \n ',
+ runwayWhatIsRunway: 'מה זה Runway',
+ step1: 'צעד 1/5 אישור רשיון',
+ step2: 'צעד 2/5: הגדרת בסיס נתונים',
+ step3: 'צעד 3/5: אימות קובץ ההרשאות',
+ step4: 'צעד 4/5: בדיקת האבטחה של אומברקו',
+ step5: 'צעד 5/5: אומברקו מוכנה להתחיל',
+ thankYou: 'תודה שבחרת באומברקו',
+ theEndBrowseSite: '
Browse your new site
\nYou installed Runway, so why not see how your new website looks.',
+ theEndFurtherHelp:
+ '
Further help and information
\nGet help from our award winning community, browse the documentation or watch some free videos on how to build a simple site, how to use packages and a quick guide to the Umbraco terminology',
+ theEndHeader: 'אומברקו %0% מותקנת ומוכנה לשימוש',
+ theEndInstallSuccess:
+ 'You can get started instantly by clicking the "Launch Umbraco" button below. If you are new to Umbraco,\nyou can find plenty of resources on our getting started pages.',
+ theEndOpenUmbraco:
+ '
Launch Umbraco
\nTo manage your website, simply open the Umbraco backoffice and start adding content, updating the templates and stylesheets or add new functionality',
+ Unavailable: 'ההתחברות לבסיס הנתונים נכשלה.',
+ Version3: 'Umbraco גירסה 3',
+ Version4: 'Umbraco גירסה 4',
+ watch: 'צפה',
+ welcomeIntro:
+ 'This wizard will guide you through the process of configuring Umbraco %0% for a fresh install or upgrading from version 3.0.\n
\n Press "next" to start the wizard.',
+ },
+ language: {
+ cultureCode: 'קוד שפה',
+ displayName: 'שם השפה',
+ },
+ lockout: {
+ lockoutWillOccur: 'לא זוהתה פעילות כלשהי ותבוצע התנתקות אוטומטית בעוד',
+ renewSession: 'יש לבצע חידוש פעילות על מנת לשמור על התוכן',
+ },
+ login: {
+ greeting0: 'ברוכים הבאים',
+ greeting1: 'ברוכים הבאים',
+ greeting2: 'ברוכים הבאים',
+ greeting3: 'ברוכים הבאים',
+ greeting4: 'ברוכים הבאים',
+ greeting5: 'ברוכים הבאים',
+ greeting6: 'ברוכים הבאים',
+ bottomText:
+ '
',
+ },
+ main: {
+ dashboard: 'לוח הבקרה',
+ sections: 'איזורים',
+ tree: 'תוכן',
+ },
+ moveOrCopy: {
+ choose: 'בחר עמוד מלמעלה...',
+ copyDone: '%0% הועתק אל %1%',
+ copyTo: 'בחר לאן המסמך %0% יועתק',
+ moveDone: '%0% הועבר אל %1%',
+ moveTo: 'בחר להיכן המסמך %0% יועבר',
+ nodeSelected: "has been selected as the root of your new content, click 'ok' below.",
+ noNodeSelected: "No node selected yet, please select a node in the list above before clicking 'ok'",
+ notAllowedByContentType: 'The current node is not allowed under the chosen node because of its type',
+ notAllowedByPath: 'The current node cannot be moved to one of its subpages',
+ notValid:
+ "TRANSLATE ME: 'The action isn't allowed since you have insufficient permissions on 1 or more child documents.'",
+ },
+ notifications: {
+ editNotifications: 'ערוך את ההתראות עבור %0%',
+ notificationsSavedFor: 'ההתראות נשמרו עבור %0%',
+ notifications: 'התראות',
+ },
+ packager: {
+ chooseLocalPackageText:
+ '\n בחר חבילה מהמחשב שלך, על ידי לחיצה על כפתור ה "browse" \n ויש לבחור את החבילה הרצויה. לחבילות Umbraco יש בד"כ יש סיומות בשם ".umb" או ".zip".\n ',
+ packageAuthor: 'יוצר החבילה',
+ packageDocumentation: 'תיעוד',
+ packageMetaData: 'מטה דטה עבור החבילה',
+ packageName: 'שם החבילה',
+ packageNoItemsHeader: 'החבילה לא מכילה אף פריט',
+ packageNoItemsText:
+ 'החבילה אינה מכילה פריטים למחיקה.
\n ניתן למחוק בבטיחות רבה את החבילה מהמערכת על ידי לחיצה על "הסר חבילה".',
+ packageOptions: 'אפשרויות חבילה',
+ packageReadme: 'תיאור החבילה',
+ packageRepository: 'מאגר חבילות',
+ packageUninstallConfirm: 'אשר הסרה',
+ packageUninstalledHeader: 'החבילה הוסרה',
+ packageUninstalledText: 'החבילה הוסרה בהצלחה!',
+ packageUninstallHeader: 'הסר חבילה',
+ packageUninstallText:
+ 'ניתן להוריד סימון מפריטים שאותם אינך רוצה להסיר, בזמן זה. כשילחץ כפתור "אשר הסרה" כל הפריטים המסומנים ימחקו. \n הערה:כל מסמך, מדיה וכו\' התלוים בפריטים שהסרת יפסיקו לעבוד, ויכולים להביא למצב של אי יציבות למערכת,\n יש למחוק קבצים עם זהירות יתרה, אם יש ספק יש לפנות ליוצר החבילה.',
+ packageVersion: 'גירסת החבילה',
+ },
+ paste: {
+ doNothing: 'שמור עיצוב בהדבקה (לא מומלץ)',
+ errorMessage:
+ 'הטקסט שאתה עומד להדביק מכיל עיצוב או תווים מיוחדים. דבר זה יגול להגרם בעת העתקה ממסמך בוורד. אומברקו יכולה להסיר את העיצוב או תווים מיוחדים על מנת שהטקסט המועתק יתאים ל- Web.',
+ removeAll: 'הסר עיצוב באופן מלא בהדבקה',
+ removeSpecialFormattering: 'הדבק אך הסר רק עיצוב (מומלץ)',
+ },
+ publicAccess: {
+ paAdvanced: 'תפקיד בסיסי בהגנה',
+ paAdvancedHelp:
+ 'אם הינך רוצה לשלוט בגישה לעמוד על ידי זיהוי תפקיד המשתמש, על ידי שימוש בקבוצות הקיימות ב Umbraco.',
+ paAdvancedNoGroups: 'יש צורך ליצור קבוצה לפני שימוש בזיהוי תפקיד המשתמש.',
+ paErrorPage: 'עמוד שגיאות',
+ paErrorPageHelp: 'השתמש בעת התחברות משתמשים וללא אפשרות גישה',
+ paHowWould: 'בחר איך להגביל את הגישה לעמוד זה',
+ paIsProtected: '%0% כעת מוגן',
+ paIsRemoved: 'הגנה הוסרה עבור %0%',
+ paLoginPage: 'עמוד התחברות',
+ paLoginPageHelp: 'בחר את העמוד המכיל טופס התחברות',
+ paRemoveProtection: 'הסר הגנה',
+ paSelectPages: 'בחר את העמודים המכילים פרטי התחברות והודעות שגיאה',
+ paSelectRoles: 'בחר את הכללים אשר יש להם גישה לעמוד זה',
+ paSetLogin: 'הגדר שם משתמש וסיסמה עבור עמוד זה',
+ paSimple: 'הגנת משתמש יחיד',
+ paSimpleHelp: 'אם ברצונך להגדיר הגנה פשוטה בעזרת שימוש בשם משתמש וסיסמה',
+ },
+ publish: {
+ contentPublishedFailedByEvent: '\n אין אפשרות לפרסם את התוכן %0%, תוסף צד שלישי מונע זאת.\n ',
+ includeUnpublished: 'כלול עמודי ילדים שלא פורסמו',
+ inProgress: 'אנא המתן - הפירסום בתהליך...',
+ inProgressCounter: '%0% מתוך %1% עמודים פורסמם בהצלחה...',
+ nodePublish: 'העמוד %0% פורסם.',
+ nodePublishAll: 'העמוד %0% וכל תתי העמודים פורסמו',
+ publishAll: 'פרסם את העמוד %0% ואת כל תתי העמודים',
+ publishHelp:
+ 'לחץ ok כדי לפרסם %0% ולהפוך תוכן זה זמין לציבור הרחב
\n הינך יכולה לפרסם את כל תתי העמודים על ידי סימון פרסם את העמוד את כל תתי העמודים למטה.\n ',
+ },
+ relatedlinks: {
+ addExternal: 'הוסף קישור חיצוני',
+ addInternal: 'הוסף קישור פנימי',
+ addlink: 'הוסף',
+ caption: 'כותרת',
+ internalPage: 'עמוד פנימי',
+ linkurl: 'קישור',
+ modeDown: 'הורד למטה',
+ modeUp: 'העלה למעלה',
+ newWindow: 'פתח בחלון חדש',
+ removeLink: 'הסר קישור',
+ },
+ rollback: {
+ diffHelp:
+ 'להלן ההבדלים בין הגירסא הנוכחית לבין הגרסא שנבחרה. טקסט אדום לא יוצג בגרסא שנבחרה, טקסט ירוק מייצט טקסט שנוסף.',
+ documentRolledBack: 'המסמך שוחזר בהצלחה',
+ htmlHelp: 'להלן הגרסא שנבחרה כHTML, אם הינך לצפות בשינויים בין שתי הגרסאות בו זמנית, בחר ב diff',
+ rollbackTo: 'חזור לאחור אל',
+ selectVersion: 'בחר גירסה',
+ view: 'תצוגה',
+ },
+ scripts: {
+ editscript: 'ערוך קובץ סקריפט',
+ },
+ sections: {
+ concierge: 'Concierge',
+ content: 'תוכן',
+ courier: 'Courier',
+ developer: 'מפתח',
+ installer: 'אשף הגדרת אומברקו',
+ media: 'מדיה',
+ member: 'חברים',
+ newsletters: 'עיתון',
+ settings: 'הגדרות',
+ statistics: 'סטטיסטיקות',
+ translation: 'תירגום',
+ users: 'משתמשים',
+ },
+ settings: {
+ defaulttemplate: 'תבנית ברירת מחדל',
+ importDocumentTypeHelp:
+ "על מנת לייבא סוג מסמך,מצא את הקובץ \".udt\" במחשב שלך על ידי לחיצה על 'סייר' ואז 'ייבא' (ייתכן ותצטרך לבצע אימות במסך הבא)",
+ newtabname: 'כותרת לשונית חדשה',
+ nodetype: 'סוג פריט תוכן',
+ objecttype: 'סוג',
+ stylesheet: 'גליונות סגנון',
+ tab: 'לשונית',
+ tabname: 'כותרת לשונית',
+ tabs: 'לשוניות',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'המיון הושלם.',
+ sortHelp:
+ 'יש לגרור את הפריטים מעלה או מטה כדי להגדיר את סדר התוכן. או לחץ על כותרת העמודה כדי למיין את כל פריטי התוכן',
+ sortPleaseWait: 'פריטי התוכן ממיונים ברגע זה, תהליך זה לוקח זמן מה.',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: 'הפירסום בוטל על ידי תוסף צד שלישי',
+ contentTypeDublicatePropertyType: 'סוג תכונה כבר קיים',
+ contentTypePropertyTypeCreated: 'סוג תכונה נשמר',
+ contentTypePropertyTypeCreatedText: 'שם: %0% סוג מידע: %1%',
+ contentTypePropertyTypeDeleted: 'סוג תכונה נמחק',
+ contentTypeSavedHeader: 'סוג מסמך נשמר',
+ contentTypeTabCreated: 'נוצרה לשונית',
+ contentTypeTabDeleted: 'לשונית נמחקה',
+ contentTypeTabDeletedText: 'לשונית עם מזהה: %0% נמחקה',
+ cssErrorHeader: 'סגנון עיצוב לא נשמר',
+ cssSavedHeader: 'סגנון עיצוב נשמר',
+ cssSavedText: 'סגנון עיצוב נשמר ללא שגיאות',
+ dataTypeSaved: 'סוג מידע נשמר',
+ dictionaryItemSaved: 'פריט במילון נשמר',
+ editContentPublishedFailedByParent: 'הפירסום נכשל, עמוד האב לא מפורסם',
+ editContentPublishedHeader: 'התוכן פורסם',
+ editContentPublishedText: 'ומוצג לצפיה באתר',
+ editContentSavedHeader: 'תוכן נשמר',
+ editContentSavedText: 'זכור לפרסם את התוכן על מנת שהשינויים יוצגו',
+ editContentSendToPublish: 'נשלח לאישור',
+ editContentSendToPublishText: 'השינויים נשלחו לאישור',
+ editMemberSaved: 'חבר נשמר',
+ editStylesheetPropertySaved: 'תגונה של סגנון עיצוב נשמרה',
+ editStylesheetSaved: 'סגנון עיצוב נשמר',
+ editTemplateSaved: 'תבנית נשמרה',
+ editUserError: 'שגיאה בעת שמירת משתמש (בדוק Log)',
+ editUserSaved: 'הגדרות משתמש נשמרו',
+ fileErrorHeader: 'קובץ לא נשמר',
+ fileErrorText: 'אין אפשרות לשמור את הקובץ, בדוק הרשאות',
+ fileSavedHeader: 'הקובץ נשמר',
+ fileSavedText: 'הקובץ נשמר ללא שגיאות',
+ languageSaved: 'שפה נשמרה',
+ templateErrorHeader: 'התבנית לא נשמרה',
+ templateErrorText: 'שים לב שאין 2 תבניות עם אותו השם/כינוי',
+ templateSavedHeader: 'התבנית נשמרה',
+ templateSavedText: 'התבנית נשמרה ללא שגיאות!',
+ },
+ stylesheet: {
+ aliasHelp: 'השתמש בסינטקס CSS לדוגמא: h1, .redHeader, .blueTex',
+ editstylesheet: 'ערוך סגנון עיצוב',
+ editstylesheetproperty: 'ערוך הגדרות סגנון עיצוב',
+ nameHelp: 'שם לזיהוי הגדרות ה- style בעורך הטקסט העשיר',
+ preview: 'תצוגה מקדימה',
+ styles: 'עיצובים',
+ },
+ template: {
+ edittemplate: 'ערוך תבנית',
+ insertContentArea: 'הוסף איזור תוכן',
+ insertContentAreaPlaceHolder: 'הוסף content area placeholder',
+ insertDictionaryItem: 'הוסף פריט מילון',
+ insertMacro: 'הוסף מקרו',
+ insertPageField: 'הוסף שדה עמוד לאומברקו',
+ mastertemplate: 'תבנית ראשית',
+ quickGuide: 'מדריך מהיר עבור תבנית תגיות באומברקו',
+ template: 'תבנית',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choose type of content',
+ chooseLayout: 'Choose a layout',
+ addRows: 'Add a row',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ settingsApplied: 'Settings applied',
+ contentNotAllowed: 'This content is not allowed here',
+ contentAllowed: 'This content is allowed here',
+ clickToEmbed: 'Click to embed',
+ clickToInsertImage: 'Click to insert image',
+ placeholderWriteHere: 'Write here...',
+ gridLayouts: 'Grid Layouts',
+ gridLayoutsDetail:
+ 'Layouts are the overall work area for the grid editor, usually you only need one or two different layouts',
+ addGridLayout: 'Add Grid Layout',
+ addGridLayoutDetail: 'Adjust the layout by setting column widths and adding additional sections',
+ rowConfigurations: 'Row configurations',
+ rowConfigurationsDetail: 'Rows are predefined cells arranged horizontally',
+ addRowConfiguration: 'Add row configuration',
+ addRowConfigurationDetail: 'Adjust the row by setting cell widths and adding additional cells',
+ columns: 'Columns',
+ columnsDetails: 'Total combined number of columns in the grid layout',
+ settings: 'Settings',
+ settingsDetails: 'Configure what settings editors can change',
+ styles: 'Styles',
+ stylesDetails: 'Configure what styling editors can change',
+ allowAllEditors: 'Allow all editors',
+ allowAllRowConfigurations: 'Allow all row configurations',
+ },
+ templateEditor: {
+ alternativeField: 'שדה אלטרנטיבי',
+ alternativeText: 'טקסט חלופי',
+ casing: 'מסגרת',
+ chooseField: 'בחר שדה',
+ convertLineBreaks: 'המרת מעברי שורה',
+ convertLineBreaksHelp: 'החלף מעברי שורה עם תגית ה HTML <br>',
+ dateOnly: 'כן, תאריך בלבד',
+ formatAsDate: 'פורמט תאריך',
+ htmlEncode: 'קידוד HTML',
+ htmlEncodeHelp: 'תווים מיוחדים יוחלפו בתווי HTML מתאימים.',
+ insertedAfter: 'יוכנס אחרי ערך השדה',
+ insertedBefore: 'יוכנס לפני ערך השדה',
+ lowercase: 'אותיות קטנות',
+ none: 'ללא',
+ postContent: 'הוסף אחרי השדה',
+ preContent: 'הוסף לפני השדה',
+ recursive: 'רקורסיבי',
+ removeParagraph: 'הסר תגי פסקה',
+ removeParagraphHelp: 'מסיר את כל ה- <P> בתחילת ובסוף הטקסט',
+ uppercase: 'אותיות גדולות',
+ urlEncode: 'קידוד URL',
+ urlEncodeHelp: 'תווים מיוחדים יעוצבו ב- URL',
+ usedIfAllEmpty: 'יבוצע שימוש אך ורק עם ערך השדה יהיה ריק',
+ usedIfEmpty: 'בשדה זה יבוצע שימוש אך ורק אם השדה העיקרי יהיה ריק',
+ withTime: 'כן, עם שעה. תו מפריד: ',
+ },
+ translation: {
+ details: 'פרטי תירגום',
+ DownloadXmlDTD: 'הורד xml DTD',
+ fields: 'שדות',
+ includeSubpages: 'כלול דפי משנה',
+ mailBody:
+ "\n שלום %0%\n\n\t זוהי הודעה אוטומטית הבאה ליידע אותך בנוגע למסמך '%1%'\n שהוגשה בקשה לתירגום על '%5%' על ידי %2%.\n\n לעריכה, לחץ על הלינק הבא: http://%3%/translation/details.aspx?id=%4% .\n\n באפשרותך גם להיכנס למערכת על מנת לראות את כל משימות התירגום\n http://%3%\n\n המשך יום נעים.\n\n ",
+ noTranslators: 'לא נמצאו משתמשמים המוגדרים כמתרגמים. יש ליצור משתמש המוגדר כמתרגם לפני שליחת תוכן לתירגום',
+ pageHasBeenSendToTranslation: "העמוד '%0%' נשלח לתירגום",
+ sendToTranslate: "שלח את העמוד '%0%' לתירגום",
+ totalWords: 'סך הכל מילים',
+ translateTo: 'תרגם עבור',
+ translationDone: 'התירגום הושלם.',
+ translationDoneHelp:
+ 'ניתן לראות תצוגה מקדימה של העמודים שכבר תורגמו על ידי לחיצה על הלינק למטה. If the original page is found, you will get a comparison of the 2 pages.',
+ translationFailed: 'התירגום נכשל, קובץ ה- xml עלול להיות מקולקל',
+ translationOptions: 'אפשרויות תירגום',
+ translator: 'מתרגם',
+ uploadTranslationXml: 'העלה קובץ תירגום ב xml',
+ },
+ treeHeaders: {
+ cacheBrowser: 'זיכרון מטמון בדפדפן',
+ contentRecycleBin: 'סל מיחזור',
+ createdPackages: 'יצירת חבילות',
+ dataTypes: 'סוגי מידע',
+ dictionary: 'מילון',
+ installedPackages: 'חבילות מותקנות',
+ installSkin: 'התקן עיצוב',
+ installStarterKit: 'התקן ערכת התחלה',
+ languages: 'שפות',
+ localPackage: 'התקן חבילה מקומית',
+ macros: 'מקרו',
+ mediaTypes: 'סוגי מדיה',
+ member: 'משתמשים',
+ memberGroups: 'קבוצות משתמשים',
+ memberRoles: 'כללים',
+ memberTypes: 'סוגי משתמשים',
+ documentTypes: 'סוגי מסמכים',
+ packager: 'חבילות',
+ packages: 'חבילות',
+ repositories: 'התקן מתוך מאגר',
+ runway: 'התקן Runway',
+ runwayModules: 'מודולי Runway',
+ scripting: 'קבצי סקריפטים',
+ scripts: 'סקריפטים',
+ stylesheets: 'גיליונות סגנון',
+ templates: 'תבניות',
+ userPermissions: 'הרשאות משתמש',
+ userTypes: 'משתמש מקליד',
+ users: 'משתמש',
+ },
+ update: {
+ updateAvailable: 'עידכון חדש זמין',
+ updateDownloadText: '%0% זמין, כאן להורדה',
+ updateNoServer: 'אין תקשורת עם השרת',
+ updateNoServerError: 'בדיקת עידכונים נכשלה. בדוק את ה trace-stack למידע נוסף',
+ },
+ user: {
+ administrators: 'מנהל ראשי',
+ categoryField: 'שדה קטגוריה',
+ changePassword: 'שנה את הסיסמה שלך',
+ changePasswordDescription: "בעמוד זה ניתן לשנות את הסיסמה שלך ולאחר מכן ללחוץ על הכפתור 'שנה סיסמה'\t למטה",
+ contentChannel: 'ערוץ תוכן',
+ descriptionField: 'שדה תיאור',
+ disabled: 'נטרל משתמש',
+ documentType: 'שדה מסמך',
+ editors: 'עורך',
+ excerptField: 'שדה תקציר',
+ language: 'שפה',
+ loginname: 'שם משתמש',
+ mediastartnode: 'התחלה בפריט המדיה',
+ modules: 'אזורים',
+ noConsole: 'נטרל גישת אומברקו',
+ password: 'סיסמה',
+ passwordChanged: 'הסיסמה שונתה בהצלחה!',
+ passwordConfirm: 'אישור סיסמה',
+ passwordEnterNew: 'הזן את הסיסמה החדשה שלך',
+ passwordIsBlank: 'שדה סיסמה לא יכול להיות ריק !',
+ passwordIsDifferent: 'סיסמאות לא תואמות, אנא בדוק זאת ונסה שנית',
+ passwordMismatch: 'אישור סיסמה לא תואם !',
+ permissionReplaceChildren: 'החלף הרשאות בכל תתי הפריטים',
+ permissionSelectedPages: 'הינך משנה הרשאות לעמודים הבאים:',
+ permissionSelectPages: 'בחר עמוד/עמודים לשינוי הרשאות',
+ searchAllChildren: 'חפש בכל הפריטים',
+ startnode: 'התחלה בפריט התוכן',
+ username: 'שם תצוגה',
+ userPermissions: 'הרשאות משתמש',
+ usertype: 'סוג משתמש',
+ userTypes: 'סוגי משתמש',
+ writer: 'כותב',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'בחר הכל',
+ deselectAllLogLevelFilters: 'הסר סימון מהכל',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/hr-hr.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/hr-hr.ts
new file mode 100644
index 0000000000..23ee4b8d21
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/hr-hr.ts
@@ -0,0 +1,2402 @@
+/**
+ * Creator Name: alevak09
+ * Creator Link: https://github.com/alevak09
+ *
+ * Language Alias: hr
+ * Language Int Name: Croatian (HR)
+ * Language Local Name: Hrvatski (HR)
+ * Language LCID: 1050
+ * Language Culture: hr-HR
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Kultura i imena hostova',
+ auditTrail: 'Audit zapis',
+ browse: 'Pregledaj čvor',
+ changeDocType: 'Promijeni Vrstu Dokumenta',
+ copy: 'Kopiraj',
+ create: 'Kreiraj',
+ export: 'Izvezi',
+ createPackage: 'Kreiraj Paket',
+ createGroup: 'Kreiraj grupu',
+ delete: 'Obriši',
+ disable: 'Onemogući',
+ editSettings: 'Uredi postavke',
+ emptyrecyclebin: 'Isprazni koš za smeće',
+ enable: 'Omogući',
+ exportDocumentType: 'Izvezi Vrstu Dokumenta',
+ importdocumenttype: 'Uvezi Vrstu Dokumenta',
+ importPackage: 'Uvezi Paket',
+ liveEdit: 'Uređivanje na stranici',
+ logout: 'Izlaz',
+ move: 'Premjesti',
+ notify: 'Obavijesti',
+ protect: 'Javni pristup',
+ publish: 'Objavi',
+ unpublish: 'Poništi objavu',
+ refreshNode: 'Osvježi',
+ republish: 'Ponovna objava cijele stranice',
+ remove: 'Ukloni',
+ rename: 'Preimenuj',
+ restore: 'Vrati',
+ chooseWhereToCopy: 'Odaberite gdje ćete kopirati',
+ chooseWhereToMove: 'Odaberite gdje ćete premjestiti',
+ chooseWhereToImport: 'Odaberite gdje ćete uvesti',
+ toInTheTreeStructureBelow: 'do u strukturi stabla ispod',
+ infiniteEditorChooseWhereToCopy: 'Odaberite gdje želite kopirati odabrane stavke',
+ infiniteEditorChooseWhereToMove: 'Odaberite gdje želite premjestiti odabrane stavke',
+ wasMovedTo: 'je premješteno u',
+ wasCopiedTo: 'je kopirana u',
+ wasDeleted: 'je obrisana',
+ rights: 'Dozvole',
+ rollback: 'Vraćanje unazad',
+ sendtopublish: 'Pošalji na objavljivanje',
+ sendToTranslate: 'Pošalji na prijevod',
+ setGroup: 'Postavi grupu',
+ sort: 'Sortiraj',
+ translate: 'Prevedi',
+ update: 'Ažuriraj',
+ setPermissions: 'Postavi dozvole',
+ unlock: 'Otključaj',
+ createblueprint: 'Kreirajte Predložak Sadržaja',
+ resendInvite: 'Ponovo pošaljite pozivnicu',
+ },
+ actionCategories: {
+ content: 'Sadržaj',
+ administration: 'Administracija',
+ structure: 'Struktura',
+ other: 'Ostalo',
+ },
+ actionDescriptions: {
+ assignDomain: 'Dopustite pristup za dodjelu kulture i imena hostova',
+ auditTrail: 'Dopustite pristup za pregled dnevnika povijesti čvora',
+ browse: 'Dopustite pristup za pregled čvora',
+ changeDocType: 'Dopustite pristup za promjenu Vrste Dokumenta za čvor',
+ copy: 'Dopustite pristup za kopiranje čvora',
+ create: 'Dopustite pristup za kreiranje čvora',
+ delete: 'Dopustite pristup za brisanje čvora',
+ move: 'Dopustite pristup za premještaj čvora',
+ protect: 'Dopustite pristup za postavljanje i promjenu javnog pristupa za čvor',
+ publish: 'Dopustite pristup za objavljivanje čvora',
+ unpublish: 'Dopustite pristup da poništavanje objave čvora',
+ rights: 'Dopustite pristup za promjenu dozvola za čvor',
+ rollback: 'Dopustite pristup za vraćanje čvora na prethodno stanje',
+ sendtopublish: 'Dopustite pristup za slanje čvora na odobrenje prije objavljivanja',
+ sendToTranslate: 'Dopustite pristup za slanje čvora na prijevod',
+ sort: 'Dopustite pristup za promjenu sortiranja čvorova',
+ translate: 'Dopustite pristup za prevođenje čvora',
+ update: 'Dopustite pristup za spremanje čvora',
+ createblueprint: 'Dopustite pristup za kreiranje Predloška Sadržaja',
+ notify: 'Dopustite pristup za podešavanje obavijesti za čvorove',
+ },
+ apps: {
+ umbContent: 'Sadržaj',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Dozvola odbijena.',
+ addNew: 'Dodaj novu domenu',
+ addCurrent: 'Dodaj postojeću domenu',
+ remove: 'Ukloni',
+ invalidNode: 'Nevažeći čvor.',
+ invalidDomain: 'Jedna ili više domena imaju nevažeći format.',
+ duplicateDomain: 'Domena je već dodijeljena.',
+ language: 'Jezik',
+ domain: 'Domena',
+ domainCreated: "Nova domena '%0%' je kreirana",
+ domainDeleted: "Domena '%0%' je obrisana",
+ domainExists: "Domena '%0%' je već dodijeljena",
+ domainUpdated: "Domena '%0%' je ažurirana",
+ orEdit: 'Uredi trenutne domene',
+ domainHelpWithVariants:
+ 'Važeći nazivi domena su: "example.com", "www.example.com", "example.com:8080", ili "https://www.example.com/".\n Nadalje, podržane su i poddomene prvog nivoa, npr. "example.com/en" ili "/en".',
+ inherit: 'Naslijedi',
+ setLanguage: 'Kultura',
+ setLanguageHelp:
+ 'Postavite kulturu za čvorove ispod trenutnog čvora, ili naslijedite kulturu od roditeljskih čvorova. Također će se primijeniti \n na trenutni čvor, osim ako se domena u nastavku ne primjenjuje.',
+ setDomains: 'Domene',
+ },
+ buttons: {
+ clearSelection: 'Obriši odabir',
+ select: 'Odaberi',
+ somethingElse: 'Uradi nešto drugo',
+ bold: 'Podebljano',
+ deindent: 'Odustani od uvlačenje odlomka',
+ formFieldInsert: 'Umetni polje obrasca',
+ graphicHeadline: 'Umetni grafički naslov',
+ htmlEdit: 'Uredi Html',
+ indent: 'Uvuci odlomak',
+ italic: 'Nakošeno',
+ justifyCenter: 'Centrirano',
+ justifyLeft: 'Poravnanje lijevo',
+ justifyRight: 'Poravnanje desno',
+ linkInsert: 'Umetni link',
+ linkLocal: 'Umetni lokalni link (sidro)',
+ listBullet: 'Obična lista',
+ listNumeric: 'Numerička lista',
+ macroInsert: 'Umetni makro',
+ pictureInsert: 'Umetni sliku',
+ publishAndClose: 'Objavi i zatvori',
+ publishDescendants: 'Objavi sa potomcima',
+ relations: 'Uredite odnose',
+ returnToList: 'Povratak na listu',
+ save: 'Spremi',
+ saveAndClose: 'Spremi i zatvori',
+ saveAndPublish: 'Spremi i objavi',
+ saveToPublish: 'Spremi i pošalji na odobrenje',
+ saveListView: 'Spremi prikaz liste',
+ schedulePublish: 'Zakazivanje objave',
+ saveAndPreview: 'Spremi i pregledaj',
+ showPageDisabled: 'Pregled je onemogućen jer nije dodijeljen predložak',
+ styleChoose: 'Odaberi stil',
+ styleShow: 'Prikaži stilove',
+ tableInsert: 'Umetni tablicu',
+ saveAndGenerateModels: 'Spremi i generiraj modele',
+ undo: 'Poništi',
+ redo: 'Vrati',
+ deleteTag: 'Obriši tag',
+ confirmActionCancel: 'Odustani',
+ confirmActionConfirm: 'Potvrdi',
+ morePublishingOptions: 'Više opcija za objavljivanje',
+ submitChanges: 'Pošalji',
+ },
+ auditTrailsMedia: {
+ delete: 'Mediji je obrisan',
+ move: 'Mediji premješten',
+ copy: 'Mediji kopiran',
+ save: 'Mediji spremljen',
+ },
+ auditTrails: {
+ atViewingFor: 'Pregled za',
+ delete: 'Sadržaj je obrisan',
+ unpublish: 'Poništena objava Sadržaja',
+ unpublishvariant: 'Poništena je objava sadržaja za jezike: %0% ',
+ publish: 'Sadržaj je spremljen i objavljen',
+ publishvariant: 'Sadržaj spremljen i objavljen za jezike: %0%',
+ save: 'Sadržaj spremljen',
+ savevariant: 'Sadržaj spremljen za jezike: %0%',
+ move: 'Sadržaj premješten',
+ copy: 'Sadržaj kopiran',
+ rollback: 'Sadržaj vraćen',
+ sendtopublish: 'Sadržaj poslan na objavljivanje',
+ sendtopublishvariant: 'Sadržaj poslan na objavljivanje za jezike: %0%',
+ sort: 'Sortiranje podređenih stavki je izvršio korisnik',
+ custom: '%0%',
+ contentversionpreventcleanup: 'Čišćenje je onemogućeno za verziju: %0%',
+ contentversionenablecleanup: 'Čišćenje je omogućeno za verziju: %0%',
+ smallCopy: 'Kopiraj',
+ smallPublish: 'Objavljeno',
+ smallPublishVariant: 'Objavi',
+ smallMove: 'Premjesti',
+ smallSave: 'Spremljeno',
+ smallSaveVariant: 'Spremi',
+ smallDelete: 'Obriši',
+ smallUnpublish: 'Poništi objavu',
+ smallRollBack: 'Vrati na stariju verziju',
+ smallSendToPublish: 'Pošalji na objavljivanje',
+ smallSendToPublishVariant: 'Pošalji na objavljivanje',
+ smallSort: 'Sortiraj',
+ smallCustom: 'Prilagođeno',
+ smallContentVersionPreventCleanup: 'Spremi',
+ smallContentVersionEnableCleanup: 'Spremi',
+ historyIncludingVariants: 'Povijest (sve varijante)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Naziv mape ne može sadržavati nedozvoljene znakove.',
+ deleteItemFailed: 'Nije uspjelo brisanje stavke: %0%',
+ },
+ content: {
+ isPublished: 'Da li je objavljeno',
+ about: 'Više o ovoj stranici',
+ alias: 'Alias',
+ alternativeTextHelp: '(kako bi opisali sliku preko telefona)',
+ alternativeUrls: 'Alternativni linkovi',
+ clickToEdit: 'Kliknite za uređivanje ove stavke',
+ createBy: 'Kreirao',
+ createByDesc: 'Originalni autor',
+ updatedBy: 'Ažurirao',
+ createDate: 'Kreirano',
+ createDateDesc: 'Datum i vrijeme kreiranja ovog dokumenta',
+ documentType: 'Vrsta dokumenta',
+ editing: 'Uređivanje',
+ expireDate: 'Ukloni na',
+ itemChanged: 'Ova stavka je promijenjena nakon objavljivanja',
+ itemNotPublished: 'Ova stavka nije objavljena',
+ lastPublished: 'Posljednje objavljeno',
+ noItemsToShow: 'Nema stavki za prikaz',
+ listViewNoItems: 'Nema stavki za prikaz na listi.',
+ listViewNoContent: 'Nije dodan sadržaj',
+ listViewNoMembers: 'Nijedan član nije dodan',
+ mediatype: 'Vrsta medija',
+ mediaLinks: 'Link do medijske stavke',
+ membergroup: 'Grupa članova',
+ memberrole: 'Uloga',
+ membertype: 'Vrsta člana',
+ noChanges: 'Nisu napravljene nikakve promjene',
+ noDate: 'Nije odabran datum',
+ nodeName: 'Naslov stranice',
+ noMediaLink: 'Ova medijska stavka nema vezu',
+ otherElements: 'Svojstva',
+ parentNotPublished: "Ovaj dokument je objavljen, ali nije vidljiv jer nadređeni '%0%' nije objavljen",
+ parentCultureNotPublished: "Ova kultura je objavljena, ali nije vidljiva jer nije objavljena na nadređenom '%0%'",
+ parentNotPublishedAnomaly: 'Ovaj dokument je objavljen, ali nije u predmemoriji',
+ getUrlException: 'Nije moguće dohvatiti URL',
+ routeError: 'Ovaj dokument je objavljen, ali njegov URL je u sukobu sa sadržajem %0%',
+ routeErrorCannotRoute: 'Ovaj dokument je objavljen, ali njegov URL se ne može preusmjeriti',
+ publish: 'Objavi',
+ published: 'Objavljeno',
+ publishedPendingChanges: 'Objavljeno (promjene na čekanju)',
+ publishStatus: 'Status objave',
+ publishDescendantsHelp:
+ 'Objavi %0% i sve stavke sadržaja ispod i time čineći njihov sadržaj javno dostupnim.',
+ publishDescendantsWithVariantsHelp:
+ 'Objavi varijante i varijante iste vrste ispod i na taj način učinite njihov sadržaj javno dostupnim.',
+ releaseDate: 'Objavi na',
+ unpublishDate: 'Poništi objavu na',
+ removeDate: 'Obriši datum',
+ setDate: 'Postavi datum',
+ sortDone: 'Sortiranje je ažurirano',
+ sortHelp:
+ 'Da biste sortirali čvorove, jednostavno pomaknite čvorove ili kliknite na jedno od zaglavlja kolona. Možete odabrati\n više čvorova držeći tipku "shift" ili "control" dok birate\n ',
+ statistics: 'Statistika',
+ titleOptional: 'Naslov (opcionalno)',
+ altTextOptional: 'Alternativni tekst (opcionalno)',
+ captionTextOptional: 'Natpis (opcionalno)',
+ type: 'Vrsta',
+ unpublish: 'Poništi objavu',
+ unpublished: 'Neobjavljeno',
+ notCreated: 'Nije kreirano',
+ updateDate: 'Zadnje uređivano',
+ updateDateDesc: 'Datum/vrijeme uređivanja ovog dokumenta',
+ uploadClear: 'Ukloni datoteke',
+ uploadClearImageContext: 'Kliknite ovdje kako bi uklonili sliku iz medijske stavke',
+ uploadClearFileContext: 'Kliknite ovdje kako bi uklonili datoteku iz medijske stavke',
+ urls: 'Link na dokument',
+ memberof: 'Član grupe',
+ notmemberof: 'Nije član grupe',
+ childItems: 'Dječje stavke',
+ target: 'Meta',
+ scheduledPublishServerTime: 'Ovo se označava kao sljedeće vrijeme na serveru:',
+ scheduledPublishDocumentation:
+ 'Što ovo znači?',
+ nestedContentDeleteItem: 'Jeste li sigurni da želite obrisati ovu stavku?',
+ nestedContentEditorNotSupported:
+ 'Svojstvo %0% koristi uređivač %1% koji nije podržan za Ugniježđeni\n Sadržaj.\n ',
+ nestedContentDeleteAllItems: 'Jeste li sigurni da želite obrisati sve stavke?',
+ nestedContentNoContentTypes: 'Za ovo svojstvo nisu konfigurirane vrste sadržaja.',
+ nestedContentAddElementType: 'Dodajte vrstu elementa',
+ nestedContentSelectElementTypeModalTitle: 'Odaberite vrstu elementa',
+ nestedContentGroupHelpText:
+ 'Odaberite grupu čija svojstva trebaju biti prikazana. Ako je ostavljeno prazno,\n koristit će se prva grupa na vrsti elementa.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Unesite angular izraz za procjenu svake stavke za njeno\n ime. Koristi\n ',
+ nestedContentTemplateHelpTextPart2: 'za prikaz indeksa stavke',
+ nestedContentNoGroups:
+ 'Odabrana vrsta elementa ne sadrži nijednu podržanu grupu (ovaj uređivač ne podržava kartice, promijenite ih u grupe ili koristite uređivač liste blokova).',
+ addTextBox: 'Dodajte još jedan okvir za tekst',
+ removeTextBox: 'Uklonite ovaj okvir za tekst',
+ contentRoot: 'Korijen Sadržaja',
+ includeUnpublished: 'Uključite neobjavljeni sadržaj.',
+ isSensitiveValue:
+ 'Ova vrijednost je skrivena. Ako vam je potreban pristup da vidite ovu vrijednost, obratite se\n administratoru web stranice.\n ',
+ isSensitiveValue_short: 'Ova vrijednost je skrivena.',
+ languagesToPublish: 'Koje jezike želite objaviti?',
+ languagesToSendForApproval: 'Koje jezike želite poslati na odobrenje?',
+ languagesToSchedule: 'Koje jezike želite zakazano objaviti?',
+ languagesToUnpublish:
+ 'Odaberite jezike za poništavanje objavljivanja. Poništavanje objavljivanja obaveznog jezika će\n poništiti objavljivanje svih jezika.\n ',
+ variantsWillBeSaved: 'Sve nove varijante će biti spremljene.',
+ variantsToPublish: 'Koje varijante želite objaviti?',
+ variantsToSave: 'Odaberite koje varijante želite spremiti.',
+ publishRequiresVariants: 'Za objavljivanje su potrebne sljedeće varijante:',
+ notReadyToPublish: 'Nije spremno za objavljivanje',
+ readyToPublish: 'Spremno za objavljivanje?',
+ readyToSave: 'Spremno za spremanje?',
+ resetFocalPoint: 'Poništi fokusnu točku',
+ sendForApproval: 'Pošalji na odobrenje',
+ schedulePublishHelp: 'Odaberite datum i vrijeme za objavljivanje i/ili poništavanje objave stavke sadržaja.',
+ createEmpty: 'Kreiraj novo',
+ createFromClipboard: 'Zalijepi iz međuspremnika',
+ nodeIsInTrash: 'Ova stavka je u košu za smeće',
+ saveModalTitle: 'Spremi',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Kreirajte novi predložak sadržaja iz %0%',
+ blankBlueprint: 'Prazno',
+ selectBlueprint: 'Odaberite predložak sadržaja',
+ createdBlueprintHeading: 'Predložak sadržaja kreiran',
+ createdBlueprintMessage: "Predložak sadržaja je kreiran od '%0%'",
+ duplicateBlueprintMessage: 'Drugi predložak sadržaja sa istim nazivom već postoji',
+ blueprintDescription:
+ 'Predložak sadržaja je unaprijed definiran sadržaj koji uređivač može odabrati da bi se koristio\n kao osnova za kreiranje novog sadržaja\n ',
+ },
+ media: {
+ clickToUpload: 'Kliknite za prijenos',
+ orClickHereToUpload: 'ili kliknite ovdje kako bi odaberali datoteke',
+ disallowedFileType: 'Nije moguće učitati ovu datoteku, jer nema odobrenu vrstu datoteke',
+ disallowedMediaType: "Nije moguće učitati ovu datoteku, format medija sa nastavkom '%0%' nije dozvoljen",
+ invalidFileName: 'Nije moguće učitati ovu datoteku, jer nema važeći naziv datoteke',
+ maxFileSize: 'Maksimalna veličina datoteke je',
+ mediaRoot: 'Korijen medija',
+ createFolderFailed: 'Kreiranje mape pod ID-om roditelja nije uspjelo %0%',
+ renameFolderFailed: 'Preimenovanje mape sa ID-om %0% nije uspjelo',
+ dragAndDropYourFilesIntoTheArea: 'Povucite i ispustite svoje datoteke u područje',
+ },
+ member: {
+ createNewMember: 'Kreirajte novog člana',
+ allMembers: 'Svi članovi',
+ memberGroupNoProperties: 'Grupe članova nemaju dodatnih svojstva za uređivanje.',
+ '2fa': 'Dvostruka provjera autentičnosti',
+ },
+ contentType: {
+ copyFailed: 'Kopiranje vrste sadržaja nije uspjelo',
+ moveFailed: 'Premještanje vrste sadržaja nije uspjelo',
+ },
+ mediaType: {
+ copyFailed: 'Kopiranje vrste medija nije uspjelo',
+ moveFailed: 'Premještanje vrste medija nije uspjelo',
+ autoPickMediaType: 'Automatski odabir',
+ },
+ memberType: {
+ copyFailed: 'Kopiranje vrste člana nije uspjelo',
+ },
+ create: {
+ chooseNode: 'Gdje želite kreirati novi %0%',
+ createUnder: 'Kreirajte stavku pod',
+ createContentBlueprint: 'Odaberite vrstu dokumenta za koju želite napraviti predložak sadržaja',
+ enterFolderName: 'Unesite naziv mape',
+ updateData: 'Odaberite vrstu i naslov',
+ noDocumentTypes:
+ 'Nema dozvoljenih vrsta dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih omogućiti u Vrste Dokumenta unutar sekcije Postavke, uređivanjem Dozvoljene vrste podređenih čvorova unutar Dozvole.',
+ noDocumentTypesAtRoot:
+ 'Nema dozvoljenih vrsta dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih kreirati u Vrste Dokumenata unutar sekcije Postavke.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'Odabrana stranica u stablu sadržaja ne dozvoljava kreiranje nijedne stranice ispod.\n ',
+ noDocumentTypesEditPermissions: 'Uredi dozvole za ovu vrstu dokumenta',
+ noDocumentTypesCreateNew: 'Kreiraj novu vrstu dokumenta',
+ noDocumentTypesAllowedAtRoot:
+ 'Nema dozvoljenih vrsta dokumenata dostupnih za kreiranje sadržaja ovdje. Morate ih omogućiti u Vrste Dokumenta unutar sekcije Postavke, izmjenom Dozvoli kao root opcije unutar Dozvole.',
+ noMediaTypes:
+ 'Nema dozvoljenih vrsta medija dostupnih za kreiranje medija ovdje. Morate ih omogućiti u Vrste Medija unutar sekcije Postavke, uređivanjem Dozvoljene vrste podređenih čvorova unutar Dozvole.',
+ noMediaTypesWithNoSettingsAccess:
+ 'Odabrani medij u stablu ne dopušta bilo koji drugi medij\n kreiran ispod njega.\n ',
+ noMediaTypesEditPermissions: 'Uredi dozvole za ovu vrstu medija',
+ documentTypeWithoutTemplate: 'Vrsta dokumenta bez predloška',
+ documentTypeWithTemplate: 'Vrsta dokumenta sa predloškom',
+ documentTypeWithTemplateDescription:
+ 'Definiranje podataka za stranicu sadržaja koja se može kreirati u stablu sadržaja i direktno je dostupana preko URL-a.\n ',
+ documentType: 'Vrsta dokumenta',
+ documentTypeDescription:
+ 'Definiranje podataka za komponentu sadržaja koju mogu kreirati urednici u\n stablu sadržaja i može biti izabrana na drugim stranicama, ali nema direktan URL.\n ',
+ elementType: 'Vrsta elementa',
+ elementTypeDescription:
+ "Definiranje sheme za ponavljajući skup svojstava, na primjer, u 'Bloku\n Uređivaču svojstava Lista' ili 'Ugniježđeni sadržaj'.\n ",
+ composition: 'Kompozicija',
+ compositionDescription:
+ "Definiranje višenamjenski skup svojstava koja se mogu uključiti u definiciju\n više drugih vrsta dokumenata. Na primjer, skup 'Common Page Settings'.\n ",
+ folder: 'Mapa',
+ folderDescription:
+ 'Koristi se za organiziranje vrste dokumenata, sastava i vrste elemenata kreiranih u ovome\n Stablo vrste dokumenta.\n ',
+ newFolder: 'Nova mapa',
+ newDataType: 'Nova vrsta podatka',
+ newJavascriptFile: 'Nova JavaScript datoteka',
+ newEmptyPartialView: 'Novi prazan djelomični prikaz',
+ newPartialViewMacro: 'Novi djelomični prikaz za makro',
+ newPartialViewFromSnippet: 'Novi djelomični prikaz iz isječka',
+ newPartialViewMacroFromSnippet: 'Novi djelomični prikaz za makro iz isječka',
+ newPartialViewMacroNoMacro: 'Novi djelomični prikaz za makro (bez makroa)',
+ newStyleSheetFile: 'Nova CSS datoteka',
+ newRteStyleSheetFile: 'Nova Rich Text Editor CSS datoteka',
+ },
+ dashboard: {
+ browser: 'Pregledajte svoju web stranicu',
+ dontShowAgain: '- Sakrij',
+ nothinghappens: 'Ako se Umbraco ne otvara, možda ćete morati dozvoliti skočne prozore sa ove stranice',
+ openinnew: 'je otvoren u novom prozoru',
+ restart: 'Ponovno pokreni',
+ visit: 'Posjetite',
+ welcome: 'Dobrodošli',
+ },
+ prompt: {
+ stay: 'Ostani',
+ discardChanges: 'Poništite promjene',
+ unsavedChanges: 'Imate ne spremljene promjene',
+ unsavedChangesWarning: 'Jeste li sigurni da želite izaći s ove stranice? - imate ne spremljene promjene',
+ confirmListViewPublish: 'Objavljivanjem će odabrane stavke biti vidljive na stranici.',
+ confirmListViewUnpublish:
+ 'Poništavanje objavljivanja će ukloniti odabrane stavke i sve njihove potomke sa\n stranice.\n ',
+ confirmUnpublish: 'Poništavanje objavljivanja će ukloniti ovu stranicu i sve njene potomke sa stranice.',
+ doctypeChangeWarning: 'Imate ne spremljene promjene. Promjenom vrste dokumenta odbacit će se promjene.',
+ },
+ bulk: {
+ done: 'Završeno',
+ deletedItem: 'Obrisana %0% stavka',
+ deletedItems: 'Obrisano %0% stavki',
+ deletedItemOfItem: 'Obrisana %0% od %1% stavka',
+ deletedItemOfItems: 'Obrisano %0% od %1% stavki',
+ publishedItem: 'Objavljeno %0% stavka',
+ publishedItems: 'Objavljeno %0% stavki',
+ publishedItemOfItem: 'Objavljeno %0% od %1% stavka',
+ publishedItemOfItems: 'Objavljeno %0% od %1% stavki',
+ unpublishedItem: 'Neobjavljeno za %0% stavku',
+ unpublishedItems: 'Neobjavljeno za %0% stavki',
+ unpublishedItemOfItem: 'Neobjavljeno za %0% od %1% stavku',
+ unpublishedItemOfItems: 'Neobjavljeno za %0% od %1% stavki',
+ movedItem: 'Premještena %0% stavka',
+ movedItems: 'Premješteno %0% stavki',
+ movedItemOfItem: 'Premješteno %0% od %1% stavku',
+ movedItemOfItems: 'Premješteno %0% od %1% stavki',
+ copiedItem: 'Kopirana %0% stavka',
+ copiedItems: 'Kopirano %0% stavki',
+ copiedItemOfItem: 'Kopirano %0% od %1% stavku',
+ copiedItemOfItems: 'Kopirano %0% od %1% stavki',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Naslov linka',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Sidro / querystring',
+ anchorInsert: 'Naziv',
+ assignDomain: 'Upravljanje nazivima domena',
+ closeThisWindow: 'Zatvorite ovaj prozor',
+ confirmdelete: 'Jeste li sigurni da želite obrisati',
+ confirmdeleteNumberOfItems:
+ 'Jeste li sigurni da želite obrisati %0% od %1% stavki',
+ confirmdisable: 'Jeste li sigurni da želite onemogućiti',
+ confirmremove: 'Jeste li sigurni da želite ukloniti',
+ confirmremoveusageof: 'Jeste li sigurni da želite ukloniti korištenje %0%',
+ confirmlogout: 'Jeste li sigurni?',
+ confirmSure: 'Jeste li sigurni?',
+ cut: 'Izreži',
+ editDictionary: 'Uredi stavku iz rječnika',
+ editLanguage: 'Uredi jezik',
+ editSelectedMedia: 'Uredite odabrane medije',
+ editWebhook: 'Uredi webhook',
+ insertAnchor: 'Umetni lokalnu vezu',
+ insertCharacter: 'Umetni znak',
+ insertgraphicheadline: 'Umetni grafički naslov',
+ insertimage: 'Umetni sliku',
+ insertlink: 'Umetni link',
+ insertMacro: 'Klikni za dodavanje makro',
+ inserttable: 'Umetni tablicu',
+ languagedeletewarning: 'Ovo će izbrisati jezik i sav sadržaj povezan s jezikom',
+ languageChangeWarning:
+ 'Promjena kulture jezika može biti skupa operacija i rezultirat će promjenama u predmemoriji sadržaja i indeksima koji se rekonstruiraju\n ',
+ lastEdited: 'Zadnje uređivano',
+ link: 'Link',
+ linkinternal: 'Interni link',
+ linklocaltip: 'Kada koristite lokalni linkovi, umetnite "#" ispred linka',
+ linknewwindow: 'Otvoriti u novom prozoru?',
+ macroDoesNotHaveProperties: 'Ovaj makro ne sadrži svojstva koja možete uređivati',
+ paste: 'Zalijepi',
+ permissionsEdit: 'Uredi dozvole za',
+ permissionsSet: 'Postavi dozvole za',
+ permissionsSetForGroup: 'Postavi dozvole za %0% za grupu korisnika %1%',
+ permissionsHelp: 'Odaberi grupe korisnika za koje želite postaviti dozvole',
+ recycleBinDeleting:
+ 'Stavke u košu za smeće se upravo brišu. Molimo vas da ne zatvarate ovaj prozor\n dok se ova operacija odvija\n ',
+ recycleBinIsEmpty: 'Koš za smeće je sada prazna',
+ recycleBinWarning: 'Kada se stavke obrišu iz koša za smeće, nestat će zauvijek',
+ regexSearchError:
+ "regexlib.com web servis trenutno ima probleme u komunikaciji na koje ne možemo utjecati. Žao nam je zbog nastalih smetnji.",
+ regexSearchHelp:
+ "Traži regular expression kako bi njime validirali polje unosa. Primjer: 'e-pošta,\n 'poštanski broj', 'URL'.\n ",
+ removeMacro: 'Ukloni makro',
+ requiredField: 'Obavezno polje',
+ sitereindexed: 'Stranica je ponovo indeksirana',
+ siterepublished:
+ 'Predmemorija web stranice je osvježena. Sav objavljeni sadržaj je sada ažuriran. Dok će sav\n\t\tneobjavljen sadržaj ostati neobjavljen\n ',
+ siterepublishHelp:
+ 'Predmemorija web stranice će biti osvježena. Svi objavljeni sadržaji bit će ažurirani, dok će sav\n neobjavljeni sadržaj ostati neobjavljen.\n ',
+ tableColumns: 'Broj kolona',
+ tableRows: 'Broj redova',
+ thumbnailimageclickfororiginal: 'Klikni na sliku za prikaz pune veličine',
+ treepicker: 'Odaberi stavku',
+ viewCacheItem: 'Prikaži stavku predmemorije',
+ relateToOriginalLabel: 'Odnosi se na original',
+ includeDescendants: 'Uključiti potomke',
+ theFriendliestCommunity: 'Prijateljska zajednica',
+ linkToPage: 'Link na stranicu',
+ openInNewWindow: 'Otvara povezani dokument u novom prozoru ili kartici',
+ linkToMedia: 'Link do medija',
+ selectContentStartNode: 'Odaberi početni čvor sadržaja',
+ selectMedia: 'Odaberi medije',
+ selectMediaType: 'Odaberi vrstu medija',
+ selectIcon: 'Odaberi ikonu',
+ selectItem: 'Odaberi stavku',
+ selectLink: 'Odaberi vezu',
+ selectMacro: 'Odaberi makro',
+ selectContent: 'Odaberi sadržaj',
+ selectContentType: 'Odaberi vrstu sadržaja',
+ selectMediaStartNode: 'Odaberi početni čvor medija',
+ selectMember: 'Odaberi člana',
+ selectMemberGroup: 'Odaberi grupu članova',
+ selectMemberType: 'Odaberi vrstu članova',
+ selectNode: 'Odaberi čvor',
+ selectLanguages: 'Odaberi jezike',
+ selectSections: 'Odaberi sekcije',
+ selectUser: 'Odaberi korisnika',
+ selectUsers: 'Odaberi korisnike',
+ noIconsFound: 'Nema pronađenih ikona',
+ noMacroParams: 'Nema parametara za ovaj makro',
+ noMacros: 'Nema dostupnih makroa za umetanje',
+ externalLoginProviders: 'Vanjski provajderi prijave',
+ exceptionDetail: 'Detalji iznimaka',
+ stacktrace: 'Zapisnik',
+ innerException: 'Unutarnja iznimka',
+ linkYour: 'Poveži svoj',
+ unLinkYour: 'Poništi povezivanje svoje veze',
+ account: 'račun',
+ selectEditor: 'Odaberi urednika',
+ selectSnippet: 'Odaberite predložak',
+ variantdeletewarning:
+ 'Ovo će obrisati čvor i sve njegove jezike. Ako želite obrisati jedan jezik, poništite radije objavu na tom jeziku.',
+ propertyuserpickerremovewarning: 'Ovo će ukloniti korisnika %0%.',
+ userremovewarning: 'Ovo će ukloniti korisnika %0% iz grupe %1%',
+ yesRemove: 'Da, ukloni',
+ deleteLayout: 'Brišete izgled',
+ deletingALayout:
+ 'Promjena izgleda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan na ovoj konfiguraciji.',
+ },
+ dictionary: {
+ importDictionaryItemHelp:
+ '\n Da bi uvezli stavku iz rječnika, pronađite ".udt" datoteku na svom računalu klikom na\n gumb "Uvezi" (na sljedećem ekranu će se tražiti da potvrdite)\n ',
+ itemDoesNotExists: 'Stavka iz rječnika ne postoji.',
+ parentDoesNotExists: 'Nadređena stavka ne postoji.',
+ noItems: 'Ne postoje stavke iz rječnika.',
+ noItemsInFile: 'U ovoj datoteci nema stavki iz rječnika.',
+ noItemsFound: 'Nisu pronađene stavke iz rječnika.',
+ createNew: 'Kreirajte stavku iz rječnika',
+ },
+ dictionaryItem: {
+ description: "Uredite različite jezičke varijante za stavku rječnika '%0%' ispod",
+ displayName: 'Kultura',
+ changeKeyError: "Stavka '%0%' već postoji.",
+ overviewTitle: 'Pregled riječnika',
+ },
+ examineManagement: {
+ configuredSearchers: 'Konfigurirani pretraživači',
+ configuredSearchersDescription:
+ 'Prikazuje svojstva i alate za bilo koji konfigurirani pretraživač (npr. kao multi-indeksni pretraživač)',
+ fieldValues: 'Vrijednosti polja',
+ healthStatus: 'Status zdravlja',
+ healthStatusDescription: 'Status zdravlja indeksa i da li se može pročitati',
+ indexers: 'Indeksi',
+ indexInfo: 'Indeks info',
+ contentInIndex: 'Sadržaj u indeksu',
+ indexInfoDescription: 'Navodi svojstva indeksa',
+ manageIndexes: 'Upravljanje Examine-ovim indeksima',
+ manageIndexesDescription:
+ 'Omogućava vam pregled detalja svakog indeksa i pruža neke alate za upravljanje indeksima',
+ rebuildIndex: 'Obnovi indeks',
+ rebuildIndexWarning:
+ '\n Ovo će uzrokovati obnavljanje indexa. \n Ovisno o količini sadržaja vaše web stranice, ovo bi moglo potrajati. \n Nije preporučljivo obnavljati index-e tijekom velike posjećenosti vaše web stranice ili u vrijeme kada urednik uređuje sadržaj stranice.\n ',
+ searchers: 'Pretraživači',
+ searchDescription: 'Pretražite indeks i pogledajte rezultate',
+ tools: 'Alati',
+ toolsDescription: 'Alati za upravljanje indeksima',
+ fields: 'polja',
+ indexCannotRead: 'Indeks se ne može pročitati i morat će se ponovo obnoviti',
+ processIsTakingLonger:
+ 'Proces traje duže od očekivanog, provjerite Umbraco log zapis da vidite\n da li je bilo grešaka tijekom ove operacije\n ',
+ indexCannotRebuild: 'Ovaj indeks se ne može ponovo obnoviti jer mu nije dodijeljen',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Upišite svoje korisničko ime',
+ password: 'Upišite svoju lozinku',
+ confirmPassword: 'Potvrdite lozinku',
+ nameentity: 'Imenujte %0%...',
+ entername: 'Upišite ime...',
+ enteremail: 'Upišite email...',
+ enterusername: 'Upišite korisničko ime...',
+ label: 'Oznaka...',
+ enterDescription: 'Upišite opis...',
+ search: 'Upišite za pretragu...',
+ filter: 'Upišite za filtriranje...',
+ enterTags: 'Upišite da dodate oznake (pritisnite enter nakon svake oznake)...',
+ email: 'Upišite vaš email',
+ enterMessage: 'Upišite poruku...',
+ usernameHint: 'Vaše korisničko ime je obično vaš email',
+ anchor: '#value ili ?key=value',
+ enterAlias: 'Upišite alias...',
+ generatingAlias: 'Generiranje aliasa...',
+ a11yCreateItem: 'Kreiraj stavku',
+ a11yEdit: 'Uredi',
+ a11yName: 'Naziv',
+ },
+ editcontenttype: {
+ createListView: 'Kreirajte prilagođeni prikaz liste',
+ removeListView: 'Ukloni prilagođeni prikaz liste',
+ aliasAlreadyExists: 'Vrsta sadržaja, medija ili člana s ovim aliasom već postoji',
+ },
+ renamecontainer: {
+ renamed: 'Preimenovano',
+ enterNewFolderName: 'Upišite novi naziv mape',
+ folderWasRenamed: '%0% je preimenovan u %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Dodajte vrijednost',
+ dataBaseDatatype: 'Vrsta baze podataka',
+ guid: 'Uređivač svojstva GUID',
+ renderControl: 'Uređivač svojstva',
+ rteButtons: 'Gumbi',
+ rteEnableAdvancedSettings: 'Omogući napredne postavke za',
+ rteEnableContextMenu: 'Omogući kontekstni meni',
+ rteMaximumDefaultImgSize: 'Maksimalna zadana veličina umetnutih slika',
+ rteRelatedStylesheets: 'Povezani stilovi',
+ rteShowLabel: 'Prikaži oznaku',
+ rteWidthAndHeight: 'Širina i visina',
+ selectFolder: 'Odaberite mapu za premještanje',
+ inTheTree: 'do u strukturi stabla ispod',
+ wasMoved: 'je premeštena ispod',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Vaši podaci su spremljeni, ali prije nego što možete objaviti ovu stranicu postoje neke\n greške koje prvo morate ispraviti:\n ',
+ errorChangingProviderPassword:
+ 'Trenutni provajder članstva ne podržava promjenu lozinke\n (Omogući preuzimanje lozinke mora biti uključeno)\n ',
+ errorExistsWithoutTab: '%0% već postoji',
+ errorHeader: 'Bilo je grešaka:',
+ errorHeaderWithoutTab: 'Bilo je grešaka:',
+ errorInPasswordFormat:
+ 'Lozinka treba imati najmanje %0% znakova i sadržavati najmanje %1%\n znakova koji nisu alfanumerički\n ',
+ errorIntegerWithoutTab: '%0% mora biti cijeli broj',
+ errorMandatory: 'Polje %0% na kartici %1% je obavezno',
+ errorMandatoryWithoutTab: '%0% je obavezno polje',
+ errorRegExp: '%0% na %1% nije u ispravnom formatu',
+ errorRegExpWithoutTab: '%0% nije u ispravnom formatu',
+ },
+ errors: {
+ receivedErrorFromServer: 'Primljena greška sa servera',
+ dissallowedMediaType: 'Administrator je zabranio navedenu vrstu datoteke',
+ codemirroriewarning:
+ 'NAPOMENA! Iako je CodeMirror omogućen konfiguracijom, on je onemogućen u\n Internet Explorer-u jer nije dovoljno stabilan.\n ',
+ contentTypeAliasAndNameNotNull: 'Unesite i alias i ime na novu vrstu svojstva!',
+ filePermissionsError: 'Postoji problem sa pristupom za čitanje/pisanje određenoj datoteci ili mapi',
+ macroErrorLoadingPartialView: 'Greška pri učitavanju skripte parcijalnog prikaza (datoteka: %0%)',
+ missingTitle: 'Unesite naslov',
+ missingType: 'Molimo odaberite vrstu',
+ pictureResizeBiggerThanOrg:
+ 'Napravit ćete sliku veću od originalne veličine. Jeste li sigurni\n da želite nastaviti?\n ',
+ startNodeDoesNotExists: 'Početni čvor je obrisan, kontaktirajte svog administratora',
+ stylesMustMarkBeforeSelect: 'Molimo označite sadržaj prije promjene stila',
+ stylesNoStylesOnPage: 'Nema dostupnih aktivnih stilova',
+ tableColMergeLeft: 'Postavite kursor lijevo od dvije ćelije koje želite spojiti',
+ tableSplitNotSplittable: 'Ne možete podijeliti ćeliju koja nije spojena.',
+ propertyHasErrors: 'Ovo svojstvo je nevažeće',
+ },
+ general: {
+ about: 'O',
+ action: 'Akcija',
+ actions: 'Akcije',
+ add: 'Dodaj',
+ alias: 'Alias',
+ all: 'Sve',
+ areyousure: 'Jeste li sigurni?',
+ back: 'Nazad',
+ backToOverview: 'Nazad na pregled',
+ border: 'Rub',
+ by: 'od',
+ cancel: 'Odustani',
+ cellMargin: 'Margina ćelije',
+ choose: 'Odaberi',
+ clear: 'Očisti',
+ close: 'Zatvori',
+ closewindow: 'Zatvori prozor',
+ closepane: 'Zatvori panel',
+ comment: 'Komentar',
+ confirm: 'Potvrdi',
+ constrain: 'Ograniči',
+ constrainProportions: 'Ograniči proporcije',
+ content: 'Sadržaj',
+ continue: 'Nastavi',
+ copy: 'Kopiraj',
+ create: 'Kreiraj',
+ database: 'Baza podataka',
+ date: 'Datum',
+ default: 'Zadano',
+ delete: 'Obriši',
+ deleted: 'Obrisano',
+ deleting: 'Brisanje...',
+ design: 'Dizajn',
+ dictionary: 'Riječnik',
+ dimensions: 'Dimenzije',
+ discard: 'Otkaži',
+ down: 'Dolje',
+ download: 'Preuzmi',
+ edit: 'Uredi',
+ edited: 'Uređeno',
+ elements: 'Elementi',
+ email: 'Email',
+ error: 'Greška',
+ field: 'Polje',
+ findDocument: 'Pronađi',
+ first: 'Prvi',
+ focalPoint: 'Fokusna točka',
+ general: 'Općenito',
+ groups: 'Grupe',
+ group: 'Grupa',
+ height: 'Visina',
+ help: 'Pomoć',
+ hide: 'Sakrij',
+ history: 'Povijest',
+ icon: 'Ikona',
+ id: 'Id',
+ import: 'Uvezi',
+ excludeFromSubFolders: 'Pretraži samo ovu mapu',
+ info: 'Info',
+ innerMargin: 'Unutrašnja margina',
+ insert: 'Umetni',
+ install: 'Instaliraj',
+ invalid: 'Nevažeće',
+ justify: 'Poravnaj',
+ label: 'Oznaka',
+ language: 'Jezik',
+ last: 'Zadnji',
+ layout: 'Izgled',
+ links: 'Linkovi',
+ loading: 'Učitavanje',
+ locked: 'Zaključano',
+ login: 'Prijava',
+ logoff: 'Odjava',
+ logout: 'Odjava',
+ macro: 'Makro',
+ mandatory: 'Obavezno',
+ message: 'Poruka',
+ move: 'Pomakni',
+ name: 'Ime',
+ new: 'Novo',
+ next: 'Sljedeći',
+ no: 'Ne',
+ nodeName: 'Ime čvora',
+ of: 'od',
+ off: 'Isključeno',
+ ok: 'OK',
+ open: 'Otvori',
+ options: 'Opcije',
+ on: 'Uključeno',
+ or: 'ili',
+ orderBy: 'Poredaj po',
+ password: 'Lozinka',
+ path: 'Putanja',
+ pleasewait: 'Trenutak molim...',
+ previous: 'Prethodno',
+ properties: 'Svojstva',
+ readMore: 'Pročitaj više',
+ rebuild: 'Ponovo izgradi',
+ reciept: 'Email za primanje obrasca',
+ recycleBin: 'Koš za smeće',
+ recycleBinEmpty: 'Vaš koš za smeće je prazn',
+ reload: 'Osvježi',
+ remaining: 'Preostalo',
+ remove: 'Izbriši',
+ rename: 'Preimenuj',
+ renew: 'Obnovi',
+ required: 'Obavezno',
+ retrieve: 'Povratiti',
+ retry: 'Pokušaj ponovo',
+ rights: 'Dozvole',
+ scheduledPublishing: 'Planirano objavljivanje',
+ umbracoInfo: 'Umbraco info',
+ search: 'Traži',
+ searchNoResult: 'Žao nam je, ne možemo pronaći ono što tražite.',
+ noItemsInList: 'Nije dodana nijedna stavka',
+ server: 'Server',
+ settings: 'Postavke',
+ show: 'Prikaži',
+ showPageOnSend: 'Prikaži stranicu nprilikom Slanja',
+ size: 'Veličina',
+ sort: 'Sortiranje',
+ status: 'Status',
+ submit: 'Potvrdi',
+ success: 'Uspjeh',
+ type: 'Vrsta',
+ typeName: 'Ime vrste',
+ typeToSearch: 'Upišite za pretragu...',
+ under: 'ispod',
+ up: 'Gore',
+ update: 'Ažuriraj',
+ upgrade: 'Nadogradi',
+ upload: 'Prenesi',
+ url: 'URL',
+ user: 'Korisnik',
+ username: 'Korisničko ime',
+ value: 'Vrijednost',
+ view: 'Prikaz',
+ welcome: 'Dobrodošli...',
+ width: 'Širina',
+ yes: 'Da',
+ folder: 'Mapa',
+ searchResults: 'Rezultati pretrage',
+ reorder: 'Promijeni redosljed',
+ reorderDone: 'Završeno sortiranje',
+ preview: 'Pregled',
+ changePassword: 'Promijeni lozinku',
+ to: 'do',
+ listView: 'Prikaz liste',
+ saving: 'Spremanje...',
+ current: 'trenutni',
+ embed: 'Ugradi',
+ selected: 'odabran',
+ other: 'Ostalo',
+ articles: 'Članci',
+ videos: 'Videi',
+ avatar: 'Avatar za',
+ header: 'Zaglavlje',
+ systemField: 'sistemsko polje',
+ lastUpdated: 'Posljednje ažurirano',
+ },
+ colors: {
+ blue: 'Plava',
+ },
+ shortcuts: {
+ addGroup: 'Dodaj grupu',
+ addProperty: 'Dodaj svojstvo',
+ addEditor: 'Dodaj urednika',
+ addTemplate: 'Dodaj predložak',
+ addChildNode: 'Dodajte podređeni čvor',
+ addChild: 'Dodaj dijete',
+ editDataType: 'Uredite vrstu podataka',
+ navigateSections: 'Krećite se po odjeljcima',
+ shortcut: 'Prečice',
+ showShortcuts: 'Prikaži prečice',
+ toggleListView: 'Uključi prikaz liste',
+ toggleAllowAsRoot: 'Uključi dozvoli kao root',
+ commentLine: 'Redovi za komentiranje/dekomentiranje',
+ removeLine: 'Uklonite liniju',
+ copyLineUp: 'Kopiraj linije gore',
+ copyLineDown: 'Kopiraj linije dole',
+ moveLineUp: 'Pomakni linije gore',
+ moveLineDown: 'Pomakni linije dole',
+ generalHeader: 'Općenito',
+ editorHeader: 'Uređivač',
+ toggleAllowCultureVariants: 'Uključi dozvoli varijante kulture',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Boja pozadine',
+ bold: 'Podebljano',
+ color: 'Boja teksta',
+ font: 'Font',
+ text: 'Tekst',
+ },
+ headers: {
+ page: 'Stranica',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Instalacija se ne može povezati s bazom podataka.',
+ databaseErrorWebConfig:
+ 'Nije moguće spremiti web.config datoteku. Molimo izmijenite konekcijski string\n ručno.\n ',
+ databaseFound: 'Vaša baza podataka je pronađena i identificirana je kao',
+ databaseHeader: 'Konfiguracija baze podataka',
+ databaseInstall: '\n Pritisnite Instaliraj za instalaciju Umbraco %0% baze podataka\n ',
+ databaseInstallDone:
+ 'Umbraco %0% je sada kopiran u vašu bazu podataka. Pritisnite Dalje da nastavite.',
+ databaseNotFound:
+ '
Baza podataka nije pronađena! Provjerite jesu li informacije u "konekcijskom string" u "web.config" datoteci ispravne.
\n
Da nastavite, uredite "web.config" datoteku. (koristeći Visual Studio ili vaš omiljeni uređivač teksta), skorlajte do dna, dodajte konekcijski string za vašu bazu podataka u svojstvo nazvan "UmbracoDbDSN" i spremite datoteku.
',
+ databaseText:
+ 'Da bi dovršili ovaj korak, morate znati neke informacije o vašem poslužitelju baze podataka ("konekcijski string"). \n Molimo kontaktirajte svog ISP-a ako je potrebno.\n Ako instalirate na lokalnoj mašini ili serveru, možda će vam trebati informacije od administratora sistema.',
+ databaseUpgrade:
+ '\n
\n Pritisnite nadogradnja za nadogradnju vaše baze podataka na Umbraco %0%
\n
\n Ne brinite - nijedan sadržaj neće biti obrisan i sve će nastaviti raditi nakon toga!\n
\n ',
+ databaseUpgradeDone:
+ 'Vaša baza podataka je nadograđena na novu verziju %0%. Pritisnite Dalje da nastavite.',
+ databaseUpToDate:
+ 'Vaša trenutna baza podataka je ažurirana!. Pritisnite Dalje da nastavite sa čarobnjakom za konfiguraciju',
+ defaultUserChangePass: 'Zadanu korisničku lozinku treba promijeniti!',
+ defaultUserDisabled:
+ 'Zadani korisnik je onemogućen ili nema pristup Umbraco-u!
Ne treba preduzimati nikakve daljnje radnje. Pritisnite Dalje da nastavite.',
+ defaultUserPassChanged:
+ 'Zadana korisnička lozinka je uspješno promijenjena od instalacije!
Ne treba preduzimati nikakve daljnje radnje. Pritisnite Dalje da nastavite.',
+ defaultUserPasswordChanged: 'Lozinka je promijenjena!',
+ greatStart: 'Započnite odlično, pogledajte naše uvodne video zapise',
+ licenseText:
+ 'Klikom na sljedeći gumb (ili modifikacijom umbracoConfigurationStatus u web.config),\n prihvaćate licencu za ovaj softver kao što je navedeno u polju ispod. Primijetite da se ova Umbraco distribucija\n sastoji se od dvije različite licence, open source MIT licence za okvir i licence za besplatni softver Umbraco\n koji pokriva korisničko sučelje.\n ',
+ None: 'Još nije instalirano.',
+ permissionsAffectedFolders: 'Zahvaćene datoteke i mape',
+ permissionsAffectedFoldersMoreInfo: 'Više informacija o postavljanju dozvola za Umbraco ovdje',
+ permissionsAffectedFoldersText:
+ 'Morate dodijeliti dozvole za izmjenu ASP.NET-a za sljedeće\n datoteke/mape\n ',
+ permissionsAlmostPerfect:
+ 'Vaše postavke dozvola su gotovo savršene!
\n Možete pokrenuti Umbraco bez problema, ali nećete moći instalirati pakete koji se preporučuju da biste u potpunosti iskoristili Umbraco.',
+ permissionsHowtoResolve: 'Kako riješiti',
+ permissionsHowtoResolveLink: 'Kliknite ovdje da pročitate tekstualnu verziju',
+ permissionsHowtoResolveText:
+ 'Gledajte naše video tutorijale o postavljanju dozvola foldera za Umbraco ili pročitajte tekstualnu verziju.',
+ permissionsMaybeAnIssue:
+ 'Vaše postavke dozvola mogu biti problem!\n
\n Možete pokrenuti Umbraco bez problema, ali nećete moći kreirati mape ili instalirati pakete koji se preporučuju da biste u potpunosti iskoristili Umbraco.',
+ permissionsNotReady:
+ 'Vaše postavke dozvola nisu spremne za Umbraco!\n
\n Da biste pokrenuli Umbraco, morat ćete ažurirati postavke dozvola.',
+ permissionsPerfect:
+ 'Vaše postavke dozvola su savršene!
\n Spremni ste da pokrenete Umbraco i instalirate pakete!',
+ permissionsResolveFolderIssues: 'Rješavanje problema sa mapom',
+ permissionsResolveFolderIssuesLink:
+ 'Pratite ovu vezu za više informacija o problemima sa ASP.NET i\n kreiranje mapa\n ',
+ permissionsSettingUpPermissions: 'Postavljanje dozvola za mape',
+ permissionsText:
+ '\n Umbraco treba pristup za pisanje/izmjenu određenih mapa kako bi pohranio datoteke poput slika i PDF-ova.\n Također pohranjuje privremene podatke (tj: cache) za poboljšanje performansi vaše web stranice.\n ',
+ runwayFromScratch: 'Želim početi od nule',
+ runwayFromScratchText:
+ '\n Vaša web stranica je trenutno potpuno prazna, tako da je savršeno ako želite početi od nule i kreirati vlastite vrste dokumenata i predloške.\n (naučite kako)\n I dalje možete odabrati da kasnije instalirate Runway. Molimo idite na odjeljak Developer i odaberite Paketi.\n ',
+ runwayHeader: 'Upravo ste postavili čistu Umbraco platformu. Šta želite sljedeće učiniti?',
+ runwayInstalled: 'Runway je instaliran',
+ runwayInstalledText:
+ '\n Imate postavljene temelje. Odaberite koje module želite instalirati na njega. \n Ovo je naša lista preporučenih modula, označite one koje želite da instalirate ili pogledajte punu listu modula\n ',
+ runwayOnlyProUsers: 'Preporučuje se samo iskusnim korisnicima',
+ runwaySimpleSite: 'Želim početi s jednostavnom web-stranicom',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" je jednostavna web stranica koja nudi neke osnovne vrste dokumenata i predloške. Instalacijski čarobnjak može postaviti Runway za vas automatski,\n ali ga možete lako urediti, proširiti ili ukloniti. Nije potrebno i možete savršeno koristiti Umbraco i bez njega. Kako god,\n Runway nudi laku osnovu zasnovanu na najboljim praksama za početak brže nego ikad.\n Ako se odlučite za instalaciju Runway, opcionalo možete odabrati osnovne građevne blokove tzv. Runway Modules da poboljšate svoje Runway stranice.\n
\n \n Uključeno u Runway: Početna stranica, Stranica za početak, Stranica za instaliranje modula. \n Dodatni moduli: Navigacija, Sitemap, Kontakt, Galerija.\n \n ',
+ runwayWhatIsRunway: 'Što je Runway',
+ step1: 'Korak 1/5: Prihvatite licencu',
+ step2: 'Korak 2/5: Konfiguracija baze podataka',
+ step3: 'Korak 3/5: Potvrđivanje dozvola za datoteke',
+ step4: 'Korak 4/5: Provjerite Umbraco sigurnost',
+ step5: 'Korak 5/5: Umbraco je spreman za početak',
+ thankYou: 'Hvala vam što ste odabrali Umbraco',
+ theEndBrowseSite:
+ '
Pregledajte svoju novu stranicu
\nInstalirali ste Runway, pa zašto ne biste vidjeli kako izgleda vaša nova web stranica.',
+ theEndFurtherHelp:
+ '
Dodatna pomoć i informacije
\nPotražite pomoć od naše nagrađivane zajednice, pregledajte dokumentaciju ili pogledajte nekoliko besplatnih videozapisa o tome kako napraviti jednostavnu stranicu, kako koristiti pakete i brzi vodič za terminologiju Umbraco',
+ theEndHeader: 'Umbraco %0% je instaliran i spreman za upotrebu',
+ theEndInstallFailed:
+ "Da biste završili instalaciju, morat ćete\n ručno urediti /web.config datoteku i ažurirati svojstvo unutar AppSetting UmbracoConfigurationStatus na dnu do vrijednosti od '%0%'.",
+ theEndInstallSuccess:
+ 'Možete dobiti započeti odmah klikom na "Pokreni Umbraco" gumb ispod. Ako ste novi u Umbraco-u,\nmožete pronaći mnogo resursa na našim stranicama za početak.',
+ theEndOpenUmbraco:
+ '
Pokreni Umbraco
\nDa bi upravljali svojom web lokacijom, jednostavno otvorite Umbraco backoffice i počnite dodavati sadržaj, ažurirati predloške i stilove ili dodati novu funkcionalnost',
+ Unavailable: 'Povezivanje s bazom podataka nije uspjelo.',
+ Version3: 'Umbraco Verzija 3',
+ Version4: 'Umbraco Verzija 4',
+ watch: 'Gledaj',
+ welcomeIntro:
+ 'Ovaj čarobnjak će vas voditi kroz proces konfiguracije Umbraco %0% za novu instalaciju ili nadogradnju sa verzije 3.0.\n
\n Pritisnite "Dalje" da pokrenete čarobnjaka.',
+ },
+ language: {
+ cultureCode: 'Kod kulture',
+ displayName: 'Naziv kulture',
+ },
+ lockout: {
+ lockoutWillOccur: 'Bili ste u stanju mirovanja i automatski će doći do odjave',
+ renewSession: 'Obnovite sada da sačuvate svoj rad',
+ },
+ login: {
+ greeting0: 'Dobrodošli',
+ greeting1: 'Dobrodošli',
+ greeting2: 'Dobrodošli',
+ greeting3: 'Dobrodošli',
+ greeting4: 'Dobrodošli',
+ greeting5: 'Dobrodošli',
+ greeting6: 'Dobrodošli',
+ instruction: 'Prijavite se u nastavku',
+ signInWith: 'Prijava sa',
+ timeout: 'Isteklo je vrijeme sesije',
+ bottomText:
+ '
',
+ forgottenPassword: 'Zaboravljena lozinka?',
+ forgottenPasswordInstruction: 'E-mail poruka bit će poslana na navedenu adresu sa linkom za resetiranje lozinke',
+ requestPasswordResetConfirmation:
+ 'E-mail poruka s uputama za poništavanje lozinke će biti poslana na navedenu adresu ukoliko odgovara našoj evidenciji',
+ showPassword: 'Prikaži lozinku',
+ hidePassword: 'Sakrij lozinku',
+ returnToLogin: 'Povratak na obrazac za prijavu',
+ setPasswordInstruction: 'Molimo unesite novu lozinku',
+ setPasswordConfirmation: 'Vaša lozinka je ažurirana',
+ resetCodeExpired: 'Link na koji ste kliknuli je nevažeći ili je istekao',
+ resetPasswordEmailCopySubject: 'Umbraco: Reset lozinke',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\n\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n
\n \n
\n
\n
\n
\n
\n
\n
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tZatraženo je ponovno postavljanje lozinke\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tVaše korisničko ime za prijavu na Umbraco backoffice je: %0%\n
\n\n\n\t",
+ mfaSecurityCodeSubject: 'Umbraco: Sigurnosni kod',
+ mfaSecurityCodeMessage: 'Vaš sigurnosni kod je: %0%',
+ '2faTitle': 'Posljednji korak',
+ '2faText': 'Omogućili ste 2-faktorsku autentifikaciju i morate potvrditi svoj identitet.',
+ '2faMultipleText': 'Molimo odaberite 2-faktor provajdera',
+ '2faCodeInput': 'Verifikacijski kod',
+ '2faCodeInputHelp': 'Unesite verifikacijski kod',
+ '2faInvalidCode': 'Unesen je nevažeći kod',
+ },
+ main: {
+ dashboard: 'Kontrolna ploča',
+ sections: 'Sekcije',
+ tree: 'Sadržaj',
+ },
+ moveOrCopy: {
+ choose: 'Odaberite stranicu iznad...',
+ copyDone: '%0% je kopiran u %1%',
+ copyTo: 'Odaberite gdje dokument %0% treba kopirati ispod',
+ moveDone: '%0% je premješten u %1%',
+ moveTo: 'Odaberite gdje dokument %0% treba premjestiti ispod',
+ nodeSelected: "je odabrano kao korijen vašeg novog sadržaja, kliknite na 'Uredu' ispod.",
+ noNodeSelected: "Još nije odabran čvor, molimo odaberite čvor na gornjoj listi prije nego kliknete na 'Uredu'",
+ notAllowedByContentType: 'Trenutni čvor nije dozvoljen pod odabranim čvorom zbog njegove vrste',
+ notAllowedByPath:
+ 'Trenutni čvor se ne može premjestiti na jednu od njegovih podstranica niti roditelj i odredište mogu biti isti',
+ notAllowedAtRoot: 'Trenutni čvor ne može postojati u korijenu',
+ notValid: 'Radnja nije dozvoljena jer nemate dovoljna dopuštenja za 1 ili više djece\n dokumenata.\n ',
+ relateToOriginal: 'Povežite kopirane stavke s originalom',
+ },
+ notifications: {
+ editNotifications: 'Odaberite vaše obavijesti za %0%',
+ notificationsSavedFor: 'Postavke obavijesti su spremljene za %0%',
+ notifications: 'Obavijesti',
+ },
+ packager: {
+ actions: 'Akcije',
+ created: 'Kreirano',
+ createPackage: 'Kreiraj paket',
+ chooseLocalPackageText:
+ '\n Odaberite paket sa vašeg računala klikom na Pregledaj \n i odaberite paket. Umbraco paketi uglavnom imaju ".umb" ili ".zip" ekstenziju.\n ',
+ deletewarning: 'Ovo će obrisati paket',
+ includeAllChildNodes: 'Uključi sve podređene čvorove',
+ installed: 'Instalirano',
+ installedPackages: 'Instalirani paketi',
+ installInstructions: 'Uputstva za instalaciju',
+ noConfigurationView: 'Ovaj paket nema prikaz konfiguracije',
+ noPackagesCreated: 'Još nije kreiran nijedan paket',
+ noPackages: 'Nijedan paket nije instaliran',
+ noPackagesDescription:
+ "Pregledajte dostupne pakete koristeći ikonu 'Paketi' u gornjem desnom uglu ekrana",
+ packageContent: 'Sadržaj paketa',
+ packageLicense: 'Licenca',
+ packageSearch: 'Pretražite pakete',
+ packageSearchResults: 'Rezultati za',
+ packageNoResults: 'Nismo mogli pronaći ništa za',
+ packageNoResultsDescription: 'Pokušajte potražiti drugi paket ili pregledajte kategorije\n ',
+ packagesPopular: 'Popularno',
+ packagesPromoted: 'Promocije',
+ packagesNew: 'Nova izdanja',
+ packageHas: 'ima',
+ packageKarmaPoints: 'karma bodovi',
+ packageInfo: 'Informacije',
+ packageOwner: 'Vlasnik',
+ packageContrib: 'Suradnici',
+ packageCreated: 'Kreirano',
+ packageCurrentVersion: 'Trenutna verzija',
+ packageNetVersion: '.NET verzija',
+ packageDownloads: 'Preuzimanja',
+ packageLikes: 'Lajkovi',
+ packageCompatibility: 'Kompatibilnost',
+ packageCompatibilityDescription:
+ 'Ovaj paket je kompatibilan sa sljedećim verzijama Umbraco-a, kako su\n prijavili članovi zajednice. Potpuna kompatibilnost se ne može garantirati za dolje navedene verzije 100%\n ',
+ packageExternalSources: 'Vanjske poveznice',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Dokumentacija',
+ packageMetaData: 'Meta podaci paketa',
+ packageName: 'Naziv paketa',
+ packageNoItemsHeader: 'Paket ne sadrži nikakve stavke',
+ packageNoItemsText:
+ 'Ovaj paket ne sadrži nijednu stavku za deinstalaciju.
\n Ovo možete bezbjedno ukloniti iz sistema klikom na "deinstaliraj paket".',
+ packageOptions: 'Opcije paketa',
+ packageMigrationsRun: 'Pokrenite migracije paketa na čekanju',
+ packageReadme: 'Readme paketa',
+ packageRepository: 'Repozitorij paketa',
+ packageUninstallConfirm: 'Potvrdi deinstalaciju paketa',
+ packageUninstalledHeader: 'Paket je deinstaliran',
+ packageUninstalledText: 'Paket je uspješno deinstaliran',
+ packageUninstallHeader: 'Deinstaliraj paket',
+ packageUninstallText:
+ 'U nastavku možete poništiti odabir stavki koje trenutno ne želite ukloniti. Kada kliknete na "potvrdi deinstalaciju" sve označene stavke će biti uklonjene. \n Bilješka: svi dokumenti, mediji itd. u zavisnosti od stavki koje uklonite, prestat će raditi i mogu dovesti do nestabilnosti sistema,\n pa deinstalirajte sa oprezom. Ako ste u nedoumici, kontaktirajte autora paketa.',
+ packageVersion: 'Verzija paketa',
+ verifiedToWorkOnUmbracoCloud: 'Provjereno za rad na Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'Zalijepi s punim formatiranjem (nije preporučljivo)',
+ errorMessage:
+ 'Tekst koji pokušavate zalijepiti sadrži posebne znakove ili formatiranje. Ovo bi moglo biti\n uzrokovano kopiranjem teksta iz programa Microsoft Word. Umbraco može automatski ukloniti posebne znakove ili formatiranje, tako da\n zalijepljeni sadržaj će biti prikladniji za web.\n ',
+ removeAll: 'Zalijepite kao običan tekst bez ikakvog oblikovanja',
+ removeSpecialFormattering: 'Zalijepi, ali ukloni oblikovanje (preporučeno)',
+ },
+ publicAccess: {
+ paGroups: 'Grupna zaštita',
+ paGroupsHelp: 'Ako želite dodijeliti pristup svim članovima određenih grupa članova',
+ paGroupsNoGroups: 'Morate kreirati grupu članova prije nego što možete koristiti grupnu autentifikaciju',
+ paErrorPage: 'Stranica sa greškom',
+ paErrorPageHelp: 'Koristi se kada su ljudi prijavljeni, ali nemaju pristup',
+ paHowWould: 'Odaberite kako ograničiti pristup stranici %0%',
+ paIsProtected: '%0% je sada zaštićen',
+ paIsRemoved: 'Zaštita uklonjena sa %0%',
+ paLoginPage: 'Stranica za prijavu',
+ paLoginPageHelp: 'Odaberite stranicu koja sadrži obrazac za prijavu',
+ paRemoveProtection: 'Uklonite zaštitu...',
+ paRemoveProtectionConfirm: 'Jeste li sigurni da želite ukloniti zaštitu sa stranice %0%?',
+ paSelectPages: 'Odaberite stranice koje sadrže obrazac za prijavu i poruke o greškama',
+ paSelectGroups: 'Odaberite grupe koje imaju pristup stranici %0%',
+ paSelectMembers: 'Odaberite članove koji imaju pristup stranici %0%',
+ paMembers: 'Posebna zaštita članova',
+ paMembersHelp: 'Ako želite dati pristup određenim članovima',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% nije mogao biti objavljen jer je stavka zakazana za objavu.\n ',
+ contentPublishedFailedExpired: '\n %0% nije mogao biti objavljen jer je stavka istekla.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% nije moglo biti objavljeno jer ova svojstva: %1% nisu prošla pravila validacije.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% nije mogao biti objavljen, dodatak treće strane je otkazao radnju.\n ',
+ contentPublishedFailedByParent:
+ '\n %0% ne može biti objavljena, jer roditeljska stranica nije objavljena.\n ',
+ contentPublishedFailedByMissingName: '%0% ne može se objaviti jer mu nedostaje ime.',
+ includeUnpublished: 'Uključite neobjavljene podstranice',
+ inProgress: 'Objavljivanje u toku - molimo pričekajte...',
+ inProgressCounter: '%0% od %1% stranica je objavljeno...',
+ nodePublish: '%0% je objavljeno',
+ nodePublishAll: '%0% i objavljene su podstranice',
+ publishAll: 'Objavi %0% i sve njegove podstranice',
+ publishHelp:
+ 'Pritisni Objavi za objavu %0% i na taj način svoj sadržaj učiniti javno dostupnim.
\n Ovu stranicu i sve njene podstranice možete objaviti odabirom Uključi neobjavljene podstranice.\n ',
+ },
+ colorpicker: {
+ noColors: 'Niste konfigurirali nijednu odobrenu boju',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Možete odabrati samo stavke vrste: %0%',
+ pickedTrashedItem: 'Odabrali ste stavku sadržaja koja je trenutno obrisana ili je u košu za smeće',
+ pickedTrashedItems: 'Odabrali ste stavke sadržaja koje su trenutno obrisane ili su u košu za smeće',
+ specifyPickerRootTitle: 'Odredite korijen',
+ defineRootNode: 'Odaberite čvor korijena',
+ defineXPathOrigin: 'Odredite korijen preko XPath',
+ defineDynamicRoot: 'Odredite Dinamički Korijen',
+ configurationStartNodeTitle: 'Početni čvor',
+ configurationXPathTitle: 'XPath Upit',
+ },
+ dynamicRoot: {
+ configurationTitle: 'Dinamički korijenski upit',
+ pickDynamicRootOriginTitle: 'Odabir podrijetla',
+ pickDynamicRootOriginDesc: 'Definirajte podrijetlo za svoj dinamički korijenski upit',
+ originRootTitle: 'Korijen',
+ originRootDesc: 'Korijenski čvor ove sesije uređivanja',
+ originParentTitle: 'Roditelj',
+ originParentDesc: 'Čvor izvora u ovoj sesiji uređivanja',
+ originCurrentTitle: 'Trenutni',
+ originCurrentDesc: 'Čvor sadržaja koji je izvor za ovu sesiju uređivanja',
+ originSiteTitle: 'Web stranica',
+ originSiteDesc: 'Pronađi najbliži čvor s imenom računala (hostname)',
+ originByKeyTitle: 'Specifični čvor',
+ originByKeyDesc: 'Odaberite određeni čvor kao podrijetlo za ovaj upit',
+ pickDynamicRootQueryStepTitle: 'Dodaj korak upitu',
+ pickDynamicRootQueryStepDesc: 'Definirajte sljedeći korak svog dinamičkog korijenskog upita',
+ queryStepNearestAncestorOrSelfTitle: 'Najbliži predak ili sam',
+ queryStepNearestAncestorOrSelfDesc:
+ 'Upitajte najbližeg pretka ili samog sebe koji odgovara jednom od konfiguriranih vrsta',
+ queryStepFurthestAncestorOrSelfTitle: 'Najudaljeniji predak ili sam',
+ queryStepFurthestAncestorOrSelfDesc:
+ 'Upitajte najudaljenijeg pretka ili samog sebe koji odgovara jednom od konfiguriranih vrsta',
+ queryStepNearestDescendantOrSelfTitle: 'Najbliži potomak ili sam',
+ queryStepNearestDescendantOrSelfDesc:
+ 'Upitajte najbližeg potomka ili samog sebe koji odgovara jednom od konfiguriranih vrsta',
+ queryStepFurthestDescendantOrSelfTitle: 'Najudaljeniji potomak ili sam',
+ queryStepFurthestDescendantOrSelfDesc:
+ 'Upitajte najudaljenijeg potomka ili samog sebe koji odgovara jednom od konfiguriranih vrsta',
+ queryStepCustomTitle: 'Prilagođeno',
+ queryStepCustomDesc: 'Upitajte pomoću prilagođenog koraka upita',
+ addQueryStep: 'Dodaj korak upitu',
+ queryStepTypes: 'Koji odgovara vrstama: ',
+ noValidStartNodeTitle: 'Nema podudaranja sadržaja',
+ noValidStartNodeDesc:
+ 'Konfiguracija ove osobine ne odgovara nijednom sadržaju. Stvorite nedostajući sadržaj ili se obratite administratoru kako biste prilagodili postavke dinamičkog korijena za ovu osobinu.',
+ },
+ mediaPicker: {
+ deletedItem: 'Izbrisana stavka',
+ pickedTrashedItem: 'Odabrali ste medijsku stavku koja je trenutno obrisana ili je u košu za smeće',
+ pickedTrashedItems: 'Odabrali ste medijske stavke koje su trenutno obrisane ili su u košu za smeće',
+ trashed: 'Otpad',
+ openMedia: 'Otvorite u biblioteci medija',
+ changeMedia: 'Promjena medijske stavke',
+ editMediaEntryLabel: 'Uredi %0% od %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Odbaci kreiranje?',
+ confirmCancelMediaEntryCreationMessage: 'Jeste li sigurni da želite otkazati kreiranje.',
+ confirmCancelMediaEntryHasChanges:
+ 'Izmijenili ste ovaj sadržaj. Jeste li sigurni da ga želite\n odbaciti?\n ',
+ confirmRemoveAllMediaEntryMessage: 'Uklonite sve medije?',
+ tabClipboard: 'Međuspremnik',
+ notAllowed: 'Nije dozvoljeno',
+ openMediaPicker: 'Otvorite odabir medija',
+ },
+ relatedlinks: {
+ enterExternal: 'unesite vanjski link',
+ chooseInternal: 'izaberite internu stranicu',
+ caption: 'Naslov',
+ link: 'Link',
+ newWindow: 'Otvori u novom prozoru',
+ captionPlaceholder: 'unesite natpis na ekranu',
+ externalLinkPlaceholder: 'Unesite link',
+ },
+ imagecropper: {
+ reset: 'Resetirajte izrezivanje',
+ updateEditCrop: 'Gotovo',
+ undoEditCrop: 'Poništi izmjene',
+ customCrop: 'Korisnički definirano',
+ },
+ rollback: {
+ changes: 'Promjene',
+ created: 'Kreirano',
+ currentVersion: 'Trenutna verzija',
+ diffHelp:
+ 'Ovo pokazuje razlike između trenutne verzije i odabrane verzije Crveni tekst bit će uklonjen u odabranoj verziji, zeleni tekst će biti dodan',
+ noDiff: 'Nema razlike između trenutne verzije i odabrane verzije',
+ documentRolledBack: 'Dokument je vraćen',
+ headline: 'Odaberite verziju koju želite usporediti sa trenutnom verzijom',
+ htmlHelp:
+ 'Ovo prikazuje odabranu verziju kao HTML, ako želite vidjeti razliku između dvije\n verzije u isto vrijeme, koristite prikaz diff\n ',
+ rollbackTo: 'Vratite se na',
+ selectVersion: 'Odaberite verziju',
+ view: 'Prikaz',
+ },
+ scripts: {
+ editscript: 'Uredite datoteku skripte',
+ },
+ sections: {
+ concierge: 'Portirnica',
+ content: 'Sadržaj',
+ courier: 'Kurir',
+ developer: 'Developer',
+ forms: 'Forme',
+ help: 'Pomoć',
+ installer: 'Umbraco Konfiguracijski Čarobnjak',
+ media: 'Mediji',
+ member: 'Članovi',
+ newsletters: 'Newsletteri',
+ packages: 'Paketi',
+ marketplace: 'Marketplace',
+ settings: 'Postavke',
+ statistics: 'Statistika',
+ translation: 'Prijevodi',
+ users: 'Korisnici',
+ },
+ help: {
+ tours: 'Ture',
+ theBestUmbracoVideoTutorials: 'Najbolji Umbraco video tutorijali',
+ umbracoForum: 'Posjetite our.umbraco.com',
+ umbracoTv: 'Posjetite umbraco.tv',
+ umbracoLearningBase: 'Pogledajte naše besplatne video tutorijale',
+ umbracoLearningBaseDescription: 'na Umbraco Learning Base',
+ },
+ settings: {
+ defaulttemplate: 'Zadani predložak',
+ importDocumentTypeHelp:
+ 'Da biste uvezli vrstu dokumenta, pronađite ".udt" datoteku na svom računalu klikom na\n gumb "Uvezi" (na sljedećem ekranu će se tražiti da potvrdite)\n ',
+ newtabname: 'Naslov nove kartice',
+ nodetype: 'Vrsta čvora',
+ objecttype: 'Vrsta',
+ stylesheet: 'Stilovi',
+ script: 'Skripte',
+ tab: 'Kartica',
+ tabname: 'Naslov kartice',
+ tabs: 'Kartice',
+ contentTypeEnabled: 'Glavna vrsta sadržaja je omogućena',
+ contentTypeUses: 'Ova vrsta sadržaja koristi',
+ noPropertiesDefinedOnTab:
+ 'Nema definiranih svojstava na ovoj kartici. Kliknite na vezu "dodaj novu nekretninu" na\n vrh za kreiranje novog svojstva.\n ',
+ createMatchingTemplate: 'Kreirajte odgovarajući predložak',
+ addIcon: 'Dodaj ikonu',
+ },
+ sort: {
+ sortOrder: 'Redoslijed sortiranja',
+ sortCreationDate: 'Datum kreiranja',
+ sortDone: 'Sortiranje završeno.',
+ sortHelp:
+ 'Povucite različite stavke gore ili dolje ispod da postavite kako bi trebale biti raspoređene. Ili kliknite na\n zaglavlja kolona za sortiranje cijele kolekcije stavki\n ',
+ sortPleaseWait: 'Pričekajte. Stavke se sortiraju, ovo može potrajati.',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validacija',
+ validationFailedMessage: 'Greške u validaciji moraju biti ispravljene prije nego što se stavka može spremiti',
+ operationFailedHeader: 'Nije uspjelo',
+ operationSavedHeader: 'Spremljeno',
+ invalidUserPermissionsText: 'Nedovoljne korisničke dozvole, operacija se ne može dovršiti',
+ operationCancelledHeader: 'Otkazano',
+ operationCancelledText: 'Operaciju je otkazao dodatak treće strane',
+ folderUploadNotAllowed: 'Ova datoteka se učitava kao dio fasckile, ali kreiranje nove mape ovdje nije dozvoljeno',
+ folderCreationNotAllowed: 'Kreiranje nove mape ovdje nije dozvoljeno',
+ contentPublishedFailedByEvent: 'Objavljivanje je otkazao dodatak treće strane',
+ contentTypeDublicatePropertyType: 'Vrsta svojstva već postoji',
+ contentTypePropertyTypeCreated: 'Vrsta svojstva kreirana',
+ contentTypePropertyTypeCreatedText: 'Naziv: %0% Vrsta podatka: %1%',
+ contentTypePropertyTypeDeleted: 'Vrsta svojstva obrisana',
+ contentTypeSavedHeader: 'Vrsta dokumenta spremljena',
+ contentTypeTabCreated: 'Kartica kreirana',
+ contentTypeTabDeleted: 'Kartica je obrisana',
+ contentTypeTabDeletedText: 'Kartica sa id-em: %0% je obrisana',
+ cssErrorHeader: 'Stilovi nisu spremljeni',
+ cssSavedHeader: 'Stilovi spremljeni',
+ cssSavedText: 'Stilovi spremljeni bez ikakvih grešaka',
+ dataTypeSaved: 'Vrsta podatka spremljena',
+ dictionaryItemSaved: 'Stavka riječnika je spremljena',
+ editContentPublishedFailedByParent: 'Objavljivanje nije uspjelo jer nadređena stranica nije objavljena',
+ editContentPublishedHeader: 'Sadržaj objavljen',
+ editContentPublishedText: 'i vidljivo na web stranici',
+ editBlueprintSavedHeader: 'Predložak sadržaja je spremljen',
+ editBlueprintSavedText: 'Promjene su uspješno spremljene',
+ editContentSavedHeader: 'Sadržaj spremljen',
+ editContentSavedText: 'Ne zaboravite objaviti da promjene budu vidljive',
+ editContentSendToPublish: 'Poslano na odobrenje',
+ editContentSendToPublishText: 'Promjene su poslane na odobrenje',
+ editMediaSaved: 'Medij spremljen',
+ editMediaSavedText: 'Medij spremljen bez ikakvih grešaka',
+ editMemberSaved: 'Član spremljen',
+ editStylesheetPropertySaved: 'Svojstvo stilova spremljeno',
+ editStylesheetSaved: 'Stilovi spremljeni',
+ editTemplateSaved: 'Predložak spremljen',
+ editUserError: 'Greška pri spremanju korisnika (provjerite log zapis)',
+ editUserSaved: 'Korisnik spremljen',
+ editUserTypeSaved: 'Vrsta korisnika spremljena',
+ editUserGroupSaved: 'Grupa korisnika spremljena',
+ editCulturesAndHostnamesSaved: 'Kulture i imena hostova su spremljeni',
+ editCulturesAndHostnamesError: 'Greška pri spremanju kultura i imena hostova',
+ fileErrorHeader: 'Datoteka nije spremljena',
+ fileErrorText: 'Datoteka nije mogla biti spremljena. Molimo provjerite dozvole za datoteke',
+ fileSavedHeader: 'Datoteke spremljene',
+ fileSavedText: 'Datoteka spremljena bez ikakvih grešaka',
+ languageSaved: 'Jezik spremljen',
+ mediaTypeSavedHeader: 'Vrsta medija spremljena',
+ memberTypeSavedHeader: 'Vrsta člana spremljena',
+ memberGroupSavedHeader: 'Grupa članova spremljena',
+ memberGroupNameDuplicate: 'Druga grupa članova sa istim imenom već postoji',
+ templateErrorHeader: 'Predložak nije spremljen',
+ templateErrorText: 'Uvjerite se da nemate 2 predloška sa istim aliasom',
+ templateSavedHeader: 'Predložak spremljen',
+ templateSavedText: 'Predložak spremljen bez ikakvih grešaka!',
+ contentUnpublished: 'Sadržaj nije objavljen',
+ partialViewSavedHeader: 'Parcijalni prikaz spremljen',
+ partialViewSavedText: 'Parcijalni prikaz spremljen bez ikakvih grešaka!',
+ partialViewErrorHeader: 'Parcijalni prikaz nije spremljen',
+ partialViewErrorText: 'Došlo je do greške prilikom spremanja datoteke.',
+ permissionsSavedFor: 'Dozvole su spremljene za',
+ deleteUserGroupsSuccess: 'Izbrisano je %0% grupa korisnika',
+ deleteUserGroupSuccess: '%0% je obrisano',
+ enableUsersSuccess: 'Omogućeno %0% korisnika',
+ disableUsersSuccess: 'Onemogućeno %0% korisnika',
+ enableUserSuccess: '%0% je sada omogućen',
+ disableUserSuccess: '%0% je sada onemogućen',
+ setUserGroupOnUsersSuccess: 'Grupe korisnika su postavljene',
+ unlockUsersSuccess: 'Otključano %0% korisnika',
+ unlockUserSuccess: '%0% je sada otključan',
+ memberExportedSuccess: 'Član je izvezen u datoteku',
+ memberExportedError: 'Došlo je do greške prilikom izvoza člana',
+ deleteUserSuccess: 'Korisnik %0% je obrisan',
+ resendInviteHeader: 'Pozovi korisnika',
+ resendInviteSuccess: 'Pozivnica je ponovo poslana na %0%',
+ documentTypeExportedSuccess: 'Vrsta dokumenta je izvezena u datoteku',
+ documentTypeExportedError: 'Došlo je do greške prilikom izvoza vrste dokumenta',
+ dictionaryItemExportedSuccess: 'Stavke iz riječnika su izvezene u datoteku',
+ dictionaryItemExportedError: 'Došlo je do greške prilikom izvoza stavki rječnika',
+ dictionaryItemImported: 'Sljedeće stavke iz rječnika su uvezene!',
+ publishWithNoDomains:
+ 'Domene nisu konfigurirane za višejezične stranice, molimo kontaktirajte administratora,\n pogledajte log zapise za više informacija\n ',
+ publishWithMissingDomain: 'Nijedna domena nije konfigurirana za %0%, molimo kontaktirajte administratora',
+ copySuccessMessage: 'Vaše sistemske informacije su uspješno kopirane u međuspremnik',
+ cannotCopyInformation: 'Nije moguće kopirati vaše sistemske informacije u međuspremnik',
+ webhookSaved: 'Webhook spremljen',
+ },
+ stylesheet: {
+ addRule: 'Dodaj stil',
+ editRule: 'Uredi stil',
+ editorRules: 'Stilovi za uređivanje bogatog teksta',
+ editorRulesHelp:
+ 'Definirajte stilove koji bi trebali biti dostupni u uređivaču obogaćenog teksta za ove\n\t stilove\n ',
+ editstylesheet: 'Uredi stilove',
+ editstylesheetproperty: 'Uredi svojstvo stilova',
+ nameHelp: 'Ime prikazano u uređivaču odabira stilova',
+ preview: 'Pregled',
+ previewHelp: 'Kako će tekst izgledati u uređivaču obogaćenog teksta.',
+ selector: 'Selektor',
+ selectorHelp: 'Koristite CSS sintaksu, npr. "h1" ili ".redHeader"',
+ styles: 'Stilovi',
+ stylesHelp: 'CSS koji treba primijeniti u uređivaču obogaćenog teksta, npr. "color:red;"',
+ tabCode: 'Kod',
+ tabRules: 'Uređivač',
+ },
+ template: {
+ runtimeModeProduction: 'Sadržaj se ne može uređivati kada se koristi način rada Produkcija.',
+ deleteByIdFailed: 'Brisanje predloška sa ID-om %0% nije uspjelo',
+ edittemplate: 'Uredi predložak',
+ insertSections: 'Sekcije',
+ insertContentArea: 'Umetnite područje sadržaja',
+ insertContentAreaPlaceHolder: 'Umetnite čuvara mjesta u području sadržaja',
+ insert: 'Umetni',
+ insertDesc: 'Odaberite što ćete umetnuti u svoj predložak',
+ insertDictionaryItem: 'Stavka iz rječnika',
+ insertDictionaryItemDesc:
+ 'Stavka rječnika je čuvar mjesta za prevodljiv dio teksta, koji\n olakšava kreiranje dizajna za višejezične web stranice.\n ',
+ insertMacro: 'Makro',
+ insertMacroDesc:
+ '\n Makro je komponenta koja se može konfigurirati i odlična je za\n višenamjenske dijelove vašeg dizajna, gdje vam je potrebna opcija za pružanje parametara,\n kao što su galerije, obrasci i liste.\n ',
+ insertPageField: 'Vrijednost',
+ insertPageFieldDesc:
+ 'Prikazuje vrijednost polja sa trenutne stranice po aliasu s opcijama za izmjenu vrijednosti ili povratak na alternativne vrijednosti.',
+ insertPartialView: 'Parcijalni prikaz',
+ insertPartialViewDesc:
+ '\n Parcijalni prikaz je zasebna datoteka predloška koja se može prikazati unutar drugog\n predložka, odličan je za ponovnu upotrebu markupa ili za odvajanje složenih predložaka u zasebne datoteke.\n ',
+ mastertemplate: 'Glavni predložak',
+ noMaster: 'Nema glavnog predloška',
+ renderBody: 'Renderirajte podređeni predložak',
+ renderBodyDesc:
+ '\n Renderira sadržaj podređenog predloška, umetanjem\n @RenderBody().\n ',
+ defineSection: 'Definirajte imenovanu sekciju',
+ defineSectionDesc:
+ '\n Definira dio vašeg predloška kao imenovanu sekciju tako što ga umotava\n @section { ... }. Ovo se može prikazati u\n određenom području nadređenog predloška, koristeći @RenderSection.\n ',
+ renderSection: 'Renderirajte imenovanu sekciju',
+ renderSectionDesc:
+ '\n Renderira imenovano područje podređenog predloška, umetanjem @RenderSection(name).\n Ovo prikazuje područje podređenog predloška koje je umotano u odgovarajuću @section [name]{ ... } definiciju.\n ',
+ sectionName: 'Naziv sekcije',
+ sectionMandatory: 'Sekcija je obavezna',
+ sectionMandatoryDesc:
+ '\n Ako je obavezno, podređeni predložak mora sadržavati @section, u suprotnom se prikazuje greška.\n ',
+ queryBuilder: 'Generiranje upita',
+ itemsReturned: 'stavaka vraćeno, u',
+ iWant: 'Želim',
+ allContent: 'sav sadržaj',
+ contentOfType: 'sadržaj vrste "%0%"',
+ from: 'sa',
+ websiteRoot: 'moje web stranice',
+ where: 'gdje',
+ and: 'i',
+ is: 'je',
+ isNot: 'nije',
+ before: 'prije',
+ beforeIncDate: 'prije (uključujući odabrani datum)',
+ after: 'poslije',
+ afterIncDate: 'poslije (uključujući odabrani datum)',
+ equals: 'jednako',
+ doesNotEqual: 'nije jednako',
+ contains: 'sadrži',
+ doesNotContain: 'ne sadrži',
+ greaterThan: 'veće od',
+ greaterThanEqual: 'veće ili jednako',
+ lessThan: 'manje od',
+ lessThanEqual: 'manje ili jednako',
+ id: 'Id',
+ name: 'Naziv',
+ createdDate: 'Kreirano',
+ lastUpdatedDate: 'Ažurirano',
+ orderBy: 'poredaj po',
+ ascending: 'uzlazno',
+ descending: 'silazno',
+ template: 'Predložak',
+ },
+ grid: {
+ media: 'Slika',
+ macro: 'Makro',
+ insertControl: 'Odaberite vrstu sadržaja',
+ chooseLayout: 'Odaberite izgled',
+ addRows: 'Dodaj redak',
+ addElement: 'Dodaj sadržaj',
+ dropElement: 'Ispusti sadržaj',
+ settingsApplied: 'Postavke su primijenjene',
+ contentNotAllowed: 'Ovaj sadržaj ovdje nije dozvoljen',
+ contentAllowed: 'Ovaj sadržaj je ovdje dozvoljen',
+ clickToEmbed: 'Kliknite za ugradnju',
+ clickToInsertImage: 'Kliknite da umetnete sliku',
+ clickToInsertMacro: 'Kliknite da umetnete makro',
+ placeholderWriteHere: 'Pišite ovdje...',
+ gridLayouts: 'Raspored mreže',
+ gridLayoutsDetail:
+ 'Izgledi su cjelokupno radno područje za uređivač mreže, obično vam je potreban samo jedan ili\n dva različita izgleda\n ',
+ addGridLayout: 'Dodajte raspored mreže',
+ editGridLayout: 'Uredite raspored mreže',
+ addGridLayoutDetail: 'Prilagodite izgled postavljanjem širine kolona i dodavanjem dodatnih odjeljaka',
+ rowConfigurations: 'Konfiguracije redova',
+ rowConfigurationsDetail: 'Redovi su predefinirani za raspored vodoravno',
+ addRowConfiguration: 'Dodajte konfiguraciju reda',
+ editRowConfiguration: 'Uredite konfiguraciju reda',
+ addRowConfigurationDetail: 'Podesite red postavljanjem širine ćelija i dodavanjem dodatnih ćelija',
+ noConfiguration: 'Nije dostupna dodatna konfiguracija',
+ columns: 'Kolone',
+ columnsDetails: 'Ukupan kombinirani broj kolona u rasporedu mreže',
+ settings: 'Postavke',
+ settingsDetails: 'Konfigurirajte koje postavke urednici mogu promijeniti',
+ styles: 'Stilovi',
+ stylesDetails: 'Konfigurirajte šta uređivači stilova mogu promijeniti',
+ allowAllEditors: 'Dozvoli svim urednicima',
+ allowAllRowConfigurations: 'Dozvoli sve konfiguracije redaka',
+ maxItems: 'Maksimalan broj stavki',
+ maxItemsDescription: 'Ostavite prazno ili postavite na 0 za neograničeno',
+ setAsDefault: 'Postavi kao zadano',
+ chooseExtra: 'Odaberite extra',
+ chooseDefault: 'Odaberite zadano',
+ areAdded: 'su dodani',
+ warning: 'Upozorenje',
+ warningText:
+ '
Promjena imena konfiguracije reda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji se temelji na ovoj konfiguraciji.
Izmjena samo oznake neće rezultirati gubitkom podataka.
',
+ youAreDeleting: 'Brišete konfiguraciju reda',
+ deletingARow:
+ '\n Brisanje imena konfiguracije reda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan na ovome\n konfiguraciju.\n ',
+ deleteLayout: 'Brišete izgled',
+ deletingALayout:
+ 'Izmjena izgleda će rezultirati gubitkom podataka za bilo koji postojeći sadržaj koji je zasnovan\n na ovoj konfiguraciji.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Kompozicije',
+ group: 'Grupa',
+ noGroups: 'Niste dodali nijednu grupu',
+ addGroup: 'Dodaj grupu',
+ inheritedFrom: 'Naslijeđeno od',
+ addProperty: 'Dodaj svojstvo',
+ requiredLabel: 'Obavezna oznaka',
+ enableListViewHeading: 'Omogući prikaz liste',
+ enableListViewDescription:
+ 'Konfigurira stavku sadržaja da prikaže njenu listu koja se može sortirati i pretraživati djecu, djeca neće biti prikazana u stablu\n ',
+ allowedTemplatesHeading: 'Dozvoljeni predlošci',
+ allowedTemplatesDescription: 'Odaberite koje predloške urednici mogu koristiti na sadržaju ove vrste\n ',
+ allowAsRootHeading: 'Dozvoli kao korijen',
+ allowAsRootDescription: 'Dozvolite urednicima da kreiraju sadržaj ove vrste u korijenu stabla sadržaja.\n ',
+ childNodesHeading: 'Dozvoljene vrste podređenih čvorova',
+ childNodesDescription: 'Dozvolite da se sadržaj navedenih vrsta kreira ispod sadržaja ove vrste.\n ',
+ chooseChildNode: 'Odaberite podređeni čvor',
+ compositionsDescription:
+ 'Naslijediti kartice i svojstva iz postojeće vrste dokumenta. Nove kartice bit će\n dodane trenutnoj vrsti dokumenta ili spojene ako postoji kartica s identičnim imenom.\n ',
+ compositionInUse: 'Ova vrsta sadržaja se koristi u kompoziciji i stoga se ne može sam sastaviti.\n ',
+ noAvailableCompositions: 'Nema dostupnih vrsta sadržaja za upotrebu kao kompozicija.',
+ compositionRemoveWarning:
+ 'Uklanjanje kompozicije će obrisati sve povezane podatke o svojstvu. Jednom kada spremite vrstu dokumenta, nema povratka.\n ',
+ availableEditors: 'Napravi novi',
+ reuse: 'Koristite postojeće',
+ editorSettings: 'Postavke urednika',
+ configuration: 'Konfiguracija',
+ yesDelete: 'Da, izbriši',
+ movedUnderneath: 'je premještena ispod',
+ copiedUnderneath: 'je kopirano ispod',
+ folderToMove: 'Odaberite mapu za premještanje',
+ folderToCopy: 'Odaberite mapu za kopiranje',
+ structureBelow: 'do u strukturi stabla ispod',
+ allDocumentTypes: 'Sve vrste dokumenata',
+ allDocuments: 'Svi dokumenti',
+ allMediaItems: 'Sve medijske stavke',
+ usingThisDocument:
+ 'korištenje ove vrste dokumenta bit će trajno izbrisano, potvrdite da želite obrisati ove također.',
+ usingThisMedia:
+ 'korištenje ove vrste medija će biti trajno izbrisano, potvrdite da želite obrisati ove također.\n ',
+ usingThisMember: 'korištenje ove vrste člana će biti trajno izbrisano, potvrdite da želite obrisati ove također',
+ andAllDocuments: 'i svi dokumenti koji koriste ovu vrstu',
+ andAllMediaItems: 'i sve medijske stavke koje koriste ovu vrstu',
+ andAllMembers: 'i svi članovi koji koriste ovu vrstu',
+ memberCanEdit: 'Član može uređivati',
+ memberCanEditDescription: 'Dozvolite da ovu vrijednost svojstva da uređuje član na svojoj stranici profila',
+ isSensitiveData: 'Osjetljivi podaci',
+ isSensitiveDataDescription:
+ 'Sakrij ovu vrijednost svojstva od urednika sadržaja koji nemaju pristup pregledu osjetljive informacije',
+ showOnMemberProfile: 'Prikaži na profilu člana',
+ showOnMemberProfileDescription: 'Dozvolite da se ova vrijednost svojstva prikaže na stranici profila člana',
+ tabHasNoSortOrder: 'kartica nema redoslijed sortiranja',
+ compositionUsageHeading: 'Gdje se koristi ovaj sastav?',
+ compositionUsageSpecification: 'Ovaj sastav se trenutno koristi u sastavu sljedećih\n vrsta sadržaja:\n ',
+ variantsHeading: 'Dozvoli varijacije',
+ cultureVariantHeading: 'Dozvolite varirati u zavisnosti od kulture',
+ segmentVariantHeading: 'Dozvoli segmentaciju',
+ cultureVariantLabel: 'Varijacije po kulturi',
+ segmentVariantLabel: 'Varijacije po segmentima',
+ variantsDescription: 'Dozvolite urednicima da kreiraju sadržaj ove vrste na različitim jezicima.',
+ cultureVariantDescription: 'Dozvolite urednicima da kreiraju sadržaj na različitim jezicima.',
+ segmentVariantDescription: 'Dozvolite urednicima da kreiraju segmente ovog sadržaja.',
+ allowVaryByCulture: 'Dozvolite varijaciju po kulturi',
+ allowVaryBySegment: 'Dozvoli segmentaciju',
+ elementType: 'Vrsta elementa',
+ elementHeading: 'Da li je vrste elementa',
+ elementDescription:
+ 'Vrsta elementa je namijenjena za korištenje na primjer u ugniježenom sadržaju, a ne u stablu.\n ',
+ elementCannotToggle:
+ 'Vrsta dokumenta se ne može promijeniti u vrstu elementa nakon što je naviknut\n kreirati jednu ili više stavki sadržaja.\n ',
+ elementDoesNotSupport: 'Ovo nije primjenjivo za vrstu elementa',
+ propertyHasChanges: 'Napravili ste promjene on ovom svojstvu. Jeste li sigurni da ih želite odbaciti?',
+ displaySettingsHeadline: 'Izgled',
+ displaySettingsLabelOnTop: 'Oznaka iznad (puna širina)',
+ removeChildNode: 'Uklanjate podređeni čvor',
+ removeChildNodeWarning:
+ 'Uklanjanje podređenog čvora ograničit će opcije urednika da kreiraju drugačiju vrstu sadržaj ispod čvora.\n ',
+ usingEditor: 'korištenjem ovog uređivača bit će ažurirane nove postavke.',
+ historyCleanupHeading: 'Brisanje povijesti',
+ historyCleanupDescription: 'Dozvoli zaobilaženje postavki čišćenja globalne povijesti.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Neka sve verzije budu novije od dana',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Čuvajte najnoviju verziju po danu danima',
+ historyCleanupPreventCleanup: 'Spriječi čišćenje',
+ historyCleanupEnableCleanup: 'Omogući čišćenje',
+ historyCleanupGloballyDisabled:
+ 'BILJEŠKA! Čišćenje povijesnih verzija sadržaja onemogućeno je globalno. Ove postavke neće stupiti na snagu prije nego što se omogući.',
+ changeDataTypeHelpText:
+ 'Promjena vrste podatka sa spremljenim vrijednostima je onemogućena. Da bi omogućili promjenu, možete promijeniti Umbraco:CMS:DataTypes:CanBeChanged postavku u appsettings.json.',
+ },
+ webhooks: {
+ addWebhook: 'Kreiraj webhook',
+ addWebhookHeader: 'Dodaj webhook zaglavlje',
+ addDocumentType: 'Dodaj Vrstu Dokumenta',
+ addMediaType: 'Dodaj Vrstu Medija',
+ createHeader: 'Kreiraj zaglavlje',
+ deliveries: 'Isporuke',
+ noHeaders: 'Nijedno webhook zaglavlje nije dodano',
+ noEventsFound: 'Nema pronađenih događaja.',
+ enabled: 'Omogućeno',
+ events: 'Događanja',
+ event: 'Događaj',
+ url: 'Url',
+ types: 'Vrste',
+ webhookKey: 'Webhook key',
+ retryCount: 'Broj pokušaja',
+ },
+ languages: {
+ addLanguage: 'Dodaj jezik',
+ culture: 'ISO kod',
+ mandatoryLanguage: 'Obavezan jezik',
+ mandatoryLanguageHelp: 'Svojstva na ovom jeziku moraju biti popunjena prije nego što se čvor može objaviti.\n ',
+ defaultLanguage: 'Zadani jezik',
+ defaultLanguageHelp: 'Umbraco stranica može imati samo jedan zadani jezik.',
+ changingDefaultLanguageWarning: 'Promjena zadanog jezika može rezultirati nedostatkom zadanog sadržaja.',
+ fallsbackToLabel: 'Vraća se na',
+ noFallbackLanguageOption: 'Nema zamjenskog jezika',
+ fallbackLanguageDescription:
+ 'Da se omogući višejezični sadržaj da se vrati na drugi jezik ako ne\n bude prisutan na traženom jeziku, odaberite ga ovdje.\n ',
+ fallbackLanguage: 'Zamjenski jezik',
+ none: 'niti jedan',
+ },
+ macro: {
+ addParameter: 'Dodaj parameter',
+ editParameter: 'Uredi parameter',
+ enterMacroName: 'Unesite naziv makroa',
+ parameters: 'Parametri',
+ parametersDescription: 'Definirajte parametre koji bi trebali biti dostupni kada koristite ovaj makro.',
+ selectViewFile: 'Odaberite parcijalni prikaz makro datoteke',
+ },
+ modelsBuilder: {
+ buildingModels: 'Kreiranje modela',
+ waitingMessage: 'ovo može potrajati, ne brinite',
+ modelsGenerated: 'Modeli generirani',
+ modelsGeneratedError: 'Modeli ne mogu biti generirani',
+ modelsExceptionInUlog: 'Generiranje modela nije uspjelo, pogledajte iznimku u log zapisima',
+ },
+ templateEditor: {
+ addDefaultValue: 'Dodajte zadanu vrijednost',
+ defaultValue: 'Zadana vrijednost',
+ alternativeField: 'Rezervno polje',
+ alternativeText: 'Zadana vrijednost',
+ casing: 'Veličina slova',
+ encoding: 'Kodiranje',
+ chooseField: 'Odaberite polje',
+ convertLineBreaks: 'Pretvorite prijelome redaka',
+ convertLineBreaksHelp: "Zamjenjuje prijelome reda sa 'br' html oznakom",
+ customFields: 'Prilagođena polja',
+ dateOnly: 'Samo datum',
+ formatAsDate: 'Formatiraj kao datum',
+ htmlEncode: 'Kodirati kao HTML',
+ htmlEncodeHelp: 'Zamijenit će specijalne znakove njihovim HTML ekvivalentom.',
+ insertedAfter: 'Bit će umetnuto iza vrednosti polja',
+ insertedBefore: 'Bit će umetnuto ispred vrednosti polja',
+ lowercase: 'Mala slova',
+ none: 'Nema',
+ outputSample: 'Izlazni uzorak',
+ postContent: 'Umetnuti nakon polja',
+ preContent: 'Umetnuti ispred polja',
+ recursive: 'Rekurzivno',
+ recursiveDescr: 'Da, neka bude rekurzivno',
+ standardFields: 'Standardna polja',
+ uppercase: 'Velika slova',
+ urlEncode: 'Kodirati kao URL',
+ urlEncodeHelp: 'Formatirat će posebne znakove u URL-ovima',
+ usedIfAllEmpty: 'Koristit će se samo kada su vrijednosti polja iznad prazne',
+ usedIfEmpty: 'Ovo polje će se koristiti samo ako je primarno polje prazno',
+ withTime: 'Datum i vrijeme',
+ },
+ translation: {
+ details: 'Detalji prijevoda',
+ DownloadXmlDTD: 'Preuzmi XML DTD',
+ fields: 'Polja',
+ includeSubpages: 'Uključi podstranice',
+ mailBody:
+ "\n Zdravo %0%\n\n Ovo je automatska pošta koja vas obavještava da je za\n\t dokument '%1%' zatražen prijevod na '%5%' od %2%.\n\n Idi na http://%3%/translation/details.aspx?id=%4% za uređivanje.\n\n Ili se prijavite na Umbraco da bi dobili pregled vaših zadataka za prijevod\n http://%3%\n\n Ugodan dan!\n Pozdrav od Umbraco robota\n ",
+ noTranslators:
+ 'Nije pronađen niti jedan korisnik prevoditelja. Molimo kreirajte korisnika prevoditelja prije nego počnete slati\n sadržaj u prijevod\n ',
+ pageHasBeenSendToTranslation: "Stranica '%0%' je poslana na prijevod",
+ sendToTranslate: "Pošaljite stranicu '%0%' na prijevod",
+ totalWords: 'Ukupno riječi',
+ translateTo: 'Prevedi na',
+ translationDone: 'Prijevod završen.',
+ translationDoneHelp: 'Možete pregledati stranice koje ste upravo preveli klikom ispod. ',
+ translationFailed: 'Prijevod nije uspio, XML datoteka je možda oštećena',
+ translationOptions: 'Opcije prevođenja',
+ translator: 'Prevoditelj',
+ uploadTranslationXml: 'Uvezite XML prijevod',
+ },
+ treeHeaders: {
+ content: 'Sadržaj',
+ contentBlueprints: 'Predlošci sadržaja',
+ media: 'Mediji',
+ cacheBrowser: 'Pretraživač predmemorije',
+ contentRecycleBin: 'Koš za smeće',
+ createdPackages: 'Kreirani paketi',
+ dataTypes: 'Vrste podataka',
+ dictionary: 'Riječnik',
+ installedPackages: 'Instalirani paketi',
+ installSkin: 'Instaliraj skin',
+ installStarterKit: 'Instaliraj starter kit',
+ languages: 'Jezici',
+ localPackage: 'Instaliraj lokalni paket',
+ macros: 'Makroi',
+ mediaTypes: 'Vrste medija',
+ member: 'Članovi',
+ memberGroups: 'Grupe članova',
+ memberRoles: 'Uloge članova',
+ memberTypes: 'Vrste članova',
+ documentTypes: 'Vrste dokumenata',
+ relationTypes: 'Vrste relacija',
+ packager: 'Paketi',
+ packages: 'Paketi',
+ partialViews: 'Parcijalni prikazi',
+ partialViewMacros: 'Parcijalni prikazi makro datoteka',
+ repositories: 'Instaliraj iz repozitorija',
+ runway: 'Instaliraj Runway',
+ runwayModules: 'Runway moduli',
+ scripting: 'Skripte',
+ scripts: 'Skripte',
+ stylesheets: 'Stilovi',
+ templates: 'Predlošci',
+ logViewer: 'Log preglednik',
+ users: 'Korisnici',
+ settingsGroup: 'Postavke',
+ templatingGroup: 'Predložak',
+ thirdPartyGroup: 'Treća strana',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'Postoji nova verzija',
+ updateDownloadText: '%0% je spremno, kliknite ovdje za preuzimanje',
+ updateNoServer: 'Veza sa serverom je prekinuta',
+ updateNoServerError: 'Pogreška prilikom provjeravanja ažuriranja. Za dodtne informacije provjerite trace-stack',
+ },
+ user: {
+ access: 'Pristup',
+ accessHelp: 'Na temelju dodijeljenih grupa i početnih čvorova, korisnik ima pristup sljedećim čvorovima\n ',
+ assignAccess: 'Dodijeli pristup',
+ administrators: 'Administrator',
+ categoryField: 'Polje kategorije',
+ createDate: 'Korisnik kreiran',
+ changePassword: 'Promijeni lozinku',
+ changePhoto: 'Promijeni sliku',
+ newPassword: 'Nova lozinka',
+ newPasswordFormatLengthTip: 'Najmanje %0% znakova!',
+ newPasswordFormatNonAlphaTip: 'Trebalo bi biti najmanje %0% specijalnih znakova.',
+ noLockouts: 'nije zaključan',
+ noPasswordChange: 'Lozinka nije promijenjena',
+ confirmNewPassword: 'Potvrdite novu lozinku',
+ changePasswordDescription:
+ 'Možete promijeniti svoju lozinku za pristup Umbraco Back Officeu tako da ispunite donji obrazac i kliknete gumb "Promjeni lozinku"',
+ contentChannel: 'Kanal sadržaja',
+ createAnotherUser: 'Kreiraj drugog korisnika',
+ createUserHelp:
+ 'Kreirajte nove korisnike kako biste im omogućili pristup Umbraco-u. Kada se kreira novi korisnik, stvorit će se lozinka koju možete podijeliti s korisnikom.\n ',
+ descriptionField: 'Polje kratkog opisa',
+ disabled: 'Onemogući korisnika',
+ documentType: 'Vrsta dokumenta',
+ editors: 'Urednik',
+ emailRequired: 'Obavezno - unesite email adresu za ovog korisnika',
+ excerptField: 'Polje izvoda',
+ failedPasswordAttempts: 'Neuspjeli pokušaji prijave',
+ goToProfile: 'Idite na korisnički profil',
+ groupsHelp: 'Dodajte grupe za dodjelu pristupa i dozvola',
+ inviteAnotherUser: 'Pozovite drugog korisnika',
+ inviteUserHelp:
+ 'Pozovite nove korisnike da im omogućite pristup Umbraco-u. Korisniku bit će poslan email s pozivnicom i informacijama o tome kako se prijaviti u Umbraco. Pozivnice traju 72 sata.\n ',
+ language: 'Jezik',
+ languageHelp: 'Postavite jezik koji ćete vidjeti u izbornicima i dijaloškim okvirima',
+ lastLockoutDate: 'Zadnji datum zaključavanja',
+ lastLogin: 'Zadnja prijava',
+ lastPasswordChangeDate: 'Lozinka zadnje promijenjena',
+ loginname: 'Korisničko ime',
+ mediastartnode: 'Medijski početni čvor',
+ mediastartnodehelp: 'Ograničite biblioteku medija na određeni početni čvor',
+ mediastartnodes: 'Medijski početni čvorovi',
+ mediastartnodeshelp: 'Ograničite biblioteku medija na određene početne čvorove',
+ modules: 'Sekcije',
+ nameRequired: 'Obavezno - unesite ime za ovog korisnika',
+ noConsole: 'Onemogućite pristup Umbraco-u',
+ noLogin: 'se još nije prijavio',
+ oldPassword: 'Stara lozinka',
+ password: 'Lozinka',
+ resetPassword: 'Resetiraj lozinku',
+ passwordChanged: 'Vaša lozinka je promijenjena!',
+ passwordChangedGeneric: 'Lozinka je promijenjena',
+ passwordConfirm: 'Molimo potvrdite novu lozinku',
+ passwordEnterNew: 'Unesite novu lozinku',
+ passwordIsBlank: 'Vaša nova lozinka ne može biti prazna!',
+ passwordCurrent: 'Trenutna lozinka',
+ passwordInvalid: 'Nevažeća trenutna lozinka',
+ passwordIsDifferent: 'Postoji razlika između nove lozinke i potvrđene lozinke. Molimo pokušajte ponovo!',
+ passwordMismatch: 'Potvrđena lozinka ne odgovara novoj lozinki!',
+ permissionReplaceChildren: 'Zamijenite dozvole podređenog čvora',
+ permissionSelectedPages: 'Trenutno mijenjate dozvole za stranice:',
+ permissionSelectPages: 'Odaberite stranice da promijenite njihove dozvole',
+ removePhoto: 'Ukloni sliku',
+ permissionsDefault: 'Zadane dozvole',
+ permissionsGranular: 'Detaljne dozvole',
+ permissionsGranularHelp: 'Postavite dozvole za određene čvorove',
+ profile: 'Profil',
+ searchAllChildren: 'Pretražite svu djecu',
+ languagesHelp: 'Ograničite jezike kojima korisnici imaju pristup za uređivanje',
+ allowAccessToAllLanguages: 'Dozvoljen pristup svim jezicima',
+ sectionsHelp: 'Dodajte odjeljke da korisnicima omogućite pristup',
+ selectUserGroups: 'Odaberite grupe korisnika',
+ noStartNode: 'Nije odabran početni čvor',
+ noStartNodes: 'Nije odabran nijedan početni čvor',
+ startnode: 'Početni čvor sadržaja',
+ startnodehelp: 'Ograničite stablo sadržaja na određeni početni čvor',
+ startnodes: 'Početni čvorovi sadržaja',
+ startnodeshelp: 'Ograničite stablo sadržaja na određene početne čvorove',
+ updateDate: 'Korisnik zadnji put ažuriran',
+ userCreated: 'je kreiran',
+ userCreatedSuccessHelp:
+ 'Novi korisnik je uspješno kreiran. Za prijavu na Umbraco koristite\n lozinka ispod.\n ',
+ userManagement: 'Upravljanje korisnicima',
+ username: 'Korisničko ime',
+ userPermissions: 'Korisničke dozvole',
+ usergroup: 'Grupa korisnika',
+ userInvited: 'je pozvan',
+ userInvitedSuccessHelp: 'Novom korisniku je poslana pozivnica s detaljima o tome kako se prijaviti u Umbraco.',
+ userinviteWelcomeMessage:
+ 'Pozdrav i dobrodošli u Umbraco! Jedna minuta bit će vam potrebna da postavite svoju lozinku.',
+ userinviteExpiredMessage:
+ 'Dobrodošli u Umbraco! Nažalost pozivnica je istekla. Molimo kontaktirajte svog administratora i od njega tražite da ju ponovno pošalje.',
+ writer: 'Pisac',
+ change: 'Promjeni',
+ yourProfile: 'Vaš profil',
+ yourHistory: 'Vaša nedavna povijest',
+ sessionExpires: 'Sesija ističe za',
+ inviteUser: 'Pozovi korisnika',
+ createUser: 'Kreiraj korisnika',
+ sendInvite: 'Pošalji pozivnicu',
+ backToUsers: 'Nazad na korisnike',
+ inviteEmailCopySubject: 'Umbraco: Pozivnica',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\n",
+ defaultInvitationMessage: 'Ponovno slanje pozivnice...',
+ deleteUser: 'Obriši korisnika',
+ deleteUserConfirmation: 'Jeste li sigurni da želite obrisati ovaj korisnički račun?',
+ stateAll: 'Sve',
+ stateActive: 'Aktivan',
+ stateDisabled: 'Onemogućen',
+ stateLockedOut: 'Zaključan',
+ stateApproved: 'Odobren',
+ stateInvited: 'Pozvan',
+ stateInactive: 'Neaktivan',
+ sortNameAscending: 'Naziv (A-Z)',
+ sortNameDescending: 'Naziv (Z-A)',
+ sortCreateDateAscending: 'Najstarije',
+ sortCreateDateDescending: 'Najnovije',
+ sortLastLoginDateDescending: 'Zadnja prijava',
+ noUserGroupsAdded: 'Nijedna korisnička grupa nije dodana',
+ '2faDisableText':
+ 'Ako želite onemogućiti ovaj dvofaktorski provajder, onda morate unjeti kod prikazan na vašem uređaju za autentifikaciju:',
+ '2faProviderIsEnabled': 'Ovaj dvofaktorski provajder je omogućen',
+ '2faProviderIsDisabledMsg': 'Ovaj dvofaktorski provajder je sada onemogućen',
+ '2faProviderIsNotDisabledMsg': 'Nešto je pošlo po zlu s pokušajem da se onemogući ovaj dvofaktorski provajder',
+ '2faDisableForUser': 'Želite li onemogućiti ovaj dvofaktorski provajder za ovog korisnika?',
+ },
+ validation: {
+ validation: 'Validacija',
+ noValidation: 'Nema validacije',
+ validateAsEmail: 'Potvrdi kao adresu e-pošte',
+ validateAsNumber: 'Potvrdite kao broj',
+ validateAsUrl: 'Potvrdi kao URL',
+ enterCustomValidation: '...ili unesite prilagođenu validaciju',
+ fieldIsMandatory: 'Polje je obavezno',
+ mandatoryMessage: 'Upišite prilagođenu poruku o grešci validacije (opcionalno)',
+ validationRegExp: 'Upišite regularni izraz',
+ validationRegExpMessage: 'Upišite prilagođenu poruku o grešci validacije (opcionalno)',
+ minCount: 'Morate dodati najmanje',
+ maxCount: 'možete jedino imati',
+ addUpTo: 'Dodajte do',
+ items: 'stavke',
+ urls: 'URL-ovi',
+ urlsSelected: 'Odabrani URL-ovi',
+ itemsSelected: 'odabrane stavke',
+ invalidDate: 'Nevažeći datum',
+ invalidNumber: 'Nije broj',
+ invalidNumberStepSize: 'Nije važeća brojčana veličina koraka',
+ invalidEmail: 'Nevažeći email',
+ invalidNull: 'Vrijednost ne može biti null',
+ invalidEmpty: 'Vrijednost ne može biti prazna',
+ invalidPattern: 'Vrijednost je nevažeća, ne odgovara ispravnom uzorku',
+ customValidation: 'Prilagođena validacija',
+ entriesShort: 'Minimalno %0% unosa, potrebno %1% više.',
+ entriesExceed: 'Maksimalno %0% unosa, %1% previše.',
+ entriesAreasMismatch: 'Zahtjevi za količinu sadržaja nisu ispunjeni za jedno ili više područja.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Vrijednost je postavljena na preporučenu vrijednost: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Očekivana vrijednost '%1%' za '%2%' u konfiguracijskoj datoteci '%3%', ali je pronađeno '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "Pronađena neočekivana vrijednost '%0%' za '%2%' u konfiguracijskoj datoteci '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "Makro greške su postavljene na '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Greške makroa su postavljene na '%0%' što će spriječiti potpuno učitavanje nekih ili svih stranica\n\t na vašem sajtu ako postoje greške u makroima. Ako ovo ispravite, vrijednost će biti postavljena na '%1%'.\n ",
+ httpsCheckValidCertificate: 'Certifikat Vaše web stranice je važeći.',
+ httpsCheckInvalidCertificate: "Greška u validaciji certifikata: '%0%'",
+ httpsCheckExpiredCertificate: 'SSL certifikat vaše web stranice je istekao.',
+ httpsCheckExpiringCertificate: 'SSL certifikat vaše web stranice istjeće za %0% dana.',
+ healthCheckInvalidUrl: "Greška pri pinganju URL-a %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Trenutno %0% pregledavate stranicu koristeći HTTPS protokol.',
+ httpsCheckConfigurationRectifyNotPossible:
+ "AppSetting 'Umbraco:CMS:Global:UseHttps' je postavljen na 'false' u\n vašoj appSettings.json datoteci. Jednom kada pristupite ovoj stranici koristeći HTTPS protokol, to bi trebalo biti postavljeno na 'true'.\n ",
+ httpsCheckConfigurationCheckResult:
+ "Postavka aplikacije 'Umbraco:CMS:Global:UseHttps' je postavljena na '%0%' u vašoj\n appSettings.json datoteci, vaši kolačići su %1% označeni kao sigurni.\n ",
+ compilationDebugCheckSuccessMessage: 'Način kompilacije otklanjanja grešaka je onemogućen.',
+ compilationDebugCheckErrorMessage:
+ 'Način kompilacije za otklanjanje grešaka je trenutno omogućen. Preporučuje se da se\n onemogućite ovu postavku prije korištenja u produkciji.\n ',
+ umbracoApplicationUrlCheckResultTrue:
+ "AppSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' je postavljen na %0%.",
+ umbracoApplicationUrlCheckResultFalse: "AppSetting 'Umbraco:CMS:WebRouting:UmbracoApplicationUrl' nije postavljen.",
+ clickJackingCheckHeaderFound:
+ 'Zaglavlje ili meta-tag X-Frame-Options koji se koristi za kontrolu da li neko mjesto može biti IFRAMED od strane drugog je pronađen.',
+ clickJackingCheckHeaderNotFound:
+ 'Zaglavlje ili meta-tag X-Frame-Options koji se koristi za kontrolu da li neko mjesto može biti IFRAMED od strane drugog nije pronađen.',
+ noSniffCheckHeaderFound:
+ 'Zaglavlje ili meta-tag X-Content-Type-Options koji se koristi za zaštitu od ranjivosti MIME sniffinga je pronađen.',
+ noSniffCheckHeaderNotFound:
+ 'Zaglavlje ili meta-tag X-Content-Type-Options koji se koristi za zaštitu od ranjivosti MIME sniffinga nije pronađen.',
+ hSTSCheckHeaderFound:
+ 'Zaglavlje Strict-Transport-Security, također poznat kao HSTS-header, je pronađen.',
+ hSTSCheckHeaderNotFound: 'Zaglavlje Strict-Transport-Security nije pronađeno.',
+ hSTSCheckHeaderFoundOnLocalhost:
+ 'Zaglavlje Strict-Transport-Security, također poznat kao HSTS-header, je pronađen. Ovo zaglavlje ne bi trebalo biti prisutno na lokalnom hostu.',
+ hSTSCheckHeaderNotFoundOnLocalhost:
+ 'Zaglavlje Strict-Transport-Security nije pronađeno. Ovo zaglavlje ne bi trebalo biti prisutno na lokalnom hostu.',
+ xssProtectionCheckHeaderFound: 'Zaglavlje X-XSS-Protection je pronađeno.',
+ xssProtectionCheckHeaderNotFound: 'Zaglavlje X-XSS-Protection nije pronađeno.',
+ excessiveHeadersFound:
+ 'Pronađena su sljedeća zaglavlja koja otkrivaju informacije o tehnologiji web stranice: %0%.',
+ excessiveHeadersNotFound: 'Nisu pronađena zaglavlja koja otkrivaju informacije o tehnologiji web stranice.\n ',
+ smtpMailSettingsNotFound: 'U datoteci Web.config, system.net/mailsettings nije moguće pronaći.',
+ smtpMailSettingsHostNotConfigured:
+ 'U datoteci Web.config, system.net/mailsettings, host\n nije konfiguriran.\n ',
+ smtpMailSettingsConnectionSuccess:
+ 'SMTP postavke su ispravno konfigurirane i usluga radi\n kao što je očekivano.\n ',
+ smtpMailSettingsConnectionFail:
+ "SMTP server konfiguriran sa hostom '%0%' i portom '%1%' ne može biti\n dohvaćen. Provjerite jesu li SMTP postavke u datoteci Web.config, system.net/mailsettings ispravne.\n ",
+ notificationEmailsCheckSuccessMessage: 'E-mail za obavještenje je postavljen na %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'E-pošta za obavještenje je i dalje postavljena na zadanu vrijednost od %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Rezultati zakazanih Umbraco provjera zdravlja koji se pokreću na %0% na %1% su sljedeći:
Provjera zdravlja procjenjuje različita područja vaše web lokacije u pogledu postavki najboljih praksi, konfiguracija, potencijalnih problema itd. Možete jednostavno riješiti probleme pritiskom na gumb.\n Možete dodati svoje zdravstvene preglede, pogledajte dokumentaciju za više informacija o prilagođenim zdravstvenim pregledima.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Onemogući URL praćenje',
+ enableUrlTracker: 'Omogući URL praćenje',
+ originalUrl: 'Originalni URL',
+ redirectedTo: 'Preusmjerno na',
+ redirectUrlManagement: 'Preusmjeravanje URL-ova',
+ panelInformation: 'Sljedeći URL-ovi preusmjeravaju na ovu stavku sadržaja:',
+ noRedirects: 'Nisu napravljena nikakva preusmjeravanja',
+ noRedirectsDescription:
+ 'Kada se objavljena stranica preimenuje ili premjesti, preusmjeravanje će automatski biti\n napravljeno na novu stranicu.\n ',
+ redirectRemoved: 'Preusmjeravanje uklonjeno.',
+ redirectRemoveError: 'Greška pri uklanjanju preusmjeravanja.',
+ redirectRemoveWarning: 'Ovo će ukloniti preusmjeravanje',
+ confirmDisable: 'Jeste li sigurni da želite onemogućiti praćenje URL-ovač?',
+ disabledConfirm: 'URL praćenje je sada onemogućeno.',
+ disableError: 'Greška pri onemogućavanju praćenja URL-ova, više informacija možete pronaći u vašem log zapisu.',
+ enabledConfirm: 'URL praćenje je sada omogućeno.',
+ enableError: 'Greška pri omogućavanju praćenja URL-ova, više informacija možete pronaći u vašem log zapisu.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Nema stavki iz rječnika za odabir',
+ },
+ textbox: {
+ characters_left: '%0% preostalo znakova.',
+ characters_exceed: 'Maksimalno %0% znakova, %1% previše.',
+ },
+ recycleBin: {
+ contentTrashed: 'Sadržaj u otpadu s ID-om: {0} povezan je s originalnim nadređenim sadržajem s ID-om: {1}',
+ mediaTrashed: 'Medij u otpadu s ID-om: {0} povezan je s originalnim nadređenim medijem s ID-om: {1}',
+ itemCannotBeRestored: 'Nije moguće automatski vratiti ovu stavku',
+ itemCannotBeRestoredHelpText:
+ 'Ne postoji lokacija na kojoj se ova stavka može automatski vratiti. Možete ručno premjestiti stavku koristeći stablo ispod.\n ',
+ wasRestored: 'je restauriran pod',
+ },
+ relationType: {
+ direction: 'Smjer',
+ parentToChild: 'Roditelj djetetu',
+ bidirectional: 'Bidirectional',
+ parent: 'Roditelj',
+ child: 'Dijete',
+ count: 'Broj',
+ relation: 'Relacija',
+ relations: 'Relacije',
+ created: 'Kreirano',
+ comment: 'Komentar',
+ name: 'Naziv',
+ noRelations: 'Nema relacija za ovu vrstu odnosa',
+ tabRelationType: 'Vrsta relacije',
+ tabRelations: 'Relacije',
+ isDependency: 'Je zavisan',
+ dependency: 'Da',
+ noDependency: 'Ne',
+ },
+ dashboardTabs: {
+ contentIntro: 'Početak rada',
+ contentRedirectManager: 'Preusmjeravanje URL-ova',
+ mediaFolderBrowser: 'Sadržaj',
+ settingsWelcome: 'Dobrodošli',
+ settingsExamine: 'Examine menadžment',
+ settingsPublishedStatus: 'Status stranice',
+ settingsModelsBuilder: 'Generator modela',
+ settingsHealthCheck: 'Provjera zdravlja',
+ settingsAnalytics: 'Podaci telemetrije',
+ settingsProfiler: 'Profiliranje',
+ memberIntro: 'Početak rada',
+ formsInstall: 'Instaliraj Umbraco Forms',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Vrati se',
+ activeListLayout: 'Aktivan raspored:',
+ jumpTo: 'Skoči na',
+ group: 'grupa',
+ passed: 'prošao',
+ warning: 'upozorenje',
+ failed: 'neuspješno',
+ suggestion: 'prijedlog',
+ checkPassed: 'Provjera prošla',
+ checkFailed: 'Provjera nije uspjela',
+ openBackofficeSearch: 'Otvorite backoffice pretragu',
+ openCloseBackofficeHelp: 'Otvori/Zatvori pomoć za backoffice',
+ openCloseBackofficeProfileOptions: 'Opcije otvaranja/zatvaranja profila',
+ assignDomainDescription: 'Postavite kulturu i imena hostova za %0%',
+ createDescription: 'Kreirajte novi čvor ispod %0%',
+ protectDescription: 'Postavite ograničenja pristupa uključena %0%',
+ rightsDescription: 'Dozvole za postavljanje su uključene %0%',
+ sortDescription: 'Promijenite redoslijed sortiranja za %0%',
+ createblueprintDescription: 'Kreirajte predložak sadržaja na osnovu %0%',
+ openContextMenu: 'Otvorite kontekstni meni za',
+ currentLanguage: 'Trenutni jezik',
+ switchLanguage: 'Prebaci jezik na',
+ createNewFolder: 'Kreirajte novi folder',
+ newPartialView: 'Parcijalni prikaz',
+ newPartialViewMacro: 'Makro za pracijalni prikaz',
+ newMember: 'Član',
+ newDataType: 'Vrsta podatka',
+ redirectDashboardSearchLabel: 'Pretražite kontrolnu ploču za preusmjeravanje',
+ userGroupSearchLabel: 'Pretražite odjeljak korisničke grupe',
+ userSearchLabel: 'Pretražite odjeljak korisnika',
+ createItem: 'Kreiraj stavku',
+ create: 'Kreiraj',
+ edit: 'Uredi',
+ name: 'Naziv',
+ addNewRow: 'Dodaj novi red',
+ tabExpand: 'Pogledajte više opcija',
+ searchOverlayTitle: 'Pogledajte više opcija',
+ searchOverlayDescription: 'Potražite čvorove sadržaja, medijske čvorove itd. u backofficeu.',
+ searchInputDescription:
+ 'Kada su dostupni rezultati autodovršavanja, pritisnite strelice gore i dolje ili koristite\n tipku tab i koristite tipku enter za odabir.\n ',
+ path: 'Putanja:',
+ foundIn: 'Pronađeno u',
+ hasTranslation: 'Ima prijevod',
+ noTranslation: 'Nedostaje prijevod',
+ dictionaryListCaption: 'Stavke iz rječnika',
+ contextMenuDescription: 'Odaberite jednu od opcija za uređivanje čvora.',
+ contextDialogDescription: 'Izvršite akciju %0% na čvoru %1%.',
+ addImageCaption: 'Dodajte opis slike',
+ searchContentTree: 'Pretraži stablo sadržaja',
+ maxAmount: 'Maksimalni iznos',
+ },
+ references: {
+ tabName: 'Reference',
+ DataTypeNoReferences: 'Ova vrsta podataka nema reference.',
+ itemHasNoReferences: 'Ova stavka nema reference.',
+ labelUsedByDocumentTypes: 'Koristi se u vrstama dokumenata',
+ labelUsedByMediaTypes: 'Koristi se u vrstama medija',
+ labelUsedByMemberTypes: 'Koristi se u vrstama članova',
+ usedByProperties: 'Koristi',
+ labelUsedItems: 'Stavke u upotrebi',
+ labelUsedDescendants: 'Potomci u upotrebi',
+ deleteWarning:
+ 'Ova stavka ili njeni potomci se koriste. Brisanje može dovesti do neispravnih veza na vašoj web stranici.',
+ unpublishWarning:
+ 'Ova stavka ili njeni potomci se koriste. Poništavanje objavljivanja može dovesti do neispravnih veza na vašoj web stranici. Molimo poduzmite odgovarajuće radnje.',
+ deleteDisabledWarning: 'Ova stavka ili njeni potomci se koriste. Stoga je brisanje onemogućeno.',
+ listViewDialogWarning: 'Sljedeće stavke koje pokušavate %0% koriste drugi sadržaj.',
+ },
+ logViewer: {
+ deleteSavedSearch: 'Obriši spremljene pretrage',
+ logLevels: 'Razine loga',
+ selectAllLogLevelFilters: 'Označi sve',
+ deselectAllLogLevelFilters: 'Odznači sve',
+ savedSearches: 'Spremljene pretrage',
+ saveSearch: 'Spremi pretragu',
+ saveSearchDescription: 'Unesite prijateljski naziv za vaš upit za pretragu',
+ filterSearch: 'Filtriraj pretragu',
+ totalItems: 'Ukupno',
+ timestamp: 'Vrijeme',
+ level: 'Razina',
+ machine: 'Uređaj',
+ message: 'Poruka',
+ exception: 'Izuzetak',
+ properties: 'Svojstva',
+ searchWithGoogle: 'Pretraži pomoću Google-a',
+ searchThisMessageWithGoogle: 'Pretraži ovu poruku pomoću Google-a',
+ searchWithBing: 'Pretraži pomoću Bing-a',
+ searchThisMessageWithBing: 'Pretraži ovu poruku pomoću Bing-a',
+ searchOurUmbraco: 'Pretraži Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Pretraži ovu poruku na Our Umbraco forumu i dokumentaciji',
+ searchOurUmbracoWithGoogle: 'Pretraži Our Umbraco pomoću Google-a',
+ searchOurUmbracoForumsUsingGoogle: 'Pretraži Our Umbraco forume pomoću Google-a',
+ searchUmbracoSource: 'Pretraži Umbraco Source',
+ searchWithinUmbracoSourceCodeOnGithub: 'Pretraži Umbraco source code on Github-u',
+ searchUmbracoIssues: 'Pretraži Umbraco Issues',
+ searchUmbracoIssuesOnGithub: 'Pretraži Umbraco Issues na Github-u',
+ deleteThisSearch: 'Obriši ovu pretragu',
+ findLogsWithRequestId: 'Pronađi logove sa ID-om zatjeva',
+ findLogsWithNamespace: 'Pronađi logove sa namespace-om',
+ findLogsWithMachineName: 'Pronađi logove sa nazivom uređaja',
+ open: 'Otvori',
+ polling: 'Provjera',
+ every2: 'Svakih 2 sekunde',
+ every5: 'Svakih 5 sekundi',
+ every10: 'Svakih 10 sekundi',
+ every20: 'Svakih 20 sekundi',
+ every30: 'Svakih 30 sekundi',
+ pollingEvery2: 'Provjera svakih 2s',
+ pollingEvery5: 'Provjera svakih 5s',
+ pollingEvery10: 'Provjera svakih 10s',
+ pollingEvery20: 'Provjera svakih 20s',
+ pollingEvery30: 'Provjera svakih 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Kopiraj %0%',
+ labelForArrayOfItemsFrom: '%0% od %1%',
+ labelForArrayOfItems: 'Zbirka od %0%',
+ labelForRemoveAllEntries: 'Uklonite sve stavke',
+ labelForClearClipboard: 'Očisti međuspremnik',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Otvorite radnje svojstva',
+ tooltipForPropertyActionsMenuClose: 'Zatvorite Property Actions',
+ },
+ nuCache: {
+ refreshStatus: 'Osvježi status',
+ memoryCache: 'Predmemorija',
+ memoryCacheDescription:
+ '\n Ovaj gumb vam omogućuje da obnovite predmemoriju tako što ćete je u potpunosti ponovo učitati iz baze podataka\n (ali ne obnavlja predmemoriju baze podataka). Ovo je relativno brzo.\n Koristite ga kada mislite da predmemorija nije pravilno osvježena, nakon nekih događaja\n pokrenuo—što bi ukazivalo na manji problem sa Umbracom.\n (Napomena: pokreće ponovno učitavanje na svim serverima u LB okruženju).\n ',
+ reload: 'Ponovo učitaj',
+ databaseCache: 'Predmemorija baze podataka',
+ databaseCacheDescription:
+ '\n Ovaj gumb vam omogućuje da ponovo obnovite predmemoriju baze podataka, tj. sadržaj tabele cmsContentNu.\n Obnova može biti skupa.\n Koristite ga kada ponovno učitavanje nije dovoljno, a mislite da predmemorija baze podataka nije bila\n pravilno generirana; što bi ukazivalo na neko kritično pitanje Umbraco.\n ',
+ rebuild: 'Ponovo obnovi',
+ internals: 'Unutrašnjost',
+ internalsDescription:
+ '\n Ovaj gumb vam omogućuje da pokrenete kolekciju NuCache snimaka (nakon pokretanja fullCLR GC-a).\n Osim ako ne znate šta to znači, vjerovatno ga ne morate koristiti.\n ',
+ collect: 'Skupiti',
+ publishedCacheStatus: 'Objavljeni status predmemorije',
+ caches: 'Predmemorije',
+ },
+ profiling: {
+ performanceProfiling: 'Profiliranje performansi',
+ performanceProfilingDescription:
+ '\n
\n Umbraco trenutno radi u načinu za otklanjanje grešaka. To znači da možete koristiti ugrađeni profiler performansi za procjenu performansi prilikom renderiranja stranica.\n
\n
\n Ako želite aktivirati profiler za određeno prikazivanje stranice, jednostavno dodajte umbDebug=true na string upita kada tražite stranicu.\n
\n
\n Ako želite da se profilator aktivira prema zadanim postavkama za sve prikaze stranica, možete koristiti prekidač ispod.\n On će postaviti kolačić u vaš pretraživač, koji zatim automatski aktivira profiler.\n Drugim riječima, profiler će biti aktivan samo po defaultu u vašen pretraživaču.\n
\n Nikada ne bi trebali dozvoliti da produkcijska lokacija radi u načinu za otklanjanje grešaka. Režim za otklanjanje grešaka se isključuje podešavanjem Umbraco:CMS:Hosting:Debug na false u appsettings.json, appsettings.{Environment}.json ili preko varijable okruženja.\n
\n ',
+ profilerEnabledDescription:
+ '\n
\n Umbraco trenutno ne radi u načinu za otklanjanje grešaka, tako da ne možete koristiti ugrađeni profiler. Ovako bi trebalo da bude za proizvodnu lokaciju.\n
\n
\n Režim za otklanjanje grešaka se uključuje podešavanjem Umbraco:CMS:Hosting:Debug na true u appsettings.json, appsettings.{Environment}.json ili preko varijable okruženja.\n
\n ',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Sati Umbraco trening videa udaljeni su samo jedan klik',
+ trainingDescription:
+ '\n
Želite naučiti Umbraco? Provedite nekoliko minuta učeći najbolje prakse gledajući jedan od ovih videozapisa o korištenju Umbraco-a. I posjetite umbraco.tv za još više Umbraco videa
\n ',
+ learningBaseDescription:
+ '\n
Želite savladati Umbraco? Provedite nekoliko minuta učeći najbolje prakse gledajući jedan od ovih videozapisa o korištenju Umbraco-a Umbraco Learning Base Youtube kanal. Ovdje možete pronaći gomilu video materijala koji pokriva mnoge aspekte Umbraco-a.
\n ',
+ getStarted: 'Za početak',
+ },
+ settingsDashboard: {
+ start: 'Krenite ovdje',
+ startDescription:
+ 'Ovaj odjeljak sadrži blokove za izgradnju vaše Umbraco stranice. Slijedite dolje\n navedene veze linkova kako biste saznali više o radu sa stavkama u odjeljku Postavke\n ',
+ more: 'Saznajte više',
+ bulletPointOne:
+ '\n Pročitajte više o radu sa stavkama u Postavkama u odjeljku Dokumentacija na Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Postavite pitanje na Forumu zajednice\n ',
+ bulletPointTutorials:
+ '\n Gledajte besplatno video tutorijale na Umbraco Learning Base\n ',
+ bulletPointFour:
+ '\n Saznajte više o našim alatima za povećanje produktivnosti i komercijalna podrška\n ',
+ bulletPointFive:
+ '\n Saznajte nešto o mogućnosti stvarne obuke i certifikacije\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Dobrodošli u The Friendly CMS',
+ fallbackDescription:
+ 'Hvala vam što ste odabrali Umbraco - mislimo da bi ovo mogao biti početak nečeg divnog. Iako se u početku može činiti neodoljivim, učinili smo puno da učenje bude što lakše i brže što je moguće više.\n ',
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Forms',
+ formsDescription:
+ "Kreirajte obrasce pomoću intuitivnog 'drag and drop' sučelja. Od jednostavnih kontakt obrazaca\n koji šalje e-mailove do naprednih obrazaca koji se mogu integrirati sa CRM sustavima. Vašim klijentima će se svidjeti!\n ",
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Odaberite vrstu elementa',
+ headlineAddSettingsElementType: 'Priložite postavke na vrstu elementa',
+ headlineAddCustomView: 'Odaberite prikaz',
+ headlineAddCustomStylesheet: 'Odaberite stil',
+ headlineAddThumbnail: 'Odaberite sličicu',
+ labelcreateNewElementType: 'Kreirajte novu vrstu elementa',
+ labelCustomStylesheet: 'Prilagođeni stil',
+ addCustomStylesheet: 'Dodaj stil',
+ headlineEditorAppearance: 'Izgled bloka',
+ headlineDataModels: 'Modeli podataka',
+ headlineCatalogueAppearance: 'Izgled kataloga',
+ labelBackgroundColor: 'Boja pozadine',
+ labelIconColor: 'Boja ikone',
+ labelContentElementType: 'Model sadržaja',
+ labelLabelTemplate: 'Oznaka',
+ labelCustomView: 'Prilagođeni prikaz',
+ labelCustomViewInfoTitle: 'Prikaži opis prilagođenog prikaza',
+ labelCustomViewDescription:
+ 'Zamjenite način na koji se ovaj blok pojavljuje u korisničkom sučelju backofficea. Odaberite .html datoteku\n koja sadrži vaš dizajn.\n ',
+ labelSettingsElementType: 'Model postavki',
+ labelEditorSize: 'Veličina uređivača preklapanja',
+ addCustomView: 'Dodaj prilagođeni prikaz',
+ addSettingsElementType: 'Dodaj postavke',
+ confirmDeleteBlockMessage: 'Jeste li sigurni da želite obrisati sadržaj %0%?',
+ confirmDeleteBlockTypeMessage: 'Jeste li sigurni da želite obrisati konfiguraciju bloka %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'Sadržaj ovog bloka bit će i dalje prisutan, uređivanje ovog sadržaja\n više neće biti dostupno i bit će prikazan kao nepodržani sadržaj.\n ',
+ confirmDeleteBlockGroupMessage:
+ 'Jeste li sigurni da želite obrisati grupu %0% i sve konfiguracije ovog bloka?',
+ confirmDeleteBlockGroupNotice:
+ 'Sadržaj ovih blokova će i dalje biti prisutan, uređivanje ovog sadržaja\n više neće biti dostupan i bit će prikazan kao nepodržani sadržaj.\n ',
+ blockConfigurationOverlayTitle: "Konfiguracija od '%0%'",
+ elementTypeDoesNotExist: 'Ne može se uređivati jer vrsta elementa ne postoji.',
+ thumbnail: 'Sličica',
+ addThumbnail: 'Dodaj sličicu',
+ tabCreateEmpty: 'Kreiraj prazno',
+ tabClipboard: 'Međuspremnik',
+ tabBlockSettings: 'Postavke',
+ headlineAdvanced: 'Napredno',
+ forceHideContentEditor: 'Sakrij uređivač sadržaja',
+ forceHideContentEditorHelp: 'Sakrij gumb za uređivanje sadržaja i uređivač sadržaja iz preklapanja Block Editor.',
+ gridInlineEditing: 'Inline uređivanje',
+ gridInlineEditingHelp:
+ 'Omogućava inline uređivanje za prvo svojstvo. Dodatna svojstva se mogu uređivati u prekrivaču.',
+ blockHasChanges: 'Izmijenili ste ovaj sadržaj. Jeste li sigurni da ih želite odbaciti?',
+ confirmCancelBlockCreationHeadline: 'Odbaciti kreiranje?',
+ confirmCancelBlockCreationMessage: 'Jeste li sigurni da želite otkazati kreiranje.',
+ elementTypeDoesNotExistHeadline: 'Greška!',
+ elementTypeDoesNotExistDescription: 'Vrsta elementa ovog bloka više ne postoji',
+ addBlock: 'Dodaj sadržaj',
+ addThis: 'Dodaj %0%',
+ propertyEditorNotSupported: "Svojstvo '%0%' koristi uređivač '%1%' koji nije podržan u blokovima.",
+ focusParentBlock: 'Postavite fokus na blok kontejnera',
+ areaIdentification: 'Identifikacija',
+ areaValidation: 'Validacija',
+ areaValidationEntriesShort: '%0% mora biti prisutan barem %2% puta.',
+ areaValidationEntriesExceed: '%0% mora biti maksimalno prisutan %3% puta.',
+ areaNumberOfBlocks: 'Broj blokova',
+ areaDisallowAllBlocks: 'Dozvolite samo određene vrste blokova',
+ areaAllowedBlocks: 'Dozvoljene vrste blokova',
+ areaAllowedBlocksHelp:
+ 'Definirajte vrste blokova koji su dozvoljeni u ovom području i opcionalo koliko svake vrste treba biti prisutno.',
+ confirmDeleteBlockAreaMessage: 'Jeste li sigurni da želite obrisati ovo područje?',
+ confirmDeleteBlockAreaNotice: 'Svi blokovi koji su trenutno kreirani unutar ovog područja bit će obrisani.',
+ layoutOptions: 'Opcije rasporeda',
+ structuralOptions: 'Strukturno',
+ sizeOptions: 'Opcije veličine',
+ sizeOptionsHelp: 'Definirajte jednu ili više opcija veličine, ovo omogućava promjenu veličine bloka',
+ allowedBlockColumns: 'Definirajte jednu ili više opcija veličine, ovo omogućava promjenu veličine bloka',
+ allowedBlockColumnsHelp:
+ 'Definirajte različit broj kolona preko kojih ovaj blok može se protezati. Ovo ne sprječava postavljanje blokova u područja s manjim rasponom kolona.',
+ allowedBlockRows: 'Dostupni rasponi redova',
+ allowedBlockRowsHelp: 'Definirajte raspon redova rasporeda preko kojih se ovaj blok može protezati.',
+ allowBlockInRoot: 'Dozvolite u korijenu',
+ allowBlockInRootHelp: 'Učinite ovaj blok dostupnim u korijenu izgleda.',
+ allowBlockInAreas: 'Dozvolite u područjima',
+ allowBlockInAreasHelp:
+ 'Učinite ovaj blok dostupnim prema zadanim postavkama unutar područja drugih blokova (osim ako za ova područja nisu postavljene eksplicitne dozvole).',
+ areaAllowedBlocksEmpty:
+ 'Prema zadanim postavkama, sve vrste blokova su dozvoljeni u području. Koristite ovu opciju da dozvolite samo odabrane vrste.',
+ areas: 'Područja',
+ areasLayoutColumns: 'Mrežne kolone za područja',
+ areasLayoutColumnsHelp:
+ 'Definirajte koliko će stupaca biti dostupno za područja. Ako nije definiran, koristit će se broj kolona definiranih za cijeli izgled.',
+ areasConfigurations: 'Područja',
+ areasConfigurationsHelp:
+ "Da biste omogućili ugniježđenje blokova unutar ovog bloka, definirajte jedno ili više područja. Područja slijede raspored definiran njihovom vlastitom konfiguracijom stupca mreže. 'Raspon kolone' i 'raspon reda' za svako područje može se podesiti korištenjem okvira za rukovanje skalom u donjem desnom uglu odabranog područja.",
+ invalidDropPosition: '%0% nije dozvoljeno na ovom mjestu.',
+ defaultLayoutStylesheet: 'Zadani raspored stilova',
+ confirmPasteDisallowedNestedBlockHeadline: 'Nedozvoljeni sadržaj je odbijen',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'Umetnuti sadržaj sadržavao je nedozvoljeni sadržaj koji nije kreiran. Želite li ipak zadržati ostatak ovog sadržaja??',
+ areaAliasHelp:
+ 'Kada koristite GetBlockGridHTML() za prikazivanje Block Grid-a, alias će biti prikazan u oznaci kao \'data-area-alias\' atribut. Koristite atribut alias za ciljanje elementa za područje. Npr. .umb-block-grid__area[data-area-alias="MyAreaAlias"] { ... }',
+ scaleHandlerButtonTitle: 'Povucite za povečanje',
+ areaCreateLabelTitle: 'Kreiraj oznaku gumba',
+ areaCreateLabelHelp: "Nadjačajte tekst oznake za dodavanje novog bloka u ovo područje, primjer: 'Dodaj widget'",
+ showSizeOptions: 'Prikaži opcije promjene veličine',
+ addBlockType: 'Dodaj blok',
+ addBlockGroup: 'Dodaj grupu',
+ pickSpecificAllowance: 'Odaberi grupu ili blok',
+ allowanceMinimum: 'Postavite minimalni zahtjev',
+ allowanceMaximum: 'Postavite maksimalan zahtjev',
+ block: 'Blok',
+ tabBlock: 'Blok',
+ tabBlockTypeSettings: 'Postavke',
+ tabAreas: 'Područja',
+ tabAdvanced: 'Napredno',
+ headlineAllowance: 'Dozvole',
+ getSampleHeadline: 'Instalirajte uzorak konfiguracije',
+ getSampleDescription:
+ 'Ovo će dodati osnovne blokove i pomoći vam da započnete s Block Grid Editorom. Dobit ćete blokove za naslov, obogaćeni tekst, sliku, kao i raspored u dvije kolone.',
+ getSampleButton: 'Instaliraj',
+ actionEnterSortMode: 'Način sortiranja',
+ actionExitSortMode: 'Završi način sortiranja',
+ areaAliasIsNotUnique: 'Ovaj alias područja mora biti jedinstven u usporedbi sa drugim područjima ovog bloka.',
+ configureArea: 'Konfiguriraj područje',
+ deleteArea: 'Obriši područje',
+ addColumnSpanOption: 'Dodajte opciju raspona %0% kolona',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Što su predlošci sadržaja?',
+ whatDescription:
+ 'Predlošci sadržaja su unaprijed definirani sadržaj koji se može odabrati prilikom kreiranja novog\n čvora sadržaja.\n ',
+ createHeadline: 'Kako kreirati predložak sadržaja?',
+ createDescription:
+ '\n
Postoje dva načina za kreiranje predloška sadržaja:
\n
\n
Desnom tipkom miša kliknite čvor sadržaja i odaberite "Kreiraj predložak sadržaja" da bi kreirali novi predložak sadržaja.
\n
Kliknite desnom tipkom miša na stablo predložaka sadržaja u odjeljku Postavke i odaberite vrstu dokumenta za koju želite kreirati predložak sadržaja.
\n
\n
Nakon što upišete ime, urednici mogu početi koristiti predložak sadržaja kao osnovu za svoju novu stranicu.
\n ',
+ manageHeadline: 'Kako upravljati predlošcima sadržaja?',
+ manageDescription:
+ 'Možete uređivati i brisati predloške sadržaja iz stabla "Predlošci sadržaja" u\n sekciji postavke. Proširite vrstu dokumenta na kojoj se temelji predložak sadržaja i kliknite na nju da biste uredili ili obrisali.\n ',
+ },
+ preview: {
+ endLabel: 'Kraj',
+ endTitle: 'Završi način pregleda',
+ openWebsiteLabel: 'Pregledajte web stranicu',
+ openWebsiteTitle: 'Otvorite web stranicu u načinu pregleda',
+ returnToPreviewHeadline: 'Pregledajte web stranicu?',
+ returnToPreviewDescription:
+ 'Završili ste način pregleda, želite li ga ponovo omogućiti da vidite\n najnovije spremljene verzije vaše web stranice?\n ',
+ returnToPreviewAcceptButton: 'Pregledajte najnoviju verziju',
+ returnToPreviewDeclineButton: 'Pogledajte objavljenu verziju',
+ viewPublishedContentHeadline: 'Pogledajte objavljenu verziju?',
+ viewPublishedContentDescription:
+ 'Nalazite se u načinu pregleda, želite li izaći da biste vidjeli\n objavljenu verziju Vaše web stranice?\n ',
+ viewPublishedContentAcceptButton: 'Pogledajte objavljenu verziju',
+ viewPublishedContentDeclineButton: 'Ostanite u načinu pregleda',
+ },
+ permissions: {
+ FolderCreation: 'Kreiranje mape',
+ FileWritingForPackages: 'Pisanje datoteka za pakete',
+ FileWriting: 'Pisanje datoteka',
+ MediaFolderCreation: 'Kreiranje medijskog foldera',
+ },
+ treeSearch: {
+ searchResult: 'stavka vraćena',
+ searchResults: 'stavke vraćene',
+ },
+ analytics: {
+ consentForAnalytics: 'Suglasnost za prikupljanje telemetrijskih podataka',
+ analyticsLevelSavedSuccess: 'Telemetrijska razina spremljena!',
+ analyticsDescription:
+ '\n Kako bismo unaprijedili Umbraco i dodali nove funkcionalnosti na temelju relevantnih informacija,\n želimo prikupljati podatke o sustavu i uporabi iz vaše instalacije.\n Zbirni podaci bit će redovito dijeljeni, kao i saznanja dobivena iz tih metrika.\n Nadamo se da ćete nam pomoći prikupiti neke vrijedne podatke.\n \n NEĆEMO prikupljati osobne podatke poput sadržaja, koda, informacija o korisnicima, a svi podaci bit će potpuno anonimni.\n ',
+ minimalLevelDescription: 'Poslat ćemo samo anonimni ID web-mjesta kako bismo znali da web-mjesto postoji.',
+ basicLevelDescription: 'Poslat ćemo anonimni ID web-mjesta, verziju Umbraco-a i instalirane pakete.',
+ detailedLevelDescription:
+ '\n Poslat ćemo:\n
\n
Anonimni ID web-mjesta, verziju Umbraco-a i instalirane pakete.
\n
Broj: korijenskih čvorova, čvorova sadržaja, makroa, medija, vrsta dokumenata, predložaka, jezika, domena, korisničkih grupa, korisnika, članova, vanjskih pružatelja prijave u Backoffice-u i uređivača svojstava u upotrebi.
\n
Informacije o sustavu: web poslužitelj, operativni sustav poslužitelja, okvir poslužitelja, jezik operativnog sustava poslužitelja i pružatelj baze podataka.
\n
Postavke konfiguracije: način Modelsbuilder-a, postoji li prilagođena putanja Umbraco-a, ASP okolina, je li omogućen dostavni API, dopušta li javni pristup i je li u načinu rada za otklanjanje pogrešaka.
\n
\n Moguće je da ćemo u budućnosti promijeniti podatke koje šaljemo na Detaljnoj razini. Ako se to dogodi, bit će navedeno iznad.\n Odabirom "Detaljno" pristajete na prikupljanje trenutnih i budućih anonimiziranih informacija.\n ',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/it-ch.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/it-ch.ts
new file mode 100644
index 0000000000..bdba6cf8c1
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/it-ch.ts
@@ -0,0 +1,17 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: it_ch
+ * Language Int Name: Italian Switzerland (IT-CH)
+ * Language Local Name: Italiano Svizerra (IT-CH)
+ * Language LCID: 16
+ * Language Culture: it-CH
+ */
+import it_it from './it-it.js';
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+
+export default {
+ // NOTE: Imports and re-exports the Italian (Italy) localizations, so that any Italian (Switzerland) localizations can be override them. [LK]
+ ...it_it,
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/it-it.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/it-it.ts
new file mode 100644
index 0000000000..e991e84f29
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/it-it.ts
@@ -0,0 +1,2319 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: it
+ * Language Int Name: Italian (IT)
+ * Language Local Name: italiano (IT)
+ * Language LCID: 16
+ * Language Culture: it-IT
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Gestisci hostnames',
+ auditTrail: 'Audit Trail',
+ browse: 'Sfoglia',
+ changeDocType: 'Cambia tipo di documento',
+ changeDataType: 'Cambia tipo di dato',
+ copy: 'Copia',
+ create: 'Crea',
+ export: 'Esporta',
+ createPackage: 'Crea pacchetto',
+ createGroup: 'Crea gruppo',
+ delete: 'Cancella',
+ disable: 'Disabilita',
+ editSettings: 'Modifica impostazioni',
+ emptyrecyclebin: 'Svuota il cestino',
+ enable: 'Abilita',
+ exportDocumentType: 'Esporta il tipo di documento',
+ importdocumenttype: 'Importa il tipo di documento',
+ importPackage: 'Importa il pacchetto',
+ liveEdit: 'Modifica in Area di Lavoro',
+ logout: 'Uscita',
+ move: 'Sposta',
+ notify: 'Notifiche',
+ protect: 'Accesso pubblico',
+ publish: 'Pubblica',
+ unpublish: 'Non pubblicare',
+ refreshNode: 'Aggiorna',
+ republish: 'Ripubblica intero sito',
+ remove: 'Rimuovi',
+ rename: 'Rinomina',
+ restore: 'Ripristina',
+ SetPermissionsForThePage: 'Imposta i permessi per la pagina %0%',
+ chooseWhereToCopy: 'Scegli dove copiare',
+ chooseWhereToMove: 'Scegli dove muovere',
+ toInTheTreeStructureBelow: 'nella struttura sottostante',
+ infiniteEditorChooseWhereToCopy: "Scegli dove copiare l'oggetto/gli oggetti selezionati",
+ infiniteEditorChooseWhereToMove: "Scegli dove spostare l'oggetto/gli oggetti selezionati",
+ wasMovedTo: 'è stato spostato in',
+ wasCopiedTo: 'è stato copiato in',
+ wasDeleted: 'è stato eliminato',
+ rights: 'Permessi',
+ rollback: 'Annulla ultima modifica',
+ sendtopublish: 'Invia per la pubblicazione',
+ sendToTranslate: 'Invia per la traduzione',
+ setGroup: 'Crea gruppo',
+ sort: 'Ordina',
+ translate: 'Traduci',
+ update: 'Aggiorna',
+ setPermissions: 'Imposta permessi',
+ unlock: 'Sblocca',
+ createblueprint: 'Crea modello di contenuto',
+ resendInvite: "Invia nuovamente l'invito",
+ },
+ actionCategories: {
+ content: 'Contenuto',
+ administration: 'Amministrazione',
+ structure: 'Struttura',
+ other: 'Altro',
+ },
+ actionDescriptions: {
+ assignDomain: "Consenti l'accesso per assegnare gli hostnames",
+ auditTrail: "Consenti l'accesso per visualizzare la cronologia di un nodo",
+ browse: "Consenti l'accesso per visualizzare un nodo",
+ changeDocType: "Consenti l'accesso per cambiare tipo di documento a un nodo",
+ copy: "Consenti l'accesso per copiare un nodo",
+ create: "Consenti l'accesso per creare i nodi",
+ delete: "Consenti l'accesso per eliminare i nodi",
+ move: "Consenti l'accesso per spostare un nodo",
+ protect: "Consenti l'accesso per impostare e cambiare le restrizioni di accesso a un nodo",
+ publish: "Consenti l'accesso per pubblicare un nodo",
+ unpublish: "Consenti l'accesso per non pubblicare un nodo",
+ rights: "Consenti l'accesso per cambiare i permessi di un nodo",
+ rollback: "Consenti l'accesso per riportare un nodo a una versione precedente",
+ sendtopublish: "Consenti l'accesso per inviare un nodo in approvazione prima di pubblicare",
+ sendToTranslate: "Consenti l'accesso per inviare un nodo per la traduzione",
+ sort: "Consenti l'accesso per cambiare l'ordinamento dei nodi",
+ translate: "Consenti l'accesso per tradurre un nodo",
+ update: "Consenti l'accesso per salvare un nodo",
+ createblueprint: "Consenti l'accesso per creare un modello di contenuto",
+ },
+ apps: {
+ umbContent: 'Contenuto',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Permesso negato.',
+ addNew: 'Aggiungi nuovo dominio',
+ remove: 'rimuovi',
+ invalidNode: 'Nodo non valido.',
+ invalidDomain: 'Uno o più domini hanno un formato non valido.',
+ duplicateDomain: 'Il dominio è già stato assegnato.',
+ language: 'Lingua',
+ domain: 'Dominio',
+ domainCreated: "Il dominio '%0%' è stato creato",
+ domainDeleted: "Il dominio '%0%' è stato cancellato",
+ domainExists: "Il dominio '%0%' è già stato assegnato",
+ domainUpdated: "Il dominio '%0%' è stato aggiornato",
+ orEdit: 'Modifica il dominio corrente',
+ domainHelpWithVariants:
+ 'Nomi di dominio validi sono: "example.com", "www.example.com", "example.com:8080", oppure "https://www.example.com/".\n Inoltre sono supportati anche i percorsi a un livello nei domini, ad esempio "example.com/it" oppure "/it".',
+ inherit: 'Eredita',
+ setLanguage: 'Lingua',
+ setLanguageHelp:
+ 'Imposta la lingua per i nodi sotto il nodo corrente, oppure eredita la lingua dai nodi padre. Si applicherà anche \n al nodo corrente, a meno che un dominio sotto non venga applicato.',
+ setDomains: 'Domini',
+ },
+ buttons: {
+ clearSelection: 'Cancella selezione',
+ select: 'Seleziona',
+ somethingElse: "Fai qualcos'altro",
+ bold: 'Grassetto',
+ deindent: 'Cancella rientro paragrafo',
+ formFieldInsert: 'Inserisci campo del form',
+ graphicHeadline: 'Inserisci intestazione grafica',
+ htmlEdit: 'Modifica Html',
+ indent: 'Inserisci rientro paragrafo',
+ italic: 'Corsivo',
+ justifyCenter: 'Centra',
+ justifyLeft: 'Allinea testo a sinistra',
+ justifyRight: 'Allinea testo a destra',
+ linkInsert: 'Inserisci Link',
+ linkLocal: 'Inserisci local link (ancora)',
+ listBullet: 'Elenco puntato',
+ listNumeric: 'Elenco numerato',
+ macroInsert: 'Inserisci macro',
+ pictureInsert: 'Inserisci immagine',
+ publishAndClose: 'Pubblica e chiudi',
+ publishDescendants: 'Pubblica con discendenti',
+ relations: 'Modifica relazioni',
+ returnToList: 'Ritorna alla lista',
+ save: 'Salva',
+ saveAndClose: 'Salva e chiudi',
+ saveAndPublish: 'Salva e pubblica',
+ saveAndSchedule: 'Salva e pianifica',
+ saveToPublish: 'Salva e invia per approvazione',
+ saveListView: 'Salva list view',
+ schedulePublish: 'Pianifica',
+ showPage: 'Anteprima',
+ saveAndPreview: 'Salva e visualizza anteprima',
+ showPageDisabled: "L'anteprima è disabilitata perché non ci sono template assegnati",
+ styleChoose: 'Scegli stile',
+ styleShow: 'Vedi stili',
+ tableInsert: 'Inserisci tabella',
+ generateModelsAndClose: 'Genera modelli e chiudi',
+ saveAndGenerateModels: 'Salva e genera modelli',
+ undo: 'Indietro',
+ redo: 'Avanti',
+ rollback: 'Ripristina',
+ deleteTag: 'Elimina tag',
+ confirmActionCancel: 'Cancella',
+ confirmActionConfirm: 'Conferma',
+ morePublishingOptions: 'Più opzioni di pubblicazione',
+ submitChanges: 'Invia',
+ submitChangesAndClose: 'Invia e chiudi',
+ },
+ auditTrailsMedia: {
+ delete: 'Media eliminato',
+ move: 'Media spostato',
+ copy: 'Media copiato',
+ save: 'Media salvato',
+ },
+ auditTrails: {
+ atViewingFor: 'Visualizzazione per',
+ delete: 'Contenuto eliminato',
+ unpublish: 'Contenuto non pubblicato',
+ unpublishvariant: 'Contenuto non pubblicato per le lingue: %0%',
+ publish: 'Contenuto pubblicato',
+ publishvariant: 'Contenuto pubblicato per le lingue: %0%',
+ save: 'Contenuto salvato',
+ savevariant: 'Contenuto salvato per le lingue: %0%',
+ move: 'Contenuto spostato',
+ copy: 'Contenuto copiato',
+ rollback: 'Contenuto ripristinato',
+ sendtopublish: "Contenuto inviato per l'approvazione",
+ sendtopublishvariant: "Contenuto inviato per l'approvazione per le lingue: %0%",
+ sort: "Ordina gli elementi figlio eseguito dall'utente",
+ custom: '%0%',
+ smallCopy: 'Copia',
+ smallPublish: 'Pubblica',
+ smallPublishVariant: 'Pubblica',
+ smallMove: 'Sposta',
+ smallSave: 'Salva',
+ smallSaveVariant: 'Salva',
+ smallDelete: 'Elimina',
+ smallUnpublish: 'Non pubblicare',
+ smallUnpublishVariant: 'Non pubblicare',
+ smallRollBack: 'Ripristina',
+ smallSendToPublish: "Invia per l'approvazione",
+ smallSendToPublishVariant: "Invia per l'approvazione",
+ smallSort: 'Ordina',
+ smallCustom: 'Personalizzato',
+ historyIncludingVariants: 'Cronologia (tutte le varianti)',
+ },
+ codefile: {
+ createFolderFailedById: 'Impossibile creare una cartella sotto genitore con ID %0%',
+ createFolderFailedByName: 'Impossibile creare una cartella sotto genitore con nome %0%',
+ createFolderIllegalChars: 'Il nome della cartella non può contenere caratteri non validi.',
+ deleteItemFailed: "Impossibile eliminare l'elemento: %0%",
+ },
+ content: {
+ isPublished: 'Pubblicato',
+ about: 'Informazioni su questa pagina',
+ alias: 'Alias',
+ alternativeTextHelp: "(come descriveresti l'immagine via telefono)",
+ alternativeUrls: 'Links alternativi',
+ clickToEdit: 'Clicca per modificare questo elemento',
+ createBy: 'Creato da',
+ createByDesc: 'Autore originale',
+ updatedBy: 'Aggiornato da',
+ createDate: 'Creato il',
+ createDateDesc: 'Data e ora in cui questo documento è stato creato',
+ documentType: 'Tipo di documento',
+ editing: 'Modifica',
+ expireDate: 'Attivo fino al',
+ itemChanged: 'Questo elemento è stato modificato dopo la pubblicazione',
+ itemNotPublished: 'Questo elemento non è stato pubblicato',
+ lastPublished: 'Ultima pubblicazione',
+ noItemsToShow: 'Non ci sono elementi da visualizzare',
+ listViewNoItems: 'Non ci sono elementi da visualizzare nella lista.',
+ listViewNoContent: 'Nessun elemento figlio è stato aggiunto',
+ listViewNoMembers: 'Nessun membro è stato aggiunto',
+ mediatype: 'Tipo di media',
+ mediaLinks: 'Link ai media',
+ membergroup: 'Gruppo di membri',
+ memberrole: 'Ruolo',
+ membertype: 'Tipo di Membro',
+ noChanges: 'Non sono state effettuate modifiche',
+ noDate: 'La data non è stata selezionata',
+ nodeName: 'Titolo della Pagina',
+ noMediaLink: 'Questo media non ha link',
+ noProperties: 'Nessun contenuto può essere aggiunto per questo elemento',
+ otherElements: 'Proprietà',
+ parentNotPublished: "Questo documento è pubblicato, ma non è visibile perché il padre '%0%' non è pubblicato",
+ parentCultureNotPublished: "Questa lingua è pubblicata, ma non è visibile perché non è pubblicata al padre '%0%'",
+ parentNotPublishedAnomaly: 'Questo documento è pubblicato, ma non è nella cache',
+ getUrlException: "Impossibile ottenere l'URL",
+ routeError: 'Questo documento è pubblicato ma il suo URL entrerebbe in conflitto con il contenuto %0%',
+ routeErrorCannotRoute: 'Questo documento è pubblicato ma il suo URL non può essere instradato',
+ publish: 'Pubblica',
+ published: 'Pubblicato',
+ publishedPendingChanges: 'Pubblicato (modifiche in sospeso)',
+ publishStatus: 'Stato della pubblicazione',
+ publishDescendantsHelp:
+ 'Pubblica %0% e tutti gli elementi sottostanti, rendendo così il loro contenuto pubblicamente disponibile.',
+ publishDescendantsWithVariantsHelp:
+ 'Pubblica le varianti e le varianti dello stesso tipo sottostanti, rendendo così il loro contenuto pubblicamente disponibile.',
+ releaseDate: 'Pubblicato il',
+ unpublishDate: 'Non pubblicato il',
+ removeDate: 'Rimuovi data',
+ setDate: 'Imposta data',
+ sortDone: 'Ordinamento dei nodi aggiornato',
+ sortHelp:
+ 'Per ordinare i nodi, è sufficiente trascinare i nodi o fare clic su una delle intestazioni di colonna. È possibile selezionare più nodi tenendo premuto il tasto "shift" o "control" durante la selezione',
+ statistics: 'Statistiche',
+ titleOptional: 'Titolo (opzionale)',
+ altTextOptional: 'Testo alternativo (opzionale)',
+ captionTextOptional: 'Didascalia (opzionale)',
+ type: 'Tipo',
+ unpublish: 'Non pubblicare',
+ unpublished: 'Bozza',
+ notCreated: 'Non creato',
+ updateDate: 'Ultima modifica',
+ updateDateDesc: 'Data e ora in cui questo documento è stato modificato',
+ uploadClear: 'Rimuovi file(s)',
+ uploadClearImageContext: "Clicca qui per rimuovere l'immagine dal media",
+ uploadClearFileContext: 'Clicca qui per rimuovere il file dal media',
+ urls: 'Link al documento',
+ memberof: 'Membro del gruppo/i',
+ notmemberof: 'Non un membro del gruppo/i',
+ childItems: 'Elementi figli',
+ target: 'Target',
+ scheduledPublishServerTime: 'Questo si traduce nella seguente ora sul server:',
+ scheduledPublishDocumentation:
+ 'Cosa significa questo?',
+ nestedContentDeleteItem: 'Sei sicuro di voler eliminare questo oggetto?',
+ nestedContentDeleteAllItems: 'Sei sicuro di voler eliminare tutti gli oggetti?',
+ nestedContentEditorNotSupported: "La proprietà %0% usa l'editor %1% che non è supportato dal Nested Content.",
+ nestedContentNoContentTypes: 'Nessun tipo di contenuto configurato per questa proprietà.',
+ nestedContentAddElementType: 'Aggiungi Element Type',
+ nestedContentSelectElementTypeModalTitle: 'Seleziona Element Type',
+ nestedContentGroupHelpText:
+ "Seleziona il gruppo di cui devono essere visualizzate le proprietà. Se lasciato vuoto, verrà utilizzato il primo gruppo sull'Element Type.",
+ nestedContentTemplateHelpTextPart1:
+ "Immettere un'espressione di angular da valutare rispetto a ciascun\n elemento per il relativo nome. Utilizza\n ",
+ nestedContentTemplateHelpTextPart2: "per visualizzare l'index dell'oggetto",
+ addTextBox: 'Aggiungi un altro box di testo',
+ removeTextBox: 'Rimuovi questa text box',
+ contentRoot: 'Root del contenuto',
+ includeUnpublished: 'Includi elementi di contenuto non pubblicati.',
+ isSensitiveValue:
+ "Questo valore è nascosto. Se hai bisogno dell'accesso per visualizzare questo valore contatta l'amministratore del sito.",
+ isSensitiveValue_short: 'Questo valore è nascosto.',
+ languagesToPublishForFirstTime:
+ 'Quali lingue vorresti pubblicare? Tutte le lingue con contenuto vengono\n salvate!\n ',
+ languagesToPublish: 'Quali lingue vorresti pubblicare?',
+ languagesToSave: 'Quali lingue vorresti salvare?',
+ languagesToSaveForFirstTime: 'Tutte le lingue con contenuto vengono salvate alla creazione!',
+ languagesToSendForApproval: "Quali lingue vorresti inviare per l'approvazione?",
+ languagesToSchedule: 'Quali lingue vorresti pianificare?',
+ languagesToUnpublish:
+ 'Seleziona le lingue da non pubblicare. Non pubblicando una lingua obbligatoria\n annullerai la pubblicazione di tutte le lingue.\n ',
+ publishedLanguages: 'Lingue pubblicate',
+ unpublishedLanguages: 'Lingue non pubblicate',
+ unmodifiedLanguages: 'Lingue non modificate',
+ untouchedLanguagesForFirstTime: 'Queste lingue non sono state create.',
+ variantsWillBeSaved: 'Tutte le nuove varianti verranno salvate.',
+ variantsToPublish: 'Quali varianti vorresti pubblicare?',
+ variantsToSave: 'Scegli quali varianti verranno salvate.',
+ variantsToSendForApproval: "Scegli le varianti da inviare per l'approvazione.",
+ variantsToSchedule: 'Imposta pubblicazione pianificata...',
+ variantsToUnpublish:
+ 'Seleziona le varianti da non pubblicare. Non pubblicando una lingua obbligatoria\n annullerai la pubblicazione di tutte le varianti.\n ',
+ publishRequiresVariants: 'Per la pubblicazione sono necessarie le seguenti varianti:',
+ notReadyToPublish: 'Non siamo pronti per la pubblicazione',
+ readyToPublish: 'Pronto per la pubblicazione?',
+ readyToSave: 'Pronto per il salvataggio?',
+ sendForApproval: "Invia per l'approvazione",
+ schedulePublishHelp: "Seleziona da data e l'ora in cui pubblicare/non pubblicare il contenuto.",
+ createEmpty: 'Crea nuovo/a',
+ createFromClipboard: 'Incolla dagli appunti',
+ nodeIsInTrash: 'Questo articolo è nel cestino',
+ saveModalTitle: 'Salva',
+ },
+ blueprints: {
+ createBlueprintFrom: "Crea un nuovo modello di contenuto da '%0%'",
+ blankBlueprint: 'Vuoto',
+ selectBlueprint: 'Seleziona un modello di contenuto',
+ createdBlueprintHeading: 'Modello di contenuto creato',
+ createdBlueprintMessage: "Un modello di contenuto è stato creato da '%0%'",
+ duplicateBlueprintMessage: 'Un altro modello di contenuto con lo stesso nome esiste già',
+ blueprintDescription:
+ 'Un modello di contenuto è del contenuto predefinito che un editor può utilizzare come base per creare un nuovo contenuto.',
+ },
+ media: {
+ clickToUpload: 'Clicca per caricare',
+ orClickHereToUpload: 'o clicca qui per scegliere i files',
+ dragFilesHereToUpload: 'Puoi trascinare i file qui per caricarli.',
+ disallowedFileType: 'Impossibile caricare questo file, non ha un tipo di file approvato',
+ maxFileSize: 'La dimensione massima del file è',
+ mediaRoot: 'Media root',
+ moveFailed: 'Impossibile spostare il media',
+ moveToSameFolderFailed: 'La cartella padre e di destinazione non possono essere le stesse',
+ copyFailed: 'Impossibile copiare il media',
+ createFolderFailed: "Impossibile creare una cartella sotto l'id padre %0%",
+ renameFolderFailed: 'Impossibile rinominare la cartella con id %0%',
+ dragAndDropYourFilesIntoTheArea: "Trascina e rilascia i tuoi file nell'area",
+ uploadNotAllowed: 'Il caricamento non è consentito in questa posizione.',
+ },
+ member: {
+ createNewMember: 'Crea un nuovo membro',
+ allMembers: 'Tutti i membri',
+ memberGroupNoProperties: 'I gruppi di membri non hanno proprietà aggiuntive per la modifica.',
+ },
+ contentType: {
+ copyFailed: 'Impossibile copiare il content type',
+ moveFailed: 'Impossibile spostare il content type',
+ },
+ mediaType: {
+ copyFailed: 'Impossibile copiare il media type',
+ moveFailed: 'Impossibile spostare il media type',
+ autoPickMediaType: 'Selezione automatica',
+ },
+ memberType: {
+ copyFailed: 'Impossibile copiare il member type',
+ },
+ create: {
+ chooseNode: 'Dove vuoi creare il nuovo %0%',
+ createUnder: 'Crea un elemento sotto',
+ createContentBlueprint: 'Seleziona il Document Type per cui vuoi creare un modello di contenuto',
+ enterFolderName: 'Inserisci il nome della cartella',
+ updateData: 'Scegli il tipo ed il titolo',
+ noDocumentTypes:
+ 'Non ci sono tipi di documento abilitati disponibili per creare un contenuto qui. Devi abilitarli in Tipi di documento dentro la sezione Impostazioni, modificando Tipi di nodi figlio consentiti sotto Permessi.',
+ noDocumentTypesAtRoot:
+ 'Non ci sono tipi di documento abilitati disponibili per creare un contenuto qui. Devi crearli in Tipi di documento dentro la sezione Impostazioni.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'La pagina selezionata nel content tree non permette a nessuna\n pagina di essere creata sotto di essa.\n ',
+ noDocumentTypesEditPermissions: 'Modifica permessi per questo tipo di documento',
+ noDocumentTypesCreateNew: 'Crea un nuovo tipo di documento',
+ noDocumentTypesAllowedAtRoot:
+ "Non ci sono tipi di documento abilitati disponibili per creare un contenuto qui. Devi abilitarli in Tipi di documento dentro la sezione Impostazioni, cambiando l'opzione Consenti come root sotto Permessi.",
+ noMediaTypes:
+ 'Non ci sono tipi di documento abilitati disponibili per creare un media qui. Devi abilitarli in Tipi di documento dentro la sezione Impostazioni, modificando Tipi di nodi figlio consentiti sotto Permessi.',
+ noMediaTypesWithNoSettingsAccess:
+ 'Il media selezionato non consente la creazione di altri media al di\n sotto di esso.\n ',
+ noMediaTypesEditPermissions: 'Modifica permessi per questo tipo di media',
+ documentTypeWithoutTemplate: 'Tipo di documento senza template',
+ documentTypeWithTemplate: 'Tipo di documento con template',
+ documentTypeWithTemplateDescription:
+ 'La definizione dei dati per una pagina di contenuto che può essere creata dagli editor nella struttura dei contenuti ed è direttamente accessibile tramite un URL.',
+ documentType: 'Tipo di documento',
+ documentTypeDescription:
+ 'La definizione dei dati per un componente del contenuto che può essere creato dagli editor nella struttura del contenuto e prelevato su altre pagine ma non ha un URL diretto.',
+ elementType: 'Tipo di elemento',
+ elementTypeDescription:
+ "Definisce lo schema per un insieme ripetuto di proprietà, ad esempio, in un editor di proprietà 'Block List' o 'Nested Content'.",
+ composition: 'Composizione',
+ compositionDescription:
+ 'Definisce un insieme riutilizzabile di proprietà che possono essere incluse nella definizione di più altri tipi di documento. Ad esempio, un insieme di "Impostazioni pagina comuni".',
+ folder: 'Cartella',
+ folderDescription:
+ 'Utilizzato per organizzare i tipi di documento, le composizioni e i tipi di elementi\n creati in questo albero dei tipi di documento.\n ',
+ newFolder: 'Nuova cartella',
+ newDataType: 'Nuovo tipo di dato',
+ newJavascriptFile: 'Nuovo file JavaScript',
+ newEmptyPartialView: 'Nuova partial view vuota',
+ newPartialViewMacro: 'Nuova partial view macro',
+ newPartialViewFromSnippet: 'Nuova partial view da snippet',
+ newPartialViewMacroFromSnippet: 'Nuova partial view macro da snippet',
+ newPartialViewMacroNoMacro: 'Nuova partial view macro (senza macro)',
+ newStyleSheetFile: 'Nuovo foglio di stile',
+ newRteStyleSheetFile: 'Nuovo foglio di stile per Rich Text Editor',
+ },
+ dashboard: {
+ browser: 'Naviga il tuo sito web',
+ dontShowAgain: 'Non mostrare più',
+ nothinghappens: 'se Umbraco non si sta aprendo, potresti aver bisogno di rimuovere il blocco popup',
+ openinnew: 'hai aperto una nuova finestra',
+ restart: 'Riavvia',
+ visit: 'Visita',
+ welcome: 'Benvenuto',
+ },
+ prompt: {
+ stay: 'Rimani',
+ discardChanges: 'Scarta le modifiche',
+ unsavedChanges: 'Hai delle modifiche non salvate',
+ unsavedChangesWarning: 'Sei sicuro di voler lasciare questa pagina? Hai delle modifiche non salvate!\n ',
+ confirmListViewPublish: 'Pubblicando renderai visibli gli oggetti selezionati sul sito.',
+ confirmListViewUnpublish:
+ 'Non pubblicando rimuoverai gli oggetti selezionati e i loro discendenti dal\n sito.\n ',
+ confirmUnpublish: 'Non pubblicando rimuoverai questa pagina e tutti i suoi discendenti dal sito.',
+ doctypeChangeWarning: 'Hai modifiche non salvate. Apportare modifiche al tipo di documento annullerà le modifiche.',
+ },
+ bulk: {
+ done: 'Fatto',
+ deletedItem: 'Eliminato %0% elemento',
+ deletedItems: 'Eliminati %0% elementi',
+ deletedItemOfItem: 'Eliminato %0% su %1% elemento',
+ deletedItemOfItems: 'Eliminati %0% su %1% elementi',
+ publishedItem: 'Pubblicato %0% elemento',
+ publishedItems: 'Pubblicati %0% elementi',
+ publishedItemOfItem: 'Pubblicato %0% su %1% elemento',
+ publishedItemOfItems: 'Pubblicati %0% su %1% elementi',
+ unpublishedItem: '%0% elemento non pubblicato',
+ unpublishedItems: '%0% elementi non pubblicati',
+ unpublishedItemOfItem: 'Elementi non pubblicati: %0% su %1%',
+ unpublishedItemOfItems: 'Elementi non pubblicati: %0% su %1%',
+ movedItem: 'Spostato %0% elemento',
+ movedItems: 'Spostati %0% elementi',
+ movedItemOfItem: 'Spostato %0% su %1% elemento',
+ movedItemOfItems: 'Spostati %0% su %1% elementi',
+ copiedItem: 'Copiato %0% elemento',
+ copiedItems: 'Copiati %0% elementi',
+ copiedItemOfItem: 'Copiato %0% su %1% elemento',
+ copiedItemOfItems: 'Copiati %0% su %1% elementi',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Titolo del Link',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Ancora / querystring',
+ anchorInsert: 'Nome',
+ closeThisWindow: 'Chiudi questa finestra',
+ confirmdelete: 'Sei sicuro di voler eliminare',
+ confirmdisable: 'Sei sicuro di voler disabilitare',
+ confirmremove: 'Sei sicuro di voler rimuovere',
+ confirmremoveusageof: "Sei sicuro di voler rimuovere l'utilizzo di %0%",
+ confirmremovereferenceto: 'Sei sicuro di voler rimuovere la referenza a %0%',
+ confirmlogout: 'Sei sicuro?',
+ confirmSure: 'Sei sicuro?',
+ cut: 'Taglia',
+ editDictionary: 'Modifica elemento del Dizionario',
+ editLanguage: 'Modifica la lingua',
+ editSelectedMedia: 'Modifica il media selezionato',
+ insertAnchor: 'Inserisci il link locale',
+ insertCharacter: 'Inserisci carattere',
+ insertgraphicheadline: 'Inserisci intestazione grafica',
+ insertimage: 'Inserisci immagine',
+ insertlink: 'Inserisci link',
+ insertMacro: 'Inserisci macro',
+ inserttable: 'Inserisci tabella',
+ languagedeletewarning: 'Questo eliminerà la lingua',
+ languageChangeWarning:
+ "La modifica della cultura di una lingua può essere un'operazione costosa e comporterà la ricostruzione della cache dei contenuti e degli indici",
+ lastEdited: 'Ultima modifica',
+ link: 'Link',
+ linkinternal: 'Link interno',
+ linklocaltip: 'Quando usi il link locale, inserisci # prima del link',
+ linknewwindow: 'Apri in nuova finestra?',
+ macroContainerSettings: 'Impostazioni della macro',
+ macroDoesNotHaveProperties: 'Questa macro non contiene proprietà editabili',
+ paste: 'Incolla',
+ permissionsEdit: 'Modifica i permessi per',
+ permissionsSet: 'Imposta i permessi per',
+ permissionsSetForGroup: 'Imposta i permessi per %0% per il gruppo di utenti %1%',
+ permissionsHelp: 'Seleziona i gruppi di utenti per il quale vuoi impostare i permessi',
+ recycleBinDeleting:
+ "Gli elementi presenti nel cestino verranno cancellati. Non chiudere questa finestra finchè l'operazione non è terminata.",
+ recycleBinIsEmpty: 'Il cestino è vuoto',
+ recycleBinWarning: 'Gli elementi cancellati dal cestino non potranno essere recuperati.',
+ regexSearchError:
+ "Il webservice regexlib.com ha attualmente qualche problema, di cui non abbiamo il controllo. Siamo spiacevoli dell'inconveniente.",
+ regexSearchHelp:
+ "Ricerca un'espressione regolare da aggiungere al campo della form per poter validare il contenuto. Esempio: 'email, 'zip-code', 'URL'.",
+ removeMacro: 'Elimina Macro',
+ requiredField: 'Campo obbligatorio',
+ sitereindexed: 'Il sito è stato reindicizzato',
+ siterepublished: 'Il sito è stato ripubblicato',
+ siterepublishHelp:
+ 'La cache del sito sarà ricreata. Tutti gli elementi pubblicati saranno aggiornati, tutti quelli non pubblicati rimarranno tali.',
+ tableColumns: 'Numero di colonne',
+ tableRows: 'Numero di righe',
+ thumbnailimageclickfororiginal: "Clicca sull'immmagine per ingrandirla",
+ treepicker: 'Seleziona elemento',
+ viewCacheItem: 'Visualizza gli elementi in cache',
+ relateToOriginalLabel: "Relaziona con l'originale",
+ includeDescendants: 'Includi discendenti',
+ theFriendliestCommunity: 'La comunità più amichevole',
+ linkToPage: 'Link alla pagina',
+ openInNewWindow: 'Apre il documento linkato in una nuova finestra o tab',
+ linkToMedia: 'Link al media',
+ selectContentStartNode: 'Seleziona il nodo di inizio per il contenuto',
+ selectMedia: 'Seleziona media',
+ selectMediaType: 'Seleziona tipo di media',
+ selectIcon: 'Seleziona icona',
+ selectItem: 'Seleziona oggetto',
+ selectLink: 'Seleziona link',
+ selectMacro: 'Seleziona macro',
+ selectContent: 'Seleziona contenuto',
+ selectContentType: 'Seleziona tipo di contenuto',
+ selectMediaStartNode: 'Seleziona il nodo di inizio per i media',
+ selectMember: 'Seleziona membro',
+ selectMemberGroup: 'Seleziona gruppo di membri',
+ selectMemberType: 'Seleziona tipo di membri',
+ selectNode: 'Seleziona nodo',
+ selectSections: 'Seleziona sezioni',
+ selectUser: 'Seleziona utente',
+ selectUsers: 'Seleziona utenti',
+ noIconsFound: 'Non sono state trovate icone',
+ noMacroParams: 'Non ci sono parametri per questa macro',
+ noMacros: 'Non ci sono macro disponibili da inserire',
+ externalLoginProviders: 'Provider di accesso esterni',
+ exceptionDetail: 'Exception Details',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Linka il tuo',
+ unLinkYour: 'Togli il link al tuo',
+ account: 'account',
+ selectEditor: 'Seleziona editor',
+ selectEditorConfiguration: 'Seleziona configurazione',
+ selectSnippet: 'Seleziona snippet',
+ variantdeletewarning:
+ 'Questo cancellerà il nodo e tutte le sue lingue. Se desideri eliminare solo una lingua, dovresti invece non pubblicare il nodo in quella lingua.',
+ propertyuserpickerremovewarning: "Questo rimuoverà l'utente %0%.",
+ userremovewarning: "Questo rimuoverà l'utente %0% dal gruppo %1%",
+ yesRemove: 'Si, rimuovi',
+ },
+ dictionary: {
+ noItems: 'Non ci sono oggetti nel Dizionario.',
+ },
+ dictionaryItem: {
+ description: "Modifica le lingue per l'elemento '%0%' qui sotto.",
+ displayName: 'Nome della cultura',
+ changeKeyError: "La chiave '%0%' esiste già.",
+ overviewTitle: 'Panoramica del Dizionario',
+ },
+ examineManagement: {
+ configuredSearchers: 'Searchers configurati',
+ configuredSearchersDescription:
+ 'Visualizza le proprietà e gli strumenti per ogni Searcher configurato (per esempio un multi-index searcher)',
+ fieldValues: 'Valori del campo',
+ healthStatus: 'Stato di salute',
+ healthStatusDescription: "Lo stato di salute dell'index e se può essere letto",
+ indexers: 'Indexers',
+ indexInfo: 'Index info',
+ indexInfoDescription: "Elenca le proprietà dell'index",
+ manageIndexes: 'Gestisci gli indexes di Examine',
+ manageIndexesDescription:
+ 'Permette di visualizzare i dettagli di ogni index e fornisce alcuni strumenti\n per gestire gli index\n ',
+ rebuildIndex: 'Ricostruisci index',
+ rebuildIndexWarning:
+ "\n Questo causerà la ricostruzione dell'index. \n A seconda della quantità di contenuti presenti nel tuo sito, potrebbe volerci un po' di tempo. \n Non è consigliabile ricostruire un indice durante i periodi di elevato traffico del sito Web o quando gli editor modificano i contenuti.\n ",
+ searchers: 'Searchers',
+ searchDescription: "Cerca nell'index e visualizza i risultati",
+ tools: 'Strumenti',
+ toolsDescription: "Strumenti per gestire l'index",
+ fields: 'Campi',
+ indexCannotRead: "L'indice non può essere letto e dovrà essere ricostruito",
+ processIsTakingLonger:
+ 'Il processo sta impiegando più tempo del previsto, controlla il log di Umbraco per vedere se ci sono stati errori durante questa operazione',
+ indexCannotRebuild: 'Questo indice non può essere ricostruito perché non ha assegnato',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Inserisci il tuo username',
+ password: 'Inserisci la tua password',
+ confirmPassword: 'Conferma la tua password',
+ nameentity: 'Dai un nome a %0%...',
+ entername: 'Inserisci un nome...',
+ enteremail: 'Inserisci un email...',
+ enterusername: 'Inserisci un username...',
+ label: 'Etichetta...',
+ enterDescription: 'Inserisci una descrizione...',
+ search: 'Cerca...',
+ filter: 'Filtra...',
+ enterTags: 'Scrivi per aggiungere tags (premi invio dopo ogni tag)...',
+ email: 'Inserisci la tua email',
+ enterMessage: 'Inserisci un messaggio...',
+ usernameHint: 'Il tuo username di solito è la tua email',
+ anchor: '#value oppure ?key=value',
+ enterAlias: 'Inserisci un alias...',
+ generatingAlias: "Sto generando l'alias...",
+ a11yCreateItem: 'Crea oggetto',
+ a11yEdit: 'Modifica',
+ a11yName: 'Nome',
+ },
+ editcontenttype: {
+ createListView: 'Crea una list view custom',
+ removeListView: 'Rimuovi la list view custom',
+ aliasAlreadyExists: 'Un tipo di contenuto, tipo di media o tipo di membro con questo alias esiste già',
+ },
+ renamecontainer: {
+ renamed: 'Rinominato',
+ enterNewFolderName: 'Inserisci qui il nuovo nome della cartella',
+ folderWasRenamed: "'%0%' è stato rinominato in '%1%'",
+ },
+ editdatatype: {
+ addPrevalue: 'Aggiungi valore predefinito',
+ dataBaseDatatype: 'Tipo di Dato del database',
+ guid: 'Tipo di dati GUID',
+ renderControl: 'Rendering controllo',
+ rteButtons: 'Bottoni',
+ rteEnableAdvancedSettings: 'Abilita impostazioni avanzate per',
+ rteEnableContextMenu: 'Abilita menu contestuale',
+ rteMaximumDefaultImgSize: 'Dimensione massima delle immagini inserite',
+ rteRelatedStylesheets: 'Fogli di stile collegati',
+ rteShowLabel: 'Visualizza etichetta',
+ rteWidthAndHeight: 'Larghezza e altezza',
+ allPropTypes: 'Tutti i tipi di proprietà & dati delle proprietà',
+ willBeDeleted:
+ 'usando questo tipo di dato verrà eliminato permanentemente, per favore conferma che vuoi eliminare anche questo.',
+ yesDelete: 'Si, elimina',
+ andAllRelated: 'e tutti i tipi di proprietà & dati delle proprietà che usano questo tipo di dato',
+ selectFolder: 'Seleziona la cartella da spostare',
+ inTheTree: 'nella struttura sottostante',
+ wasMoved: 'è stato spostato sotto',
+ hasReferencesDeleteConsequence:
+ 'Eliminando %0% eliminerà le proprietà e i dati dagli oggetti seguenti',
+ acceptDeleteConsequence: 'Capisco che questa azione eliminerà le proprietà e i dati basati su questo tipo di dato',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'I tuoi dati sono stati salvati, ma prima che tu possa pubblicare la tua pagina ci sono degli errori che devono essere corretti:',
+ errorChangingProviderPassword:
+ 'Il MemberShip provider corrente non supporta il cambio password (EnablePasswordRetrieval deve essere true)',
+ errorExistsWithoutTab: '%0% esiste già',
+ errorHeader: 'Si sono verificati degli errori:',
+ errorHeaderWithoutTab: 'Si sono verificati degli errori:',
+ errorInPasswordFormat:
+ 'La password deve essere lunga almeno %0% caratteri e deve contenere almeno %1% carattere(i) non alfanumerico(i)',
+ errorIntegerWithoutTab: '%0% deve essere un intero',
+ errorMandatory: '%0% nella tab %1% è un campo obbligatorio',
+ errorMandatoryWithoutTab: '%0% è un campo obbligatorio',
+ errorRegExp: '%0% in %1% non è un formato corretto',
+ errorRegExpWithoutTab: '%0% non è un formato corretto',
+ },
+ errors: {
+ receivedErrorFromServer: 'È stato ricevuto un errore dal server',
+ dissallowedMediaType: "Il tipo di file specificato è stato disabilitato dall'amministratore",
+ codemirroriewarning:
+ 'NOTA! Anche se CodeMirror è attivata per la configurazione, è disattivato in Internet Explorer perché non è abbastanza stabile.',
+ contentTypeAliasAndNameNotNull: 'Per favore compila entrambi i campi alias e nome sul nuovo propertytype!',
+ filePermissionsError: 'Si è verificato un problema nella lettura/scrittura di un file o di una cartella',
+ macroErrorLoadingPartialView: 'Errore durante il caricamento di una Partial View script (file: %0%)',
+ missingTitle: 'Per favore inserisci un titolo',
+ missingType: 'Per favore scegli un tipo',
+ pictureResizeBiggerThanOrg: "Stai allargano l'immagine più dell'originale. Sei sicuro che vuoi procedere?",
+ startNodeDoesNotExists: 'Nodo iniziale cancellato, per favore contatta il tuo amministratore',
+ stylesMustMarkBeforeSelect: 'Per favore evidenzia il contenuto prima di cambiare lo stile',
+ stylesNoStylesOnPage: 'Nessuno stile attivo disponibile',
+ tableColMergeLeft: 'Per favore posiziona il cursore a sinistra delle due celle che desideri unire ',
+ tableSplitNotSplittable: 'Non puoi dividere una cella che non è stata unita.',
+ propertyHasErrors: 'Questa proprietà non è valida',
+ },
+ general: {
+ options: 'Opzioni',
+ about: 'Info',
+ action: 'Azione',
+ actions: 'Azioni',
+ add: 'Aggiungi',
+ alias: 'Alias',
+ all: 'Tutti',
+ areyousure: 'Sei sicuro?',
+ back: 'Indietro',
+ backToOverview: 'Torna alla panoramica',
+ border: 'Bordo',
+ by: 'o',
+ cancel: 'Annulla',
+ cellMargin: 'Margine Cella (cell margin)',
+ choose: 'Scegli',
+ clear: 'Pulisci',
+ close: 'Chiudi',
+ closewindow: 'Chiudi la finestra',
+ closepane: 'Chiudi il pannello',
+ comment: 'Commento',
+ confirm: 'Conferma',
+ constrain: 'Vincola',
+ constrainProportions: 'Vincola le proporzioni',
+ content: 'Contenuto',
+ continue: 'Continua',
+ copy: 'Copia',
+ create: 'Crea',
+ cropSection: 'Selezione di ritaglio',
+ database: 'Database',
+ date: 'Data',
+ default: 'Default',
+ delete: 'Elimina',
+ deleted: 'Eliminato',
+ deleting: 'Eliminazione...',
+ design: 'Design',
+ dictionary: 'Dizionario',
+ dimensions: 'Dimensioni',
+ discard: 'Scarta',
+ down: 'Giù',
+ download: 'Scarica',
+ edit: 'Modifica',
+ edited: 'Modificato',
+ elements: 'Elementi',
+ email: 'Email',
+ error: 'Errore',
+ field: 'Campo',
+ findDocument: 'Trova',
+ first: 'Primo',
+ focalPoint: 'Punto focale',
+ general: 'Generale',
+ groups: 'Gruppi',
+ group: 'Gruppo',
+ height: 'Altezza',
+ help: 'Guida',
+ hide: 'Nascondi',
+ history: 'Cronologia',
+ icon: 'Icona',
+ id: 'Id',
+ import: 'Importa',
+ includeFromsubFolders: 'Includi le sottocartelle nella ricerca',
+ excludeFromSubFolders: 'Cerca solo in questa cartella',
+ info: 'Info',
+ innerMargin: 'Margine interno (inner margin)',
+ insert: 'Inserisci',
+ install: 'Installa',
+ invalid: 'Non valido',
+ justify: 'Giustificato',
+ label: 'Etichetta',
+ language: 'Lingua',
+ last: 'Ultimo',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Caricamento',
+ locked: 'Bloccato',
+ login: 'Login',
+ logoff: 'Log off',
+ logout: 'Logout',
+ macro: 'Macro',
+ mandatory: 'Obbligatorio',
+ message: 'Messaggio',
+ move: 'Sposta',
+ name: 'Nome',
+ new: 'Nuovo',
+ next: 'Successivo',
+ no: 'No',
+ of: 'di',
+ off: 'Off',
+ ok: 'Ok',
+ open: 'Apri',
+ on: 'On',
+ or: 'o',
+ orderBy: 'Ordina per',
+ password: 'Password',
+ path: 'Percorso',
+ pleasewait: 'Attendere prego...',
+ previous: 'Precedente',
+ properties: 'Proprietà',
+ rebuild: 'Ricompila',
+ reciept: 'Email per ricevere i dati del modulo',
+ recycleBin: 'Cestino',
+ recycleBinEmpty: 'Il cestino è vuoto',
+ reload: 'Ricarica',
+ remaining: 'Rimangono',
+ remove: 'Rimuovi',
+ rename: 'Rinomina',
+ renew: 'Rinnova',
+ required: 'Obbligatorio',
+ retrieve: 'Recupera',
+ retry: 'Riprova',
+ rights: 'Permessi',
+ scheduledPublishing: 'Pubblicazione programmata',
+ search: 'Cerca',
+ searchNoResult: 'Spiacenti, non riusciamo a trovare quello che stai cercando.',
+ noItemsInList: 'Non è stato aggiunto nessun elemento',
+ server: 'Server',
+ settings: 'Impostazioni',
+ show: 'Mostra',
+ showPageOnSend: 'Mostra la pagina inviata',
+ size: 'Dimensione',
+ sort: 'Ordina',
+ status: 'Stato',
+ submit: 'Conferma',
+ success: 'Riuscito',
+ type: 'Tipo',
+ typeToSearch: 'Digita per cercare...',
+ under: 'sotto',
+ up: 'Su',
+ update: 'Aggiorna',
+ upgrade: 'Aggiornamento',
+ upload: 'Carica',
+ url: 'URL',
+ user: 'Utente',
+ username: 'Username',
+ value: 'Valore',
+ view: 'Vedi',
+ welcome: 'Benvenuto...',
+ width: 'Larghezza',
+ yes: 'Si',
+ folder: 'Cartella',
+ searchResults: 'Risultati di ricerca',
+ reorder: 'Riordina',
+ reorderDone: 'Ho finito di riordinare',
+ preview: 'Anteprima',
+ changePassword: 'Cambia password',
+ to: 'a',
+ listView: 'Vista lista',
+ saving: 'Salvataggio...',
+ current: 'corrente',
+ embed: 'Incorpora',
+ selected: 'selezionato',
+ other: 'Altro',
+ articles: 'Articoli',
+ videos: 'Video',
+ installing: 'Installazione',
+ avatar: 'Avatar per',
+ },
+ colors: {
+ blue: 'Blu',
+ },
+ shortcuts: {
+ addGroup: 'Aggiungi gruppo',
+ addProperty: 'Aggiungi proprietà',
+ addEditor: 'Aggiungi editor',
+ addTemplate: 'Aggiungi template',
+ addChildNode: 'Aggiungi nodo figlio',
+ addChild: 'Aggiungi figlio',
+ editDataType: 'Modifica tipo di dato',
+ navigateSections: 'Naviga tra le sezioni',
+ shortcut: 'Scorciatoie',
+ showShortcuts: 'vedi scorciatoie',
+ toggleListView: 'Attiva/disattiva vista lista',
+ toggleAllowAsRoot: 'Attiva/disattiva consenti come root',
+ commentLine: 'Commenta/Non commentare righe',
+ removeLine: 'Rimuovi riga',
+ copyLineUp: 'Copia linee sopra',
+ copyLineDown: 'Copia linee sotto',
+ moveLineUp: 'Sposta linee in su',
+ moveLineDown: 'Sposta linee in giù',
+ generalHeader: 'Generale',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Attiva/disattiva consenti varianti lingua',
+ toggleAllowSegmentVariants: 'Attiva/disattiva la segmentazione',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Colore di sfondo',
+ bold: 'Grassetto',
+ color: 'Colore del testo',
+ font: 'Carattere',
+ text: 'Testo',
+ },
+ headers: {
+ page: 'Pagina',
+ },
+ installer: {
+ databaseErrorCannotConnect: "L'installer non può connettersi al database.",
+ databaseFound: 'Database trovato ed identificato come',
+ databaseHeader: 'Configurazione database',
+ databaseInstall: '\n Premi il tasto installa per installare il database Umbraco %0%\n ',
+ databaseInstallDone: 'Umbraco %0% è stato copiato nel tuo database. Premi Avanti per proseguire.',
+ databaseText:
+ 'Per completare questo passaggio, devi conoscere alcune informazioni riguardanti il tuo database server ("connection string"). \n Se è necessario contatta il tuo ISP per reperire le informazioni necessarie.\n Se stai effettuando l\'installazione in locale o su un server, puoi richiederle al tuo amministratore di sistema.',
+ databaseUpgrade:
+ "\n \t\t
\n \t\tPremi il tasto aggiorna per aggiornare il database ad Umbraco %0%
\n \t\t
\n \t\tNon preoccuparti, il contenuto non verrà perso e tutto continuerà a funzionare dopo l'aggiornamento!\n \t\t
\n \t",
+ databaseUpgradeDone:
+ "Il tuo database è stato aggiornato all'ultima versione %0%. Premi il tasto Avanti per\n continuare. ",
+ databaseUpToDate:
+ 'Il tuo database è aggiornato!. Clicca il tasto Avanti per continuare la configurazione.',
+ defaultUserChangePass: "La password predefinita per l'utente di default deve essere cambiata!",
+ defaultUserDisabled:
+ "L'utente di default è stato disabilitato o non ha accesso ad Umbraco!
Non è necessario eseguire altre operazioni. Clicca il tasto Avanti per continuare.",
+ defaultUserPassChanged:
+ "La password dell'utente di default è stata modificata con successo
Non è necessario eseguire altre operazioni. Clicca il tasto Avanti per continuare.",
+ defaultUserPasswordChanged: 'La password è stata modificata!',
+ greatStart: 'Parti alla grande, guarda i nostri video introduttivi',
+ None: 'Ancora non installato.',
+ permissionsAffectedFolders: 'File e directory interessati',
+ permissionsAffectedFoldersMoreInfo: "Ulteriori informazioni sull'impostazione dei permessi per Umbraco qui",
+ permissionsAffectedFoldersText: "Devi autorizzare l'utente ASP.NET a modificare i seguenti files/cartelle",
+ permissionsAlmostPerfect:
+ 'La configurazione dei permessi è quasi perfetta!
\n \tPuoi eseguire Umbraco senza problemi, ma non sarai in grado di installare i pacchetti che sono consigliati per sfruttare a pieno le potenzialità di Umbraco.',
+ permissionsHowtoResolve: 'Risoluzione del problema',
+ permissionsHowtoResolveLink: 'Clicca qui per leggere la versione testuale',
+ permissionsHowtoResolveText:
+ 'Guarda il nostro video tutorial su come impostare i permessi delle cartelle per Umbraco o leggi la versione testuale.',
+ permissionsMaybeAnIssue:
+ 'Le impostazioni dei permessi potrebbero avere dei problemi!\n \t
\n \tPuoi eseguire Umbraco senza problemi, ma non sarai in grado di creare cartelle o installare pacchetti che sono consigliati per sfruttare a pieno le potenzialità di Umbraco.',
+ permissionsNotReady:
+ 'Le impostazioni dei permessi non sono corrette per Umbraco!\n \t
\n \tPer eseguire Umbraco, devi aggiornare le impostazioni dei permessi.',
+ permissionsPerfect:
+ 'La configurazione dei permessi è perfetta!
\n \tSei pronto per avviare Umbraco e installare i pacchetti!',
+ permissionsResolveFolderIssues: 'Risolvere il problema sulle cartelle',
+ permissionsResolveFolderIssuesLink:
+ 'Clicca questo link per ulteriori informazioni sui problemi con ASP.NET e la creazione di cartelle.',
+ permissionsSettingUpPermissions: 'Impostazione dei permessi delle cartelle',
+ permissionsText:
+ '\n \t\tPer poter archiviare file come immagini e PDF, Umbraco deve avere accesso in scrittura/modifica ad alcune directory.\n \t\tInoltre per incrementare le prestazioni del tuo sito, deve essere possibile memorizzare informazioni temporanee (es: cache).\n \t',
+ runwayFromScratch: 'Voglio partire da zero',
+ runwayFromScratchText:
+ '\n \t\tIl tuo sito al momento è completamente vuoto, e questo è il punto di partenza ideale per creare da zero i tuoi tipi documento e i tuoi templates.\n \t\t(Guarda come)\n \t\tPuoi anche installare eventuali Runway in un secondo momento. Vai nella sezione Developer e scegli Pacchetti.\n \t',
+ runwayHeader: 'Hai configurato una versione pulita della piattaforma Umbraco. Cosa vuoi fare adesso?',
+ runwayInstalled: 'Runway è installato',
+ runwayInstalledText:
+ '\n \t\t\tHai le basi. Seleziona quali moduli vorresti installare. \n \t\t\tQuesta è la lista dei nostri moduli raccomandati, seleziona quali vorresti installare, o vedi l\'intera lista di moduli\n \t\t',
+ runwayOnlyProUsers: 'Raccommandato solo per utenti esperti',
+ runwaySimpleSite: 'Vorrei iniziare da un sito semplice',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" è un semplice sito web contenente alcuni tipi di documento e alcuni templates di base. L\'installer configurerà Runway per te automaticamente,\n ma tu potrai facilmente modificarlo, estenderlo o eliminarlo. Non è necessario installarlo e potrai usare Umbraco anche senza di esso, ma\n Runway ti offre le basi e le best practices per cominciare velocemente.\n Se sceglierai di installare Runway, volendo potrai anche selezionare i moduli di Runway per migliorare le pagine.\n
\n \n Inclusi in Runway: Home page, pagina Guida introduttiva, pagina Installazione moduli \n Moduli opzionali: Top Navigation, Sitemap, Contatti, Gallery.\n \n ',
+ runwayWhatIsRunway: "Cos'è Runway",
+ step1: 'Passo 1/5 Accettazione licenza',
+ step2: 'Passo 2/5: Configurazione database',
+ step3: 'Passo 3/5: Controllo permessi dei file',
+ step4: 'Passo 4/5: Controllo impostazioni sicurezza',
+ step5: 'Passo 5/5: Umbraco è pronto per iniziare',
+ thankYou: 'Grazie per aver scelto Umbraco',
+ theEndBrowseSite:
+ '
Naviga per il tuo nuovo sito
\nHai installato Runway, quindi perché non dare uno sguardo al vostro nuovo sito web.',
+ theEndFurtherHelp:
+ '
Ulteriori informazioni e assistenza
\nFatti aiutare dalla nostra community, consulta la documentazione o guarda alcuni video gratuiti su come costruire un semplice sito web, come usare i pacchetti e una guida rapida alla terminologia Umbraco',
+ theEndHeader: "Umbraco %0% è installato e pronto per l'uso",
+ theEndInstallSuccess:
+ 'Puoi iniziare immediatamente cliccando sul bottone "Avvia Umbraco". Se sei nuovo su Umbraco,\n \tsi possono trovare un sacco di risorse sulle nostre pagine Getting Started.',
+ theEndOpenUmbraco:
+ '
Avvia Umbraco
\nPer gestire il tuo sito web, è sufficiente aprire il backoffice di Umbraco e iniziare ad aggiungere i contenuti, aggiornando i modelli e i fogli di stile o aggiungere nuove funzionalità',
+ Unavailable: 'Connessione al database non riuscita.',
+ Version3: 'Umbraco Versione 3',
+ Version4: 'Umbraco Versione 4',
+ watch: 'Guarda',
+ welcomeIntro:
+ 'Questa procedura guidata ti guiderà attraverso il processo di configurazione di Umbraco %0% per una nuova installazione o per l\'aggiornamento dalla versione 3.0.\n
\n Clicca "avanti" per avviare la procedura.',
+ },
+ language: {
+ cultureCode: 'Codice cultura',
+ displayName: 'Nome cultura',
+ },
+ lockout: {
+ lockoutWillOccur: 'Sei stato inattivo, si verificherà quindi un logout automatico tra',
+ renewSession: 'Riconnetti adesso per salvare il tuo lavoro',
+ },
+ login: {
+ greeting0: 'Benvenuto',
+ greeting1: 'Benvenuto',
+ greeting2: 'Benvenuto',
+ greeting3: 'Benvenuto',
+ greeting4: 'Benvenuto',
+ greeting5: 'Benvenuto',
+ greeting6: 'Benvenuto',
+ instruction: 'Fai il login qui sotto',
+ signInWith: 'Fai il login con',
+ timeout: 'Sessione scaduta',
+ bottomText:
+ '
',
+ forgottenPassword: 'Password dimenticata?',
+ forgottenPasswordInstruction:
+ "Una email verrà inviata all'indirizzo specificato con un link per il reset della password",
+ requestPasswordResetConfirmation:
+ "Un'e-mail con le istruzioni per il reset della password verrà inviata all'indirizzo specificato se registrato.",
+ showPassword: 'Mostra password',
+ hidePassword: 'Nascondi password',
+ returnToLogin: 'Ritorna alla finestra di login',
+ setPasswordInstruction: 'Inserisci una nuova password',
+ setPasswordConfirmation: 'La tua password è stata modificata',
+ resetCodeExpired: 'Il link su cui hai cliccato non è valido o è scaduto',
+ resetPasswordEmailCopySubject: 'Umbraco: Reset Password',
+ resetPasswordEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t
\n\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tReset della password richiesto\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tIl tuo username per effettuare l'accesso al backoffice di Umbraco è: %0%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\n\t\t\n\t",
+ },
+ main: {
+ dashboard: 'Dashboard',
+ sections: 'Sezioni',
+ tree: 'Contenuto',
+ },
+ moveOrCopy: {
+ choose: 'Scegli la pagina sopra...',
+ copyDone: '%0% è stato copiato in %1%',
+ copyTo: 'Seleziona dove il documento %0% deve essere copiato',
+ moveDone: '%0% è stato spostato in %1%',
+ moveTo: 'Seleziona dove il documento %0% deve essere spostato',
+ nodeSelected: "è stato selezionato come radice del nuovo contenuto, clicca 'ok' per proseguire.",
+ noNodeSelected:
+ "Nessun nodo selezionato, si prega di selezionare un nodo nella lista di cui sopra prima di fare click su 'ok'",
+ notAllowedByContentType: 'Non è possibile associare questo tipo di nodo sotto il nodo selezionato.',
+ notAllowedByPath: "Il nodo corrente non può essere spostato in un'altra sua sottopagina",
+ notAllowedAtRoot: 'Il nodo corrente non può esistere nella root',
+ notValid: "Quest'azione non è consentita dato che non hai i permessi su uno o più documenti figlio.",
+ relateToOriginal: "Collega gli elementi copiati all'originale",
+ },
+ notifications: {
+ editNotifications: 'Modifica le tue notifiche per %0%',
+ notificationsSavedFor: 'Impostazioni di notifica salvate per %0%',
+ notifications: 'Notifiche',
+ },
+ packager: {
+ actions: 'Azioni',
+ created: 'Creati',
+ createPackage: 'Crea pacchetto',
+ chooseLocalPackageText:
+ '\n Scegli un pacchetto dal tuo computer cliccando il pulsante Sfoglia \n e selezionando il pacchetto. I pacchetti Umbraco generalmente hanno l\'estensione ".umb" o ".zip".\n ',
+ deletewarning: 'Questo eliminerà il pacchetto',
+ dropHere: 'Trascina qui caricare',
+ includeAllChildNodes: 'Includi tutti i figli',
+ orClickHereToUpload: 'o clicca qui per scegliere il file del pacchetto',
+ uploadPackage: 'Carica pacchetto',
+ localPackageDescription:
+ 'Installa un pacchetto locale dalla tua macchina. Installa solamente pacchetti\n di cui ti fidi e ne conosci la provenienza\n ',
+ uploadAnother: 'Carica un altro pacchetto',
+ cancelAndUploadAnother: 'Cancella e carica un altro pacchetto',
+ accept: 'Accetto',
+ termsOfUse: 'termini di servizio',
+ pathToFile: 'Percorso del file',
+ pathToFileDescription: 'Percorso assoluto del file (es: /bin/umbraco.bin)',
+ installed: 'Installati',
+ installedPackages: 'Pacchetti installati',
+ installLocal: 'Installa localmente',
+ installFinish: 'Termina',
+ noConfigurationView: 'Questo pacchetto non ha una vista di configurazione',
+ noPackagesCreated: 'Non sono ancora stati creati pacchetti',
+ noPackages: 'Non hai installato nessun pacchetto',
+ noPackagesDescription:
+ "Non hai installato nessun pacchetto. Installa un pacchetto selezionandolo dalla tua macchina, oppure cerca tra i pacchetti disponibili usando l'icona 'Pacchetti' in alto a destra del tuo schermo",
+ packageActions: 'Azioni del pacchetto',
+ packageAuthorUrl: "URL dell'autore",
+ packageContent: 'Contenuto del pacchetto',
+ packageFiles: 'Files del pacchetto',
+ packageIconUrl: "URL dell'icona",
+ packageInstall: 'Installa pacchetto',
+ packageLicense: 'Licenza',
+ packageLicenseUrl: 'URL della licenza',
+ packageProperties: 'Proprietà del pacchetto',
+ packageSearch: 'Cerca un pacchetto...',
+ packageSearchResults: 'Risultati per',
+ packageNoResults: 'Non abbiamo trovato niente per',
+ packageNoResultsDescription:
+ 'Per favore prova a cercare un altro pacchetto oppure cerca tra le\n categorie\n ',
+ packagesPopular: 'Popolari',
+ packagesNew: 'Nuove uscite',
+ packageHas: 'ha',
+ packageKarmaPoints: 'punti karma',
+ packageInfo: 'Informazioni',
+ packageOwner: 'Proprietario',
+ packageContrib: 'Contributori',
+ packageCreated: 'Creato',
+ packageCurrentVersion: 'Versione corrente',
+ packageNetVersion: 'Versione .NET',
+ packageDownloads: 'Downloads',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Compatibilità',
+ packageCompatibilityDescription:
+ 'Questo pacchetto è compatibile con le seguenti versioni di Umbraco, come riportato dai membri della community. La piena compatibilità non può essere garantita per le versioni con un giudizio inferiore al 100%',
+ packageExternalSources: 'Sorgenti esterne',
+ packageAuthor: 'Autore',
+ packageDocumentation: 'Documentazione',
+ packageMetaData: 'Meta dati del pacchetto',
+ packageName: 'Nome del pacchetto',
+ packageNoItemsHeader: 'Il pacchetto non contiene nessun elemento',
+ packageNoItemsText:
+ 'Questo pacchetto non contiene elementi da disinstallare.
\n È possibile rimuovere questo pacchetto dal sistema cliccando "rimuovi pacchetto" in basso.',
+ packageOptions: 'Opzioni del pacchetto',
+ packageReadme: 'Pacchetto leggimi',
+ packageRepository: 'Repository del pacchetto',
+ packageUninstallConfirm: 'Conferma eliminazione',
+ packageUninstalledHeader: 'Il pacchetto è stato disinstallato',
+ packageUninstalledText: 'Il pacchetto è stato disinstallato con successo',
+ packageUninstallHeader: 'Disinstalla pacchetto',
+ packageUninstallText:
+ 'È possibile deselezionare gli elementi che non si desidera rimuovere, in questo momento, in basso. Quando si fa click su "Conferma eliminazione" verranno rimossi tutti gli elementi selezionati. \n Avviso: tutti i documenti, i media, etc a seconda degli elementi che rimuoverai, smetteranno di funzionare, e potrebbero portare a un\'instabilità del sistema,\n perciò disinstalla con cautela. In caso di dubbio contattare l\'autore del pacchetto.',
+ packageVersion: 'Versione del pacchetto',
+ packageVersionUpgrade: 'Aggiornamento dalla versione',
+ packageAlreadyInstalled: 'Pacchetto già installato',
+ targetVersionMismatch: 'Questo pacchetto non può essere installato poichè richiede almeno Umbraco',
+ installStateUninstalling: 'Sto disinstallando...',
+ installStateDownloading: 'Sto scaricando...',
+ installStateImporting: 'Sto importando...',
+ installStateInstalling: 'Sto installando...',
+ installStateRestarting: 'Sto riavviando, per favore aspetta...',
+ installStateComplete: 'Completato, la tua pagina verrà ora ricaricata, aspetta...',
+ installStateCompleted:
+ "Per favore clicca 'Completa' per completare l'installazione e ricaricare la\n pagina.\n ",
+ installStateUploading: "Sto effettuando l'upload del pacchetto...",
+ verifiedToWorkOnUmbracoCloud: 'Verificato il funzionamento su Umbraco Cloud',
+ },
+ paste: {
+ doNothing: 'Incolla con tutte le formattazioni (Non consigliato)',
+ errorMessage:
+ 'Il testo che stai cercando di incollare contiene caratteri speciali o una formattazione. Questo potrebbe essere causato da Microsoft Word. Umbraco può rimuovere carattere speciali o formattazioni automaticamente, per rendere il contenuto da incollare più adatto per il web.',
+ removeAll: 'Incolla come testo semplice senza alcuna formattazione',
+ removeSpecialFormattering: 'Incolla, ma rimuove la formattazione (Consigliato)',
+ },
+ publicAccess: {
+ paGroups: 'Protezione basata su gruppi',
+ paGroupsHelp: 'Se vuoi controllare gli accessi usando i gruppi di membri',
+ paGroupsNoGroups:
+ "Devi creare un gruppo di membri prima di utilizzare l'autenticazione basata sui\n gruppi\n ",
+ paErrorPage: 'Pagina di Errore',
+ paErrorPageHelp: 'Usato quando qualcuno è connesso, ma non ha accesso',
+ paHowWould: "Seleziona come restringere l'accesso alla pagina %0%",
+ paIsProtected: '%0% è ora protetta',
+ paIsRemoved: 'Protezione rimossa da %0%',
+ paLoginPage: 'Pagina di Login',
+ paLoginPageHelp: 'Scegliere la pagina che contiene il form di login',
+ paRemoveProtection: 'Rimuovi la protezione...',
+ paRemoveProtectionConfirm: 'Sei sicuro di voler rimuovere la protezione dalla pagina %0%?',
+ paSelectPages: 'Seleziona le pagine che contengono il form di login e i messaggi di errore',
+ paSelectGroups: 'Seleziona i gruppi che hanno accesso alla pagina %0%',
+ paSelectMembers: 'Seleziona i membri che hanno accesso alla pagina %0%',
+ paMembers: 'Protezione specifica per membri',
+ paMembersHelp: 'Se vuoi controllare gli accessi per membri specifici',
+ },
+ publish: {
+ invalidPublishBranchPermissions: 'Permessi insufficienti per pubblicare tutti i discendenti',
+ contentPublishedFailedIsTrashed: "\n %0% non può essere pubblicato perché l'elemento è nel cestino.\n ",
+ contentPublishedFailedAwaitingRelease:
+ "\n %0% non può essere pubblicato perché l'elemento ha in corso una pubblicazione programmata.\n ",
+ contentPublishedFailedExpired: "\n %0% non può essere pubblicato perché l'elemento è scaduto.\n ",
+ contentPublishedFailedInvalid:
+ '\n %0% non può essere pubblicato perché alcune proprietà non hanno passato la validazione.\n ',
+ contentPublishedFailedByEvent:
+ "\n %0% non può essere pubblicato, un add-on di terze parti ha cancellato l'azione.\n ",
+ contentPublishedFailedByParent:
+ '\n %0% non può essere pubblicato perché la pagina padre non è pubblicata.\n ',
+ contentPublishedFailedByMissingName: '%0% non può essere pubblicato perché manca un nome.',
+ contentPublishedFailedReqCultureValidationError:
+ "Validazione fallita per la lingua obbligatoria '%0%'. Questa lingua è stata salvata ma non pubblicata.",
+ inProgress: 'Pubblicazione in corso, aspetta...',
+ inProgressCounter: '%0% di %1% pagine sono state pubblicate...',
+ nodePublish: '%0% è stato pubblicato',
+ nodePublishAll: '%0% e le relative sottopagine sono state pubblicate',
+ publishAll: 'Pubblica %0% e tutte le sue sottopagine',
+ publishHelp:
+ 'Click Pubblica per pubblicare %0% e quindi rendere visibile pubblicamente il suo contenuto.
\n Puoi pubblicare questa pagina e tutte le sue sottopagine spuntando Includi le sottopagine non pubblicate sotto.\n ',
+ },
+ colorpicker: {
+ noColors: 'Non hai configurato nessun colore',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Puoi selezionare solo oggetti di tipo: %0%',
+ pickedTrashedItem: 'Hai selezionato un elemento eliminato o nel cestino',
+ pickedTrashedItems: 'Hai selezionato più elementi eliminati o nel cestino',
+ },
+ mediaPicker: {
+ deletedItem: 'Elemento eliminato',
+ pickedTrashedItem: 'Hai selezionato un media eliminato o nel cestino',
+ pickedTrashedItems: 'Hai selezionato più elementi eliminati o nel cestino',
+ trashed: 'Eliminato',
+ openMedia: 'Apri nella libreria dei media',
+ changeMedia: 'Cambia media',
+ resetMediaCrop: 'Resetta i tagli del media',
+ editMediaEntryLabel: 'Modifica %0% su %1%',
+ confirmCancelMediaEntryCreationHeadline: 'Scartare la creazione?',
+ confirmCancelMediaEntryCreationMessage: 'Sei sicuro di voler cancellare la creazione?',
+ confirmCancelMediaEntryHasChanges:
+ 'Hai fatto delle modifiche a questo contenuto. Sei sicuro di volerle\n scartare?\n ',
+ confirmRemoveMediaEntryMessage: 'Rimuovere?',
+ confirmRemoveAllMediaEntryMessage: 'Rimuovere tutti i media?',
+ tabClipboard: 'Appunti',
+ notAllowed: 'Non permesso',
+ },
+ relatedlinks: {
+ enterExternal: 'Aggiungi link esterno',
+ chooseInternal: 'Aggiungi link interno',
+ caption: 'Didascalia',
+ link: 'Link',
+ newWindow: 'Apri in una nuova finestra',
+ captionPlaceholder: 'inserisci la didascalia da visualizzare',
+ externalLinkPlaceholder: 'Inserisci il link',
+ },
+ imagecropper: {
+ reset: 'Resetta tagio',
+ saveCrop: 'Salva taglio',
+ addCrop: 'Aggiungi nuovo taglio',
+ updateEditCrop: 'Fatto',
+ undoEditCrop: 'Annulla modifiche',
+ customCrop: "Definite dall'utente",
+ },
+ rollback: {
+ changes: 'Modifiche',
+ headline: 'Seleziona una versione da confrontare con la versione corrente',
+ diffHelp:
+ 'Qui vengono mostrate le differenze tra la versione corrente e la versione selezionata Il testo in rosso non verrà mostrato nella versione selezionata, quello in verde verrà aggiunto',
+ documentRolledBack: 'Il documento è stato riportato alla versione scelta.',
+ htmlHelp:
+ 'Qui viene mostrata la versione selezionata in formato html, se vuoi vedere contemporaneamente le differenze tra le due versioni, usa la modalità diff view',
+ rollbackTo: 'Ritorna alla versione',
+ selectVersion: 'Seleziona la versione',
+ view: 'Vedi',
+ },
+ scripts: {
+ editscript: 'Modifica il file di script',
+ },
+ sections: {
+ content: 'Contenuto',
+ forms: 'Forms',
+ media: 'Media',
+ member: 'Membri',
+ packages: 'Pacchetti',
+ settings: 'Impostazioni',
+ translation: 'Traduzione',
+ users: 'Utenti',
+ },
+ help: {
+ tours: 'Tours',
+ theBestUmbracoVideoTutorials: 'I migliori video tutorial su Umbraco',
+ umbracoForum: 'Visita our.umbraco.com',
+ umbracoTv: 'Visita umbraco.tv',
+ },
+ settings: {
+ defaulttemplate: 'Template di base',
+ importDocumentTypeHelp:
+ 'Importa un tipo di documento, trova il file con estensione ".udt" sul tuo computer dopo aver cliccato il pulsante "Sfoglia" e poi clicca "Importa" (ti chiederà una conferma nella prossima schermata)',
+ newtabname: 'Titolo nuova tab',
+ nodetype: 'Tipo di nodo',
+ objecttype: 'Tipo',
+ stylesheet: 'Foglio di stile',
+ script: 'Script',
+ tab: 'Tab',
+ tabname: 'Titolo tab',
+ tabs: 'Tabs',
+ contentTypeEnabled: 'Tipo di contenuto Master abilitato',
+ contentTypeUses: 'Questo tipo di contenuto usa',
+ noPropertiesDefinedOnTab:
+ 'Non ci sono proprietà definite per questa tab. Clicca sul link "aggiungi una nuova proprietà" in cima per creare una nuova proprietà.',
+ createMatchingTemplate: 'Crea un template corrispondente',
+ addIcon: 'Aggiungi icona',
+ },
+ sort: {
+ sortOrder: 'Ordinamento',
+ sortCreationDate: 'Data creazione',
+ sortDone: 'Ordinamento completato.',
+ sortHelp:
+ "Sposta su o giù le pagine trascinandole per determinarne l'ordinamento. Oppure clicca la testata della colonna per ordinare l'intero gruppo di pagine",
+ sortPleaseWait: 'Si prega di attendere. Gli elementi sono in fase di ordinamento, questo può richiedere del tempo.',
+ sortEmptyState: 'Questo elemento non ha elementi figlio da ordinare',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validazione',
+ validationFailedMessage:
+ "Gli errori di validazione devono essere sistemati prima che l'elemento possa\n essere salvato\n ",
+ operationFailedHeader: 'Fallita',
+ operationSavedHeader: 'Salvato',
+ operationSavedHeaderReloadUser: 'Salvato. Per vedere le modifiche appena salvate ricarica la pagina',
+ invalidUserPermissionsText: "Permessi utente non sufficienti, non è stato possibile completare l'operazione",
+ operationCancelledHeader: 'Cancellato',
+ operationCancelledText: "L'operazione è stata cancellata da un add-on di terze parti",
+ contentTypeDublicatePropertyType: 'Tipo di proprietà già esistente',
+ contentTypePropertyTypeCreated: 'Tipo di proprietà creato',
+ contentTypePropertyTypeCreatedText: 'Nome: %0% Tipo di dato: %1%',
+ contentTypePropertyTypeDeleted: 'Tipo di proprietà eliminato',
+ contentTypeSavedHeader: 'Tipo di documento salvato',
+ contentTypeTabCreated: 'Tab creata',
+ contentTypeTabDeleted: 'Tab eliminata',
+ contentTypeTabDeletedText: 'Tab con id: %0% eliminata',
+ cssErrorHeader: 'Foglio di stile non salvato',
+ cssSavedHeader: 'Foglio di stile salvato',
+ cssSavedText: 'Foglio di stile salvato correttamente',
+ dataTypeSaved: 'Tipo di dato salvato',
+ dictionaryItemSaved: 'Elemento del dizionario salvato',
+ editContentPublishedHeader: 'Contenuto pubblicato',
+ editContentPublishedText: 'e visibile sul sito web',
+ editMultiContentPublishedText: '%0% documenti pubblicati e visibili sul sito web',
+ editVariantPublishedText: '%0% pubblicati e visibili sul sito web',
+ editMultiVariantPublishedText: '%0% documenti pubblicati per le lingue %1% e visibili sul sito web',
+ editContentSavedHeader: 'Contenuto salvato',
+ editContentSavedText: 'Ricorda di pubblicare per rendere i cambiamenti visibili',
+ editContentScheduledSavedText: 'È stata aggiornata una pianificazione per la pubblicazione',
+ editVariantSavedText: '%0% salvata',
+ editContentSendToPublish: "Invia per l'approvazione",
+ editContentSendToPublishText: "Le modifiche sono state inviate per l'approvazione",
+ editVariantSendToPublishText: "%0% modifiche sono state inviate per l'approvazione",
+ editMediaSaved: 'Media salvato',
+ editMediaSavedText: 'Media salvato senza nessun errore',
+ editMemberSaved: 'Membro salvato',
+ editMemberGroupSaved: 'Gruppo di Membri salvato',
+ editStylesheetPropertySaved: 'Proprietà del foglio di stile salvata',
+ editStylesheetSaved: 'Foglio di stile salvato',
+ editTemplateSaved: 'Template salvato',
+ editUserError: "Errore durante il salvataggio dell'utente (verifica il log)",
+ editUserSaved: 'Utente salvato',
+ editUserTypeSaved: 'Tipo di utente salvato',
+ editUserGroupSaved: 'Gruppo di utenti salvato',
+ editCulturesAndHostnamesSaved: 'Hostnames salvati',
+ editCulturesAndHostnamesError: 'Errore durante il salvataggio degli hostnames',
+ fileErrorHeader: 'File non salvato',
+ fileErrorText: 'Il file non può essere salvato. Controlla le impostazioni dei permessi sui file',
+ fileSavedHeader: 'File salvato',
+ fileSavedText: 'File salvato con successo!',
+ languageSaved: 'Lingua salvata',
+ mediaTypeSavedHeader: 'Tipo di Media salvato',
+ memberTypeSavedHeader: 'Tipo di Membro salvato',
+ memberGroupSavedHeader: 'Gruppo di Membri salvato',
+ templateErrorHeader: 'Template non salvato',
+ templateErrorText: 'Per favore controlla di non avere due templates con lo stesso alias',
+ templateSavedHeader: 'Template salvato',
+ templateSavedText: 'Template salvato con successo!',
+ contentUnpublished: 'Contenuto non pubblicato',
+ contentCultureUnpublished: 'Variazione di contenuto %0% non pubblicata',
+ contentMandatoryCultureUnpublished:
+ "La lingua obbligatoria '%0%' è stata non pubblicata. Tutte le lingue per questo elemento di contenuto verranno ora non pubblicate.",
+ partialViewSavedHeader: 'Partial view salvata',
+ partialViewSavedText: 'Partial view salvata senza errori!',
+ partialViewErrorHeader: 'Partial view non salvata',
+ partialViewErrorText: 'Errore durante il salvataggio del file.',
+ permissionsSavedFor: 'Permessi salvati per',
+ deleteUserGroupsSuccess: 'Eliminati %0% gruppi di utenti',
+ deleteUserGroupSuccess: '%0% è stato eliminato',
+ enableUsersSuccess: 'Abilitati %0% utenti',
+ disableUsersSuccess: 'Disabilitati %0% utenti',
+ enableUserSuccess: '%0% è ora abilitato',
+ disableUserSuccess: '%0% è ora disabilitato',
+ setUserGroupOnUsersSuccess: 'I gruppi di utenti sono stati assegnati',
+ unlockUsersSuccess: 'Sono stati sbloccati %0% utenti',
+ unlockUserSuccess: '%0% è ora sbloccato',
+ memberExportedSuccess: 'Il Membro è stato esportato in un file',
+ memberExportedError: "Si è verificato un errore durante l'esportazione del membro",
+ deleteUserSuccess: "L'utente %0% è stato eliminato",
+ resendInviteHeader: 'Invita utenti',
+ resendInviteSuccess: "L'invito è stato reinviato a %0%",
+ contentReqCulturePublishError:
+ "Impossibile pubblicare il documento, in quanto è richiesto '%0%', ma non è pubblicato",
+ contentCultureValidationError: "Validazione fallita per la lingua '%0%'",
+ documentTypeExportedSuccess: 'Il Tipo di Documento è stato esportato in un file',
+ documentTypeExportedError: "C'è stato un errore durante l'esportazione del Tipo di Documento",
+ scheduleErrReleaseDate1: 'La data di rilascio non può essere passata',
+ scheduleErrReleaseDate2:
+ "Non è possibile pianificare il documento per la pubblicazione poiché è richiesto '%0%', che non è pubblicato",
+ scheduleErrReleaseDate3:
+ "Non è possibile pianificare il documento per la pubblicazione poiche '%0%' ha una data di pubblicazione posteriore di una lingua non obbligatoria",
+ scheduleErrExpireDate1: 'La data di scadenza non può essere passata',
+ scheduleErrExpireDate2: 'La data di scadenza non può essere prima della data di rilascio',
+ },
+ stylesheet: {
+ addRule: 'Aggiungi stile',
+ editRule: 'Modifica stile',
+ editorRules: 'Stili del Rich text editor',
+ editorRulesHelp:
+ 'Definisci gli stili che dovranno essere disponibili nel Rich text editor per questo\n foglio di stile\n ',
+ editstylesheet: 'Modifica foglio di stile',
+ editstylesheetproperty: 'Modifica proprietà del foglio di stile',
+ nameHelp: 'Nome che identifica lo stile nel rich text editor',
+ preview: 'Anteprima',
+ previewHelp: 'Come il testo verrà visualizzato nel Rich text editor.',
+ selector: 'Selettore',
+ selectorHelp: 'Usa la sintassi CSS standard es: h1, .redHeader, .blueText',
+ styles: 'Stili',
+ stylesHelp: 'Il CSS che verrà applicato nel Rich text editor, e.s. "color:red;"',
+ tabCode: 'Codice',
+ tabRules: 'Rich Text Editor',
+ },
+ template: {
+ deleteByIdFailed: 'Impossibile eliminare il template con ID %0%',
+ edittemplate: 'Modifica template',
+ insertSections: 'Sezioni',
+ insertContentArea: 'Inserisci area di contenuto',
+ insertContentAreaPlaceHolder: "Inserisci segnaposto per l'area di contenuto",
+ insert: 'Inserisci',
+ insertDesc: 'Scegli cosa inserire nel tuo template',
+ insertDictionaryItem: 'Elementi del dizionario',
+ insertDictionaryItemDesc:
+ 'Un elemento del dizionario è un segnaposto per un pezzo di testo traducibile, che facilita il design di siti web multi lingua.',
+ insertMacro: 'Macro',
+ insertMacroDesc:
+ '\n Una macro è un componente configurabile, ottimo per\n parti riusabili del tuo design, dove hai bisogno di impostare parametri diversi,\n come galleries, forms e liste.',
+ insertPageField: 'Valore',
+ insertPageFieldDesc:
+ 'Visualizza il valore di un campo nominato dalla pagina corrente, con delle opzioni\n per modificare il valore o impostare il valore di fallback.\n ',
+ insertPartialView: 'Partial view',
+ insertPartialViewDesc:
+ '\n Una partial view è un file di template separato che può essere renderizzato dentro ad un altro\n template; ottimo per il riutilizzo del markup o per separare template complessi in più files.',
+ mastertemplate: 'Master template',
+ noMaster: 'No master',
+ renderBody: 'Renderizza template figli',
+ renderBodyDesc:
+ '\n\t\t\t Renderizza i contenuti di un template figlio, inserendo un\n\t\t\t segnaposto @RenderBody().\n \t\t',
+ defineSection: 'Definisci una sezione nominata',
+ defineSectionDesc:
+ '\n Definisci una parte del tuo template come sezione nominata, avvolgendola in\n @section { ... }. Questa potrà poi essere renderizzata in una\n specifica area del padre di questo template, usando @RenderSection.\n ',
+ renderSection: 'Renderizza una sezione nominata',
+ renderSectionDesc:
+ "\n Renderizza una sezione nominata di un template figlio, inserendo un segnaposto @RenderSection(name).\n Questo renderizzerà un'area di un template figlio avvolta nel corrispondente @section [name]{ ... } definition.\n ",
+ sectionName: 'Nome della sezione',
+ sectionMandatory: 'La sezione è obbligatoria',
+ sectionMandatoryDesc:
+ '\n \tSe obbligatorio, il template figlio dovrà contenere una definizione @section, altrimenti verrà visualizzato un errore.\n\t\t ',
+ queryBuilder: 'Generatore di query',
+ itemsReturned: 'oggetti trovati, in',
+ copyToClipboard: 'copia negli appunti',
+ iWant: 'Voglio',
+ allContent: 'tutti i contenuti',
+ contentOfType: 'contenuti di tipo "%0%"',
+ from: 'da',
+ websiteRoot: 'il mio sito web',
+ where: 'dove',
+ and: 'e',
+ is: 'è',
+ isNot: 'non è',
+ before: 'prima',
+ beforeIncDate: 'prima (comprese le date selezionate)',
+ after: 'dopo',
+ afterIncDate: 'dopo (comprese le date selezionate)',
+ equals: 'è uguale a',
+ doesNotEqual: 'non è uguale a',
+ contains: 'contiene',
+ doesNotContain: 'non contiene',
+ greaterThan: 'maggiore di',
+ greaterThanEqual: 'maggiore di o uguale a',
+ lessThan: 'minore di',
+ lessThanEqual: 'minore di o uguale a',
+ id: 'Id',
+ name: 'Nome',
+ createdDate: 'Data di creazione',
+ lastUpdatedDate: 'Ultima data di aggiornamento',
+ orderBy: 'ordina per',
+ ascending: 'ascendente',
+ descending: 'discendente',
+ template: 'Template',
+ },
+ grid: {
+ media: 'Immagine',
+ macro: 'Macro',
+ insertControl: 'Seleziona il tipo di contenuto',
+ chooseLayout: 'Seleziona un layout',
+ addRows: 'Aggiungi una riga',
+ addElement: 'Aggiungi contenuto',
+ dropElement: 'Elimina contenuto',
+ settingsApplied: 'Impostazioni applicate',
+ contentNotAllowed: 'Questo contenuto non è consentito qui',
+ contentAllowed: 'Questo contenuto è consentito qui',
+ clickToEmbed: 'Clicca per incorporare',
+ clickToInsertImage: 'Clicca per inserire un immagine',
+ clickToInsertMacro: 'Clicca per inserire una macro',
+ placeholderImageCaption: "Didascalia dell'immagine...",
+ placeholderWriteHere: 'Scrivi qui...',
+ gridLayouts: 'I Grid Layout',
+ gridLayoutsDetail:
+ "I layout sono l'area globale di lavoro per il grid editor, di solito ti servono\n solamente uno o due layout differenti\n ",
+ addGridLayout: 'Aggiungi un Grid Layout',
+ editGridLayout: 'Modifica il Grid Layout',
+ addGridLayoutDetail:
+ 'Sistema il layout impostando la larghezza della colonna ed aggiungendo ulteriori\n sezioni\n ',
+ rowConfigurations: 'Configurazioni della riga',
+ rowConfigurationsDetail: 'Le righe sono le colonne predefinite disposte orizzontalmente',
+ addRowConfiguration: 'Aggiungi configurazione della riga',
+ editRowConfiguration: 'Modifica configurazione della riga',
+ addRowConfigurationDetail:
+ 'Sistema la riga impostando la larghezza della colonna ed aggiungendo\n ulteriori colonne\n ',
+ noConfiguration: 'Nessuna ulteriore configurazione disponibile',
+ columns: 'Colonne',
+ columnsDetails: 'Totale combinazioni delle colonne nel grid layout',
+ settings: 'Impostazioni',
+ settingsDetails: 'Configura le impostazioni che possono essere cambiate dai editori',
+ styles: 'Stili',
+ stylesDetails: 'Configura i stili che possono essere cambiati dai editori',
+ allowAllEditors: 'Permetti tutti i editor',
+ allowAllRowConfigurations: 'Permetti tutte le configurazioni della riga',
+ maxItems: 'Oggetti massimi',
+ maxItemsDescription: 'Lascia vuoto o imposta a 0 per illimitati',
+ setAsDefault: 'Imposta come predefinito',
+ chooseExtra: 'Scegli aggiuntivi',
+ chooseDefault: 'Scegli predefinito',
+ areAdded: 'sono stati aggiunti',
+ warning: 'Attenzione',
+ youAreDeleting: 'Stai eliminando le configurazioni della riga',
+ deletingARow:
+ '\n Eliminando un nome della configurazione della riga perderai i dati associati a qualsiasi contenuto basato su\n questa configurazione.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Composizioni',
+ group: 'Gruppi',
+ noGroups: 'Non hai aggiunto nessun gruppo',
+ addGroup: 'Aggiungi gruppo',
+ inheritedFrom: 'Ereditato da',
+ addProperty: 'Aggiungi proprietà',
+ requiredLabel: 'Etichetta richiesta',
+ enableListViewHeading: 'Abilita la vista lista',
+ enableListViewDescription:
+ "Configura l'oggetto per visualizzare una lista dei suoi figli, ordinabili e\n ricercabili. I figli non saranno visualizzati nell'albero dei contenuti\n ",
+ allowedTemplatesHeading: 'Templates abilitati',
+ allowedTemplatesDescription:
+ "Scegli che templates sono abilitati all'utilizzo per i contenuti di questo\n tipo.\n ",
+ allowAsRootHeading: 'Consenti come nodo root',
+ allowAsRootDescription: 'Consenti agli editori la creazione di questo tipo di contenuto a livello root.\n ',
+ childNodesHeading: 'Tipi di nodi figlio consentiti',
+ childNodesDescription:
+ 'Consenti la creazione di contenuti con i tipi specificati sotto il contenuto di\n questo tipo.\n ',
+ chooseChildNode: 'Scegli nodo figlio',
+ compositionsDescription:
+ 'Eredita schede e proprietà da un tipo di documento esistente. Le nuove schede verranno aggiunte al tipo di documento corrente o unite se esiste una scheda con un nome identico.',
+ compositionInUse:
+ 'Questo tipo di contenuto è utlizzato in una composizione, e quindi non può essere composto da se stesso.',
+ noAvailableCompositions: 'Non ci sono tipi di contenuto utilizzabili come composizione.',
+ compositionRemoveWarning:
+ 'Rimuovendo una composizione si elimineranno tutti i dati associati ad essa. Una volta salvato il tipo di documento non ci sarà nessun modo di recuperare i dati.',
+ availableEditors: 'Crea nuovo',
+ reuse: 'Usa esistente',
+ editorSettings: "Impostazioni dell'editor",
+ searchResultSettings: 'Configurazioni disponibili',
+ searchResultEditors: 'Crea una nuova configurazione',
+ configuration: 'Configurazione',
+ yesDelete: 'Si, elimina',
+ movedUnderneath: 'è stato spostato sotto',
+ copiedUnderneath: 'è stato copiato sotto',
+ folderToMove: 'Seleziona la cartella da spostare',
+ folderToCopy: 'Seleziona la cartella da copiare',
+ structureBelow: 'nella struttura sottostante',
+ allDocumentTypes: 'Tutti i tipo di documento',
+ allDocuments: 'Tutti i documenti',
+ allMediaItems: 'Tutti i media',
+ usingThisDocument:
+ 'che usano questo tipo di documento verranno eliminati permanentemente, sei sicuro di\n voler eliminare anche questi?\n ',
+ usingThisMedia:
+ 'che usano questo tipo di media verranno eliminati permanentemente, sei sicuro di voler\n eliminare anche questi?\n ',
+ usingThisMember:
+ 'che usano questo tipo di membro verranno eliminati permanentemente, sei sicuro di voler\n eliminare anche questi?\n ',
+ andAllDocuments: 'e tutti i documenti che usano questo tipo',
+ andAllMediaItems: 'e tutti i media che usano questo tipo',
+ andAllMembers: 'e tutti i membri che usano questo tipo',
+ memberCanEdit: 'Il membro può modificare',
+ memberCanEditDescription: 'Abilita il membro alla modifica di questo valore dalla pagina del suo profilo.',
+ isSensitiveData: 'Dati sensibili',
+ isSensitiveDataDescription:
+ "Nascondi il valore di questa proprietà dagli editors che non hanno l'accesso per visualizzare i dati sensibili",
+ showOnMemberProfile: 'Visualizza sul profilo del membro',
+ showOnMemberProfileDescription:
+ 'Permette a questo valore di essere visualizzato sulla pagina del profilo del membro',
+ tabHasNoSortOrder: 'la scheda non ha un ordine',
+ compositionUsageHeading: 'Dove è usata questa composizione?',
+ compositionUsageSpecification: 'Questa composizione è usata nella composizione dei seguenti tipi di contenuto:',
+ variantsHeading: 'Consenti variazioni',
+ cultureVariantHeading: 'Consenti variazioni in base alla lingua',
+ segmentVariantHeading: 'Consenti segmentazione',
+ cultureVariantLabel: 'Varia in base alla cultura',
+ segmentVariantLabel: 'Varia per segmenti',
+ variantsDescription:
+ 'Consenti agli editors la creazione di contenuto di questo tipo in lingue\n differenti.\n ',
+ cultureVariantDescription: 'Consenti agli editors la creazione di contenuto in diverse lingue.',
+ segmentVariantDescription: 'Consenti agli editors la creazione di segmenti per questo contenuto.',
+ allowVaryByCulture: 'Consenti variazioni in base alla lingua',
+ allowVaryBySegment: 'Consenti segmentazione',
+ elementType: 'Tipo di elemento',
+ elementHeading: 'È un tipo di elemento',
+ elementDescription:
+ "Un tipo di elemento è pensato per essere usato ad esempio nel Nested Content, e non nell'albero dei nodi.",
+ elementCannotToggle:
+ 'Un tipo di documento non può essere cambiato in un tipo di elemento una volta che è stato usato per creare uno o più contenuti.',
+ elementDoesNotSupport: 'Questo non è applicabile per un tipo di elemento',
+ propertyHasChanges: 'Hai fatto modifiche a questa proprietà. Sei sicuro di volerle scartare?',
+ displaySettingsHeadline: 'Aspetto',
+ displaySettingsLabelOnTop: 'Etichetta sopra (larghezza intera)',
+ },
+ languages: {
+ addLanguage: 'Aggiungi lingua',
+ mandatoryLanguage: 'Lingua obbligatoria',
+ mandatoryLanguageHelp:
+ 'Le proprietà in questa lingua devono essere compliate prima che il nodo possa essere pubblicato.',
+ defaultLanguage: 'Lingua di default',
+ defaultLanguageHelp: 'Un sito web Umbraco può avere solo una lingua di default.',
+ changingDefaultLanguageWarning:
+ 'Il cambio della lingua predefinita potrebbe comportare la mancanza di\n contenuti predefiniti.\n ',
+ fallsbackToLabel: 'Ripiega a',
+ noFallbackLanguageOption: 'Nessuna lingua alternativa',
+ fallbackLanguageDescription:
+ 'Per consentire ad un contenuto multi-lingua di ripiegare su un altra lingua se il contenuto non è presente nella lingua richiesta, selezionalo qui.',
+ fallbackLanguage: 'Lingua alternativa',
+ none: 'nessuna',
+ },
+ macro: {
+ addParameter: 'Aggiungi parametro',
+ editParameter: 'Modifica parametro',
+ enterMacroName: 'Inserisci il nome della macro',
+ parameters: 'Parametri',
+ parametersDescription: 'Definisci i parametri che dovranno essere disponibili utilizzando questa macro.\n ',
+ selectViewFile: 'Seleziona il file partial view per la macro',
+ },
+ modelsBuilder: {
+ buildingModels: 'Compilazione modelli in corso...',
+ waitingMessage: "questo potrà impiegare un po' di tempo, non preoccuparti",
+ modelsGenerated: 'Modelli generati',
+ modelsGeneratedError: 'Impossibile generare i modelli',
+ modelsExceptionInUlog: 'La generazione dei modelli non è andata a buon fine, consulta i log di Umbraco\n ',
+ },
+ templateEditor: {
+ addFallbackField: 'Aggiungi campo alternativo',
+ fallbackField: 'Campo alternativo',
+ addDefaultValue: 'Aggiungi valore predefinito',
+ defaultValue: 'Valore predefinito',
+ alternativeField: 'Campo alternativo',
+ alternativeText: 'Valore predefinito',
+ casing: 'Maiuscole/Minuscole',
+ encoding: 'Codifica',
+ chooseField: 'Scegli il campo',
+ convertLineBreaks: 'Converte le interruzioni di linea',
+ convertLineBreaksDescription: 'Si, converti le interruzioni di linea',
+ convertLineBreaksHelp: 'Copia le interruzioni di linea con html-tag <br>',
+ customFields: 'Campi Personalizzati',
+ dateOnly: 'Solo data',
+ formatAndEncoding: 'Formato e codifica',
+ formatAsDate: 'In formato data',
+ formatAsDateDescr: 'Formatta il valore in data, o in data e ora, secondo la cultura corrente',
+ htmlEncode: 'Codifica HTML',
+ htmlEncodeHelp: 'Andrà a sostituire i caratteri speciali con il loro equivalente HTML.',
+ insertedAfter: 'Sarà inserito dopo il valore del campo',
+ insertedBefore: 'Sarà inserito prima del valore del campo',
+ lowercase: 'Minuscolo',
+ modifyOutput: 'Modifica output',
+ none: 'Nessuno',
+ outputSample: 'Esempio di output',
+ postContent: 'Inserisci dopo il campo',
+ preContent: 'Inserisci prima del campo',
+ recursive: 'Ricorsivo',
+ recursiveDescr: 'Si, rendilo ricorsivo',
+ separator: 'Separatore',
+ standardFields: 'Campi Standard',
+ uppercase: 'Maiuscolo',
+ urlEncode: 'Codifica URL',
+ urlEncodeHelp: 'Andrà a sostituire i caratteri speciali con il loro equivalente negli URL.',
+ usedIfAllEmpty: 'Sarà usato solo se i valori dei campi sopra sono vuoti',
+ usedIfEmpty: 'Questo campo sarà usato soltanto se il campo primario è vuoto',
+ withTime: 'Data e ora',
+ },
+ translation: {
+ details: 'Dettagli di traduzione',
+ DownloadXmlDTD: 'Scarica XML DTD',
+ fields: 'Campi',
+ includeSubpages: 'Includi le sottopagine',
+ mailBody:
+ "\n Ciao %0%\n\n Questa è un'email automatica per informarti che è stata richiesta una traduzione in '%5%' da %2%\n per il documento il documento '%1%'.\n\n Vai al http://%3%/translation/details.aspx?id=%4% per effettuare la modifica.\n\n Oppure effettua il login in Umbraco per avere una panoramica delle attività di traduzione\n http://%3%\n\n Buona giornata!\n\n Saluti dal robot di Umbraco\n ",
+ noTranslators:
+ 'Non è stato trovato nessun utente con ruolo di traduttore. Crealo prima di inviare il contenuto per la traduzione',
+ pageHasBeenSendToTranslation: "La pagina '%0%' è stata inviata per la traduzione",
+ sendToTranslate: "Invia la pagina '%0%' per la traduzione",
+ totalWords: 'Totale parole',
+ translateTo: 'Si traduce in',
+ translationDone: 'Traduzione completata.',
+ translationDoneHelp:
+ 'È possibile visualizzare in anteprima le pagine che hai appena tradotto, cliccando qui sotto. Se esiste la pagina originale, si otterrà un confronto tra le due pagine.',
+ translationFailed: 'Traduzione non riuscita, il file XML potrebbe essere danneggiato',
+ translationOptions: 'Opzioni di traduzione',
+ translator: 'Traduttore',
+ uploadTranslationXml: 'Carica il file xml di traduzione',
+ },
+ treeHeaders: {
+ content: 'Contenuti',
+ contentBlueprints: 'Modelli di contenuto',
+ media: 'Media',
+ cacheBrowser: 'Cache Browser',
+ contentRecycleBin: 'Cestino',
+ createdPackages: 'Pacchetti creati',
+ dataTypes: 'Tipi di dato',
+ dictionary: 'Dizionario',
+ installedPackages: 'Pacchetti installati',
+ installSkin: 'Installare skin',
+ installStarterKit: 'Installare starter kit',
+ languages: 'Lingue',
+ localPackage: 'Installa un pacchetto locale',
+ macros: 'Macros',
+ mediaTypes: 'Tipi di media',
+ member: 'Membri',
+ memberGroups: 'Gruppi di Membri',
+ memberRoles: 'Ruoli',
+ memberTypes: 'Tipi di membro',
+ documentTypes: 'Tipi di documento',
+ relationTypes: 'Tipi di relazione',
+ packager: 'Pacchetti',
+ packages: 'Pacchetti',
+ partialViews: 'Partial Views',
+ partialViewMacros: 'Macro Partial Views',
+ repositories: 'Installa dal repository',
+ runway: 'Installa Runway',
+ runwayModules: 'Moduli Runway',
+ scripting: 'Files di scripting',
+ scripts: 'Scripts',
+ stylesheets: 'Fogli di stile',
+ templates: 'Templates',
+ logViewer: 'Logs',
+ users: 'Utenti',
+ settingsGroup: 'Impostazioni',
+ templatingGroup: 'Templating',
+ thirdPartyGroup: 'Terze parti',
+ },
+ update: {
+ updateAvailable: 'Nuovo aggiornamento disponibile',
+ updateDownloadText: '%0% è pronto, clicca qui per il download',
+ updateNoServer: 'Non connesso al server',
+ updateNoServerError:
+ "Errore di controllo per l'aggiornamento. Si prega di rivedere lo stack-trace per ulteriori informazioni",
+ },
+ user: {
+ access: 'Accesso',
+ accessHelp:
+ "Basandosi sui gruppi assegnati e sui nodi di partenza, l'utente ha accesso ai seguenti\n nodi\n ",
+ assignAccess: 'Assegna accessi',
+ administrators: 'Amministratore',
+ categoryField: 'Campo Categoria',
+ createDate: 'Utente creato il',
+ changePassword: 'Cambia la tua password',
+ changePhoto: 'Cambia foto',
+ newPassword: 'Nuova password',
+ newPasswordFormatLengthTip: 'Minimo %0% caratteri!',
+ newPasswordFormatNonAlphaTip: 'Dovrebbero esserci almeno %0% caratteri speciali qui.',
+ noLockouts: 'non è stato bloccato',
+ noPasswordChange: 'La password non è stata modificata',
+ confirmNewPassword: 'Conferma la nuova password',
+ changePasswordDescription:
+ "È possibile modificare la password di accesso al backoffice Umbraco compilando il form sottostante e clicca sul pulsante 'Modifica password'",
+ contentChannel: 'Contenuto del canale',
+ createAnotherUser: 'Crea un altro utente',
+ createUserHelp:
+ "Crea nuovi utenti per dar loro accesso a Umbraco. Quando un nuovo utente viene creato,\n una nuova password da condividere con l'utente viene generata.\n ",
+ descriptionField: 'Campo Descrizione',
+ disabled: "Disabilita l'utente",
+ documentType: 'Tipo di Documento',
+ editors: 'Editor',
+ excerptField: 'Campo Eccezione',
+ failedPasswordAttempts: 'Tentativi di accesso falliti',
+ goToProfile: "Vai al profilo dell'utente",
+ groupsHelp: 'Crea gruppi per assegnare gli accessi e i permessi',
+ inviteAnotherUser: 'Invita un altro utente',
+ inviteUserHelp:
+ "Invita nuovi utenti per dar loro l'accesso a Umbraco. Un'email contenente le informazioni su come effettuare l'accesso in Umbraco verrà inviata all'utente. Un invito dura per 72 ore.",
+ language: 'Lingua',
+ languageHelp: 'Imposta la lingua che vedrai nei menu e nei dialoghi',
+ lastLockoutDate: "Data dell'ultimo blocco",
+ lastLogin: 'Ultimo login',
+ lastPasswordChangeDate: 'Ultima modifica della password',
+ loginname: 'Login',
+ mediastartnode: 'Nodo di inizio nella sezione Media',
+ mediastartnodehelp: 'Limita la libreria multimediale a un nodo iniziale specifico',
+ mediastartnodes: 'Nodi di inizio nella sezione Media',
+ mediastartnodeshelp: 'Limita la libreria multimediale a uno o più nodi iniziali specifici',
+ modules: 'Sezioni',
+ noConsole: "Disabilita l'accesso ad Umbraco",
+ noLogin: "non ha ancora effettuato l'accesso",
+ oldPassword: 'Vecchia password',
+ password: 'Password',
+ resetPassword: 'Resetta password',
+ passwordChanged: 'La tua password è stata cambiata!',
+ passwordChangedGeneric: 'Password cambiata',
+ passwordConfirm: 'Si prega di confermare la nuova password',
+ passwordEnterNew: 'Inserisci la tua nuova password',
+ passwordIsBlank: 'La nuova password non può essere vuota!',
+ passwordCurrent: 'Password attuale',
+ passwordInvalid: 'La password corrente non è valida',
+ passwordIsDifferent: "C'è una differenza tra la nuova password e la conferma della password. Riprova!",
+ passwordMismatch: 'La password di conferma non corrisponde alla nuova password!',
+ permissionReplaceChildren: 'Sostituisci permessi sui nodi figlio',
+ permissionSelectedPages: 'Stai modificando i permessi per le seguenti pagine:',
+ permissionSelectPages: 'Seleziona le pagine alle quali vuoi modificare i permessi',
+ removePhoto: 'Rimuovi foto',
+ permissionsDefault: 'Permessi predefiniti',
+ permissionsGranular: 'Permessi granulari',
+ permissionsGranularHelp: 'Imposta i permessi per nodi specifici',
+ profile: 'Profilo',
+ searchAllChildren: 'Cerca in tutti i figli',
+ sectionsHelp: "Aggiungi sezioni per cui l'utente deve avere accesso",
+ selectUserGroups: 'Seleziona gruppi di utenti',
+ noStartNode: 'Nodo di partenza non selezionato',
+ noStartNodes: 'Nodi di partenza non selezionati',
+ startnode: 'Nodo di inizio della sezione Contenuto',
+ startnodehelp: "Limita l'albero dei contenuti a un nodo iniziale specifico",
+ startnodes: 'Nodi di inizio del contenuto',
+ startnodeshelp: "Limita l'albero dei contenuti a uno o più nodi iniziali specifici",
+ updateDate: 'Ultimo aggiornamento utente',
+ userCreated: 'è stato creato',
+ userCreatedSuccessHelp:
+ 'Il nuovo utente è stato creato correttamente. Per effettuare il login in Umbraco utilizza la password sottostante.',
+ userManagement: 'Gestione utenti',
+ username: 'Username',
+ userPermissions: 'Permessi Utente',
+ usergroup: 'Gruppo di utenti',
+ userInvited: 'è stato invitato',
+ userInvitedSuccessHelp:
+ 'Un invito è stato invitato al nuovo utente con le istruzioni su come effettuare il login in Umbraco.',
+ userinviteWelcomeMessage:
+ 'Ciao e benvenuto su Umbraco! In solo 1 minuto sarai pronto a partire, dovrai\n solamente impostare una password.\n ',
+ userinviteExpiredMessage:
+ "Benvenuto su Umbraco! Purtroppo il tuo invito è scaduto. Per favore contatta l'amministratore e chiedigli di rispedirlo.",
+ writer: 'Autore',
+ change: 'Modifica',
+ yourProfile: 'Il tuo profilo',
+ yourHistory: 'La tua attività recente',
+ sessionExpires: 'La sessione scade in',
+ inviteUser: 'Invita utente',
+ createUser: 'Crea utente',
+ sendInvite: 'Invia invito',
+ backToUsers: 'Torna agli utenti',
+ inviteEmailCopySubject: 'Invito per Umbraco',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\n ",
+ invite: 'Invita',
+ defaultInvitationMessage: "Sto rinviando l'invito...",
+ deleteUser: 'Cancella utente',
+ deleteUserConfirmation: 'Sei sicuro di voler cancellare questo account utente?',
+ stateAll: 'Tutti',
+ stateActive: 'Attivi',
+ stateDisabled: 'Disabilitati',
+ stateLockedOut: 'Bloccati',
+ stateInvited: 'Invitati',
+ stateInactive: 'Inattivi',
+ sortNameAscending: 'Nome (A-Z)',
+ sortNameDescending: 'Nome (Z-A)',
+ sortCreateDateAscending: 'Più vecchi',
+ sortCreateDateDescending: 'Più nuovi',
+ sortLastLoginDateDescending: 'Ultimo login',
+ noUserGroupsAdded: 'Non sono stati aggiunti gruppi di utenti',
+ },
+ validation: {
+ validation: 'Validazione',
+ validateAsEmail: 'Valida come indirizzo email',
+ validateAsNumber: 'Valida come numero',
+ validateAsUrl: 'Valida come URL',
+ enterCustomValidation: '...oppure inserisci una validazione personalizzata',
+ fieldIsMandatory: 'Il campo è obbligatorio',
+ mandatoryMessage: 'Inserisci un errore di validazione personalizzato (opzionale)',
+ validationRegExp: 'Inserisci una regular expression',
+ validationRegExpMessage: 'Inserisci un errore di validazione personalizzato (opzionale)',
+ minCount: 'Devi aggiungere almeno',
+ maxCount: 'Puoi avere solamente',
+ addUpTo: 'Aggiungi fino a',
+ items: 'elementi',
+ urls: 'URL',
+ urlsSelected: 'URL selezionati',
+ itemsSelected: 'elementi selezionati',
+ invalidDate: 'Data non valida',
+ invalidNumber: 'Non è un numero',
+ invalidNumberStepSize: 'Non è un numero di step valido',
+ invalidEmail: 'Email non valida',
+ invalidNull: 'Il valore non può essere nullo',
+ invalidEmpty: 'Il valore non può essere vuoto',
+ invalidPattern: 'Il valore non è valido, non corrisponde al pattern corretto',
+ customValidation: 'Validazione personalizzata',
+ entriesShort: 'Minimo %0% voci, ne richiede %1% in più.',
+ entriesExceed: 'Massimo %0% voci, %1% di troppo.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Il valore è impostato al valore raccomandato: '%0%'.",
+ rectifySuccessMessage: "Il valore è impostato a '%1%' per l'XPath '%2%' nel file di configurazione '%3%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Mi aspettavo il valore '%1%' per '%2%' nel file di configurazione '%3%', ma ho trovato '%0%'.",
+ checkErrorMessageUnexpectedValue: "Non mi aspettavo il valore '%0%' per '%2%' nel file di configurazione '%3%'.",
+ customErrorsCheckSuccessMessage: "Gli errori personalizzati sono impostati a '%0%'.",
+ customErrorsCheckErrorMessage:
+ "Gli errori personalizzati al momento sono impostati a '%0%'. È raccomandato impostarli a '%1%' prima di andare live.",
+ customErrorsCheckRectifySuccessMessage: "Errori personalizzati impostati correttamente a '%0%'.",
+ macroErrorModeCheckSuccessMessage: "I MacroErrors sono impostati a '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "I MacroErrors sono impostati a '%0%' che impediranno il caricamento di qualche pagina nel sito se c'è anche solo un errore nella macro. Rettificando questa impostazione verrà impostato il valore '%1%'.",
+ macroErrorModeCheckRectifySuccessMessage: "I MacroErrors sono ora impostati a '%0%'.",
+ trySkipIisCustomErrorsCheckSuccessMessage:
+ "Prova a saltare gli errori personalizzati di IIS è impostato a '%0%' e stai usando la versione '%1%' di IIS.",
+ trySkipIisCustomErrorsCheckErrorMessage:
+ "Prova a saltare gli errori personalizzati di IIS è al momento '%0%'. È raccomandato impostarlo a '%1%' per la tua versione di IIS (%2%).",
+ trySkipIisCustomErrorsCheckRectifySuccessMessage:
+ "Prova a saltare gli errori personalizzati di IIS è stato correttamente impostato a '%0%'.",
+ configurationServiceFileNotFound: "Il file seguente non esiste: '%0%'.",
+ configurationServiceNodeNotFound:
+ "Non riesco a trovare '%0%' nel file di configurazione '%1%'.",
+ configurationServiceError: "C'è stato un errore, controlla i log per l'errore dettagliato: %0%.",
+ databaseSchemaValidationCheckDatabaseOk:
+ 'Database - Lo schema del database è corretto per questa versione di Umbraco',
+ databaseSchemaValidationCheckDatabaseErrors:
+ 'Sono stati trovati %0% problemi con lo schema del database\n (Controlla i log per dettagli aggiuntivi)\n ',
+ databaseSchemaValidationCheckDatabaseLogMessage:
+ 'Sono stati trovati alcuni errori durante la validazione\n dello schema del database per la versione corrente di Umbraco.\n ',
+ httpsCheckValidCertificate: 'Il certificato SSL del tuo sito web è valido.',
+ httpsCheckInvalidCertificate: "Errore di validazione del certificato SSL: '%0%'",
+ httpsCheckExpiredCertificate: 'Il certificato SSL del tuo sito web è scaduto.',
+ httpsCheckExpiringCertificate: 'Il certificato SSL del tuo sito web scadrà tra %0% giorni.',
+ healthCheckInvalidUrl: "Errore durante il ping dell'URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps:
+ 'Attualmente %0% stai visualizzando il sito web utilizzando lo schema\n HTTPS.\n ',
+ httpsCheckConfigurationRectifyNotPossible:
+ "L'appSetting 'Umbraco.Core.UseHttps' è impostata a 'false' nel file web.config. Quando accederai al sito web usando lo schema HTTPS, il valore dovrà essere impostato a 'true'.",
+ httpsCheckConfigurationCheckResult:
+ "L'appSetting 'Umbraco.Core.UseHttps' è impostata a '%0%' nel file web.config, i tuoi cookie %1% sono contrassegnati come sicuri.",
+ httpsCheckEnableHttpsError:
+ "Non posso aggiornare l'impostazione 'Umbraco.Core.UseHttps' nel file\n web.config. Errore: %0%\n ",
+ httpsCheckEnableHttpsButton: 'Abilita HTTPS',
+ httpsCheckEnableHttpsDescription:
+ 'Imposta il valore di umbracoSSL a true nelle appSetting del file\n web.config.\n ',
+ httpsCheckEnableHttpsSuccess:
+ "L'appSetting 'Umbraco.Core.UseHttps' è ora impostato a 'true' nel file web.config, i tuoi cookies sono contrassegnati come sicuri.",
+ rectifyButton: 'Correggi',
+ cannotRectifyShouldNotEqual:
+ "Non posso correggere un controllo con un valore di confronto pari a\n 'ShouldNotEqual'.\n ",
+ cannotRectifyShouldEqualWithValue:
+ "Non posso correggere un controllo con un valore di confronto pari a\n 'ShouldEqual' con un valore fornito.\n ",
+ valueToRectifyNotProvided: 'Il valore per correggere il controllo non è presente.',
+ compilationDebugCheckSuccessMessage: 'La modalità di compilazione debug è disabilitata.',
+ compilationDebugCheckErrorMessage:
+ 'La modalità di compilazione debug è attualmente abilitata. Si consiglia di disabilitare questa impostazione prima di andare live.',
+ compilationDebugCheckRectifySuccessMessage: 'La modalità di compilazione debug è stata disabilitata con successo.',
+ traceModeCheckSuccessMessage: 'La modalità traccia è disabilitata.',
+ traceModeCheckErrorMessage:
+ 'La modalità traccia è abilitata. Si consiglia di disabilitare questa impostazione prima di andare live.',
+ traceModeCheckRectifySuccessMessage: 'La modalità traccia è stata disabilitata con successo.',
+ folderPermissionsCheckMessage: 'Tutte le cartelle hanno i permessi corretti impostati.',
+ requiredFolderPermissionFailed:
+ 'Le cartelle seguenti devono essere impostate con i permessi di modifica: %0%.',
+ optionalFolderPermissionFailed:
+ 'Le cartelle seguenti devono essere impostate con i permessi di modifica per alcune funzionalità di Umbraco: %0%. Se non vengono scritte non è necessario intraprendere alcuna azione.',
+ filePermissionsCheckMessage: 'Tutti i file hanno i permessi corretti impostati.',
+ requiredFilePermissionFailed:
+ 'I files seguenti devono essere impostati con i permessi di modifica: %0%.',
+ optionalFilePermissionFailed:
+ 'I files seguenti devono essere impostati con i permessi di modifica per alcune funzionalità di Umbraco: %0%. Se non vengono scritti non è necessario intraprendere alcuna azione.',
+ clickJackingCheckHeaderFound:
+ "L'header o meta-tag X-Frame-Options usato per controllare se un sito può essere inserito in un IFRAME da un altro è stato trovato.",
+ clickJackingCheckHeaderNotFound:
+ "L'header o meta-tag X-Frame-Options usato per controllare se un sito può essere inserito in un IFRAME da un altro non è stato trovato.",
+ setHeaderInConfig: "Imposta l'header nella configurazione",
+ clickJackingSetHeaderInConfigDescription:
+ 'Aggiunge un valore alla sezione httpProtocol/customHeaders del\n file web.config per prevenire che un sito possa essere inserito in un IFRAME da altri siti web.\n ',
+ clickJackingSetHeaderInConfigSuccess:
+ "L'impostazione per creare un header per prevenire l'inserimento del sito in altri siti tramite IFRAME è stata aggiunta al file web.config.",
+ setHeaderInConfigError: 'Non posso aggiornare il file web.config. Errore: %0%',
+ noSniffCheckHeaderFound:
+ "L'header o meta-tag X-Content-Type-Options usato per proteggere dalle vulnerabilità per MIME sniffing è stato trovato.",
+ noSniffCheckHeaderNotFound:
+ "L'header o meta-tag X-Content-Type-Options usato per proteggere dalle vulnerabilità per MIME sniffing è stato trovato.",
+ noSniffSetHeaderInConfigDescription:
+ 'Aggiunge un valore alla sezione httpProtocol/customHeaders del file web.config per proteggere dalle vulnerabilità per MIME sniffing.',
+ noSniffSetHeaderInConfigSuccess:
+ "L'impostazione per creare un header per proteggere dalle vulnerabilità per MIME sniffing è stata aggiunta al file web.config.",
+ hSTSCheckHeaderFound:
+ "L'header Strict-Transport-Security, conosciuto anche come l'header HSTS, è stato trovato.",
+ hSTSCheckHeaderNotFound: "L'header Strict-Transport-Security non è stato trovato.",
+ hSTSSetHeaderInConfigDescription:
+ "Aggiunge l'header 'Strict-Transport-Security' con il valore\n 'max-age=10886400' alla sezione httpProtocol/customHeaders del file web.config. Usa questa correzione solo se\n avrai i tuoi domini in esecuzione con https per le prossime 18 settimane (minimo).\n ",
+ hSTSSetHeaderInConfigSuccess: "L'header HSTS è stato aggiunto al file web.config.",
+ xssProtectionCheckHeaderFound: "L'header X-XSS-Protection è stato trovato.",
+ xssProtectionCheckHeaderNotFound: "L'header X-XSS-Protection non è stato trovato.",
+ xssProtectionSetHeaderInConfigDescription:
+ "Aggiunge l'header 'X-XSS-Protection' con il valore '1;\n mode=block' alla sezione httpProtocol/customHeaders del file web.config.\n ",
+ xssProtectionSetHeaderInConfigSuccess: "L'header X-XSS-Protection è stato aggiunto al file web.config.",
+ excessiveHeadersFound:
+ 'Gli header seguenti, contenenti informazioni riguardo la tecnologia utilizzata per il sito sono stati trovati: %0%.',
+ excessiveHeadersNotFound:
+ 'Non sono stati trovati header che rivelano informazioni riguardo alla\n tecnologia utilizzata per il sito.\n ',
+ smtpMailSettingsNotFound: 'Nel file web.config, system.net/mailsettings non è stato trovato.',
+ smtpMailSettingsHostNotConfigured:
+ "Nel file web.config, nella sezione system.net/mailsettings, l'host non è stato configurato.",
+ smtpMailSettingsConnectionSuccess:
+ 'Le impostazioni SMTP sono state inserite correttamente e il servizio\n funziona come previsto.\n ',
+ smtpMailSettingsConnectionFail:
+ "Il server SMTP configurato con l'host '%0%' e la porta '%1%' non può essere raggunto. Per favore controlla che le impostazioni SMTP nel file web.config (sezione system.net/mailsettings) siano corrette.",
+ notificationEmailsCheckSuccessMessage: "L'email di notifica è stata impostata a %0%.",
+ notificationEmailsCheckErrorMessage:
+ "L'email di notifica è ancora impostata al valore predefinito di %0%.",
+ scheduledHealthCheckEmailBody:
+ "
I risultati dell'Health Check programmato di Umbraco del %0% alle %1% è il seguente:
%2%",
+ scheduledHealthCheckEmailSubject: "Stato dell'Health Check di Umbraco: %0%",
+ checkAllGroups: 'Controlla tutti i gruppi',
+ checkGroup: 'Controlla gruppo',
+ helpText:
+ '\n
L\'health checker valuta varie aree del tuo sito per le impostazioni delle migliori pratiche, la configurazione, i potenziali problemi, ecc. Puoi facilmente risolvere i problemi premendo un pulsante.\n Puoi aggiungere i tuoi health check personalizzati, guarda sulla documentazione per più informazioni riguardo i custom health checks.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Disabilita tracciamento degli URL',
+ enableUrlTracker: 'Abilita tracciamento degli URL',
+ culture: 'Cultura',
+ originalUrl: 'URL originale',
+ redirectedTo: 'Reindirizzato a',
+ redirectUrlManagement: 'Gestione Redirect URL',
+ panelInformation: 'I seguenti URL reindirizzano a questo contenuto:',
+ noRedirects: 'Nessun reindirizzamento è stato effettuato',
+ noRedirectsDescription:
+ 'Quando una pagina pubblicata viene rinominata o spostata, verrà automaticamente effettuato un reindirizzamento alla nuova pagina.',
+ confirmRemove: "Sei sicuro di voler eliminare il reindirizzamento da '%0%' a '%1%'?",
+ redirectRemoved: 'Reindirizzamento URL rimosso.',
+ redirectRemoveError: 'Errore durante la rimozione del reindirizzamento URL.',
+ redirectRemoveWarning: 'Questo rimuoverà il reindirizzamento',
+ confirmDisable: 'Sei sicuro di voler disabilitare il tracciamento degli URL?',
+ disabledConfirm: 'Il tracciamento degli URL è stato disabilitato.',
+ disableError:
+ 'Si è verificato un errore disabilitando il tracciamento degli URL. Più informazioni sono disponibili nei file di log.',
+ enabledConfirm: 'Il tracciamento degli URL è stato abilitato.',
+ enableError:
+ 'Si è verificato un errore abilitando il tracciamento degli URL. Più informazioni sono disponibili nei file di log.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Nessun elemento del dizionario tra cui scegliere',
+ },
+ textbox: {
+ characters_left: '%0% caratteri rimasti.',
+ characters_exceed: 'Massimo %0% caratteri, %1% di troppo.',
+ },
+ recycleBin: {
+ contentTrashed: 'Contenuto cestinato con Id: {0} relativo al contenuto principale originale con Id: {1}\n ',
+ mediaTrashed: 'Media cestinato con Id: {0} relativo al media principale originale con Id: {1}',
+ itemCannotBeRestored: 'Impossibile ripristinare automaticamente questo elemento',
+ itemCannotBeRestoredHelpText:
+ "Non esiste una posizione in cui questo elemento possa essere ripristinato\n automaticamente. Puoi spostare l'elemento manualmente utilizzando l'albero sottostante.\n ",
+ wasRestored: 'è stato ripristinato sotto',
+ },
+ relationType: {
+ direction: 'Direzione',
+ parentToChild: 'Da genitore a figlio',
+ bidirectional: 'Bidirezionale',
+ parent: 'Genitore',
+ child: 'Figlio',
+ count: 'Numero',
+ relations: 'Relazioni',
+ created: 'Creato',
+ comment: 'Commento',
+ name: 'Nome',
+ noRelations: 'Nessuna relazione per questo tipo di relazione',
+ tabRelationType: 'Tipo di relazione',
+ tabRelations: 'Relazioni',
+ },
+ dashboardTabs: {
+ contentIntro: 'Guida introduttiva',
+ contentRedirectManager: 'Gestione Redirect URL',
+ mediaFolderBrowser: 'Contenuto',
+ settingsWelcome: 'Benvenuto',
+ settingsExamine: 'Gestione Examine',
+ settingsPublishedStatus: 'Stato di pubblicazione',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Health Check',
+ settingsProfiler: 'Profilazione',
+ memberIntro: 'Guida introduttiva',
+ formsInstall: 'Installa Umbraco Forms',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Indietro',
+ activeListLayout: 'Layout attivo:',
+ jumpTo: 'Vai a',
+ group: 'gruppo',
+ passed: 'passato',
+ warning: 'attenzone',
+ failed: 'fallito',
+ suggestion: 'suggerimento',
+ checkPassed: 'Check passato',
+ checkFailed: 'Check fallito',
+ openBackofficeSearch: 'Apri la ricerca nel backoffice',
+ openCloseBackofficeHelp: "Apri/chiudi l'aiuto del backoffice",
+ openCloseBackofficeProfileOptions: 'Apri/chiudi le opzioni del tuo profilo',
+ assignDomainDescription: 'Imposta le Culture e gli Hostnames per %0%',
+ createDescription: 'Crea nuovo nodo sotto %0%',
+ protectDescription: 'Imposta le restrizioni di accesso per %0%',
+ rightsDescription: 'Imposta i permessi per %0%',
+ sortDescription: "Modifica l'ordinamento per %0%",
+ createblueprintDescription: 'Crea un modello di contenuto basato su %0%',
+ openContextMenu: 'Apri il menu contestuale per',
+ currentLanguage: 'Lingua corrente',
+ switchLanguage: 'Cambia lingua in',
+ createNewFolder: 'Crea nuova cartella',
+ newPartialView: 'Partial View',
+ newPartialViewMacro: 'Partial View Macro',
+ newMember: 'Membro',
+ newDataType: 'Tipo di dato',
+ redirectDashboardSearchLabel: 'Cerca nella dashboard di reindirizzamento',
+ userGroupSearchLabel: 'Cerca nella sezione dei gruppi di utenti',
+ userSearchLabel: 'Cerca tra gli utenti',
+ createItem: 'Crea oggetto',
+ create: 'Crea',
+ edit: 'Modifica',
+ name: 'Nome',
+ addNewRow: 'Aggiungi nuova riga',
+ tabExpand: 'Vedi più opzioni',
+ searchOverlayTitle: 'Cerca nel backoffice di Umbraco',
+ searchOverlayDescription: 'Cerca contenuti, media, ecc. nel backoffice.',
+ searchInputDescription:
+ 'Quando sono disponibili dei risultati dal completamento automatico, premere le frecce su e giù oppure utilizzare il tasto TAB e utilizzare il tasto Invio per selezionare.',
+ path: 'Percorso:',
+ foundIn: 'Trovato in',
+ hasTranslation: 'Ha una traduzione',
+ noTranslation: 'Traduzione mancante',
+ dictionaryListCaption: 'Voci del dizionario',
+ contextMenuDescription: 'Seleziona una delle opzioni per modificare il nodo.',
+ contextDialogDescription: "Esegui l'azione %0% sul nodo %1%",
+ addImageCaption: "Aggiungi una descrizione per l'immagine",
+ searchContentTree: "Cerca nell'albero dei contenuti",
+ maxAmount: 'Numero massimo',
+ },
+ references: {
+ tabName: 'Riferimenti',
+ DataTypeNoReferences: 'Questo tipo di dato non ha riferimenti.',
+ labelUsedByDocumentTypes: 'Usato nei tipi di documento',
+ noDocumentTypes: 'Non ci sono riferimenti a tipi di documento.',
+ labelUsedByMediaTypes: 'Usato nei tipi di media',
+ noMediaTypes: 'Non ci sono riferimenti a tipi di media.',
+ labelUsedByMemberTypes: 'Usato nei tipi di membro',
+ noMemberTypes: 'Non ci sono riferimenti a tipi di membro.',
+ usedByProperties: 'Usato da',
+ labelUsedByItems: 'Correlato ai seguenti elementi',
+ labelUsedByDocuments: 'Usato nei documenti',
+ labelUsedByMembers: 'Usato nei membri',
+ labelUsedByMedia: 'Usato nei media',
+ },
+ logViewer: {
+ deleteSavedSearch: 'Elimina ricerca salvata',
+ logLevels: 'Livelli di log',
+ selectAllLogLevelFilters: 'Seleziona tutto',
+ deselectAllLogLevelFilters: 'Deselezionare tutto',
+ savedSearches: 'Ricerche salvate',
+ saveSearch: 'Salva ricerca',
+ saveSearchDescription: 'Inserisci un nome descrittivo per la tua query di ricerca',
+ filterSearch: 'Filtra la ricerca',
+ totalItems: 'Risultati totali',
+ timestamp: 'Timestamp',
+ level: 'Livello',
+ machine: 'Macchina',
+ message: 'Messaggio',
+ exception: 'Exception',
+ properties: 'Proprietà',
+ searchWithGoogle: 'Ricerca con Google',
+ searchThisMessageWithGoogle: 'Ricerca questo messaggio con Google',
+ searchWithBing: 'Ricerca con Bing',
+ searchThisMessageWithBing: 'Ricerca questo messaggio con Bing',
+ searchOurUmbraco: 'Ricerca su Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs:
+ 'Ricerca questo messaggio sui forum e le documentazioni di\n Our Umbraco\n ',
+ searchOurUmbracoWithGoogle: 'Ricerca su Our Umbraco con Google',
+ searchOurUmbracoForumsUsingGoogle: 'Ricerca sui forum di Our Umbraco con Google',
+ searchUmbracoSource: 'Ricerca nel codice sorgente di Umbraco',
+ searchWithinUmbracoSourceCodeOnGithub: 'Ricerca nel codice sorgente di Umbraco su GitHub',
+ searchUmbracoIssues: 'Ricerca tra i problemi di Umbraco',
+ searchUmbracoIssuesOnGithub: 'Ricerca tra i problemi di Umbraco su GitHub',
+ deleteThisSearch: 'Elimina questa ricerca',
+ findLogsWithRequestId: 'Trova log con Request ID',
+ findLogsWithNamespace: 'Trova log con Namespace',
+ findLogsWithMachineName: 'Trova log con Machine Name',
+ open: 'Apri',
+ polling: 'Polling',
+ every2: 'Ogni 2 secondi',
+ every5: 'Ogni 5 secondi',
+ every10: 'Ogni 10 secondi',
+ every20: 'Ogni 20 secondi',
+ every30: 'Ogni 30 secondi',
+ pollingEvery2: 'Polling ogni 2s',
+ pollingEvery5: 'Polling ogni 5s',
+ pollingEvery10: 'Polling ogni 10s',
+ pollingEvery20: 'Polling ogni 20s',
+ pollingEvery30: 'Polling ogni 30s',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Copia %0%',
+ labelForArrayOfItemsFrom: '%0% da %1%',
+ labelForArrayOfItems: 'Lista di %0%',
+ labelForRemoveAllEntries: 'Rimuovi tutti gli oggetti',
+ labelForClearClipboard: 'Svuota appunti',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Apri le azioni per le proprietà',
+ tooltipForPropertyActionsMenuClose: 'Chiudi le azioni per le proprietà',
+ },
+ nuCache: {
+ wait: 'Attendi',
+ refreshStatus: 'Aggiorna stato',
+ memoryCache: 'Memory Cache',
+ memoryCacheDescription:
+ '\n Questo pulsante di consente di ricaricare la Memory Cache, ricaricandola completamente dalla cache\n del database (ma non ricostruisce la cache del database). Questo è relativamente veloce.\n Usalo quando pensi che la Memory Cache non sia stata aggiornata correttamente, dopo che si sono verificati\n alcuni eventi che indicherebbero un problema minore di Umbraco.\n (nota: ricarica la Memory Cache su tutti i server in un Load Balanced environment).\n ',
+ reload: 'Ricarica',
+ databaseCache: 'Cache del Database',
+ databaseCacheDescription:
+ '\n Questo pulsante ti consente di ricostruire la cache del database, ad esempio le tabelle cmsContentNu.\n La ricostruzione può metterci del tempo.\n Usalo quando la ricarica della Memory Cache non è sufficiente e pensi che la cache del database non sia\n stata generata correttamente, che indicherebbe un problema critico di Umbraco.\n ',
+ rebuild: 'Ricostruisci',
+ internals: 'Interni',
+ internalsDescription:
+ '\n Questo pulsante consente di attivare una raccolta di snapshot NuCache (dopo aver eseguito un GC fullCLR).\n A meno che tu non sappia cosa significa, probabilmente non hai bisogno di usarlo.\n ',
+ collect: 'Raccogli',
+ publishedCacheStatus: 'Stato della Published Cache',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Profilazione delle performance',
+ performanceProfilingDescription:
+ "\n
\n Umbraco attualmente funziona in modalità debug. Ciò significa che puoi utilizzare il profiler delle prestazioni integrato per valutare le prestazioni durante il rendering delle pagine.\n
\n
\n Se vuoi attivare il profiler per il rendering di una pagina specifica, aggiungi semplicemente umbDebug=true alla querystring quando richiedi la pagina.\n
\n
\n Se vuoi che il profiler sia attivato per impostazione predefinita per tutti i rendering di pagina, puoi utilizzare l'interruttore qui sotto.\n Verrà impostato un cookie nel tuo browser, che quindi attiverà automaticamente il profiler.\n In altre parole, il profiler sarà attivo per impostazione predefinita solo nel tuo browser, non in quello di tutti gli altri.\n
\n ",
+ activateByDefault: 'Attiva la profilazione per impostazione predefinita',
+ reminder: 'Promemoria',
+ reminderDescription:
+ '\n
\n Non dovresti mai lasciare che un sito di produzione venga eseguito in modalità debug. La modalità di debug viene disattivata impostando debug="false" nell\'elemento <compilation /> nel file web.config.\n
\n ',
+ profilerEnabledDescription:
+ '\n
\n Umbraco attualmente non viene eseguito in modalità debug, quindi non è possibile utilizzare il profiler integrato. Questo è come dovrebbe essere per un sito produttivo.\n
\n
\n La modalità di debug viene attivata impostando debug="true" nell\'elemento <compilation /> in web.config.\n
\n ',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Ore di videoallenamenti su Umbraco sono a solo un click da te',
+ trainingDescription:
+ '\n
Vuoi padroneggiare Umbraco? Dedica un paio di minuti all\'apprendimento di alcune best practice guardando uno di questi video sull\'utilizzo di Umbraco. Visita umbraco.tv per altri video su Umbraco
\n ',
+ getStarted: 'Per iniziare',
+ },
+ settingsDashboard: {
+ start: 'Inizia da qui!',
+ startDescription:
+ 'Questa sezione contiene gli elementi costitutivi del tuo sito Umbraco. Segui i collegamenti sottostanti per saperne di più su come lavorare con gli elementi nella sezione Impostazioni',
+ more: 'Scopri di più',
+ bulletPointOne:
+ '\n Maggiori informazioni su come lavorare con gli elementi in Impostazioni nella documentazione di Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Fai una domanda nel Community Forum\n ',
+ bulletPointThree:
+ '\n Guarda i nostri video tutorial (alcuni sono gratuiti, altri richiedono un abbonamento)\n ',
+ bulletPointFour:
+ '\n Scopri di più sui nostri strumenti per aumentare la produttività e il supporto commerciale\n ',
+ bulletPointFive:
+ '\n Scopri di più sulle opportunità di certificazione\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: "Benvenuto nell'amichevole CMS",
+ fallbackDescription:
+ "Grazie per aver scelto Umbraco! Pensiamo che questo possa essere l'inizio di qualcosa di fantastico. Sebbene all'inizio possa sembrare travolgente, abbiamo fatto molto per rendere la curva di apprendimento il più fluida e veloce possibile.",
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Forms',
+ formsDescription:
+ "Crea moduli utilizzando un'interfaccia drag and drop intuitiva. Da semplici moduli di\n contatto che inviano e-mail a questionari avanzati che si integrano con i sistemi CRM. I tuoi clienti lo\n adoreranno!\n ",
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Scegli tipo di elemento',
+ headlineAddSettingsElementType: 'Allega un tipo di elemento delle impostazioni',
+ headlineAddCustomView: 'Seleziona vista',
+ headlineAddCustomStylesheet: 'Seleziona foglio di stile',
+ headlineAddThumbnail: 'Scegli miniatura',
+ labelcreateNewElementType: 'Crea nuovo tipo di elemento',
+ labelCustomStylesheet: 'Foglio di stile personalizzato',
+ addCustomStylesheet: 'Aggiungi foglio di stile',
+ headlineEditorAppearance: "Aspetto dell'editor",
+ headlineDataModels: 'Modelli di dati',
+ headlineCatalogueAppearance: 'Aspetto del catalogo',
+ labelBackgroundColor: 'Colore di sfondo',
+ labelIconColor: "Colore dell'icona",
+ labelContentElementType: 'Modello del contenuto',
+ labelLabelTemplate: 'Etichetta',
+ labelCustomView: 'Vista personalizzata',
+ labelCustomViewInfoTitle: 'Mostra la descrizione della vista personalizzata',
+ labelCustomViewDescription:
+ "Sovrascrivi come questo blocco apparirà nell'UI del backoffice. Seleziona un file .html contenente la tua versione.",
+ labelSettingsElementType: 'Modello di impostazioni',
+ labelEditorSize: "Dimensione dell'editor di sovrapposizione",
+ addCustomView: 'Aggiungi vista personalizzata',
+ addSettingsElementType: 'Aggiungi impostazioni',
+ labelTemplatePlaceholder: 'Sovrascrivi modello di etichetta',
+ confirmDeleteBlockMessage: 'Sei sicuro di voler eliminare il contenuto %0%?',
+ confirmDeleteBlockTypeMessage: 'Sei sicuro di voler eliminare la configurazione del blocco %0%?',
+ confirmDeleteBlockTypeNotice:
+ 'Il contenuto di questo blocco sarà comunque presente, ma la modifica non sarà più possibile e sarà visualizzato come contenuto non supportato.',
+ blockConfigurationOverlayTitle: "Configurazione di '%0%'",
+ thumbnail: 'Miniatura',
+ addThumbnail: 'Aggiungi miniatura',
+ tabCreateEmpty: 'Crea vuota',
+ tabClipboard: 'Appunti',
+ tabBlockSettings: 'Impostazioni',
+ headlineAdvanced: 'Avanzate',
+ forceHideContentEditor: 'Forza nascondi editor di contenuti',
+ blockHasChanges: 'Hai fatto delle modifiche a questo contenuto. Sei sicuro di volerle scartare?',
+ confirmCancelBlockCreationHeadline: 'Scartare la creazione?',
+ confirmCancelBlockCreationMessage: 'Sei sicuro di voler cancellare la creazione.',
+ elementTypeDoesNotExistHeadline: 'Errore!',
+ elementTypeDoesNotExistDescription: 'Il tipo di elemento di questo blocco non esiste più',
+ addBlock: 'Aggiungi contenuto',
+ addThis: 'Aggiungi %0%',
+ propertyEditorNotSupported: "La proprietà '%0%' usa l'editor '%1%' che non è supportato nei blocchi.",
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Cosa sono i modelli di contenuto?',
+ whatDescription:
+ 'I modelli di contenuto sono contenuti predefiniti che possono essere selezionati\n durante la creazione di un nuovo nodo di contenuto.\n ',
+ createHeadline: 'Come creo un modello di contenuto?',
+ createDescription:
+ '\n
Ci sono due modi per creare un modello di contenuto:
\n
\n
Fare clic con il pulsante destro del mouse su un nodo di contenuto e selezionare "Crea modello di contenuto" per creare un nuovo modello di contenuto.
\n
Fare clic con il pulsante destro del mouse sull\'albero dei modelli di contenuto nella sezione Impostazioni e selezionare il tipo di documento per il quale si desidera creare un modello di contenuto.
\n
\n
Una volta specificato un nome, gli editors potranno cominciare a usare il tipo di contenuto come base per la nuova pagina.
',
+ databaseUpgradeDone:
+ '데이터베이스가 최신 버전 %0% 로 업그레이드 되었습니다. 계속 진행하시려면 다음 을 누르세요. ',
+ databaseUpToDate:
+ '데이터베이스가 업데이트 되었습니다. 다음을 클릭하시면 설정마법사를 계속 진행합니다.',
+ defaultUserChangePass: '기본 사용자의 암호가 변경되어야 합니다!',
+ defaultUserDisabled:
+ '기본 사용자가 비활성화되었거나 Umbraco에 접근할 수 없습니다!
더 이상 과정이 필요없으시면 다음을 눌러주세요.',
+ defaultUserPassChanged:
+ '설치후 기본사용자의 암호가 성공적으로 변경되었습니다!
더 이상 과정이 필요없으시면 다음을 눌러주세요.',
+ defaultUserPasswordChanged: '비밀번호가 변경되었습니다!',
+ greatStart: '편리한 시작을 위해, 소개 Video를 시청하세요',
+ None: '아직 설치되지 않았습니다.',
+ permissionsAffectedFolders: '영향받는 파일과 폴더',
+ permissionsAffectedFoldersMoreInfo: 'Umbraco권한관리을 위해 더정보가 필요하시면 여기를 누르세요',
+ permissionsAffectedFoldersText: '다음 파일/폴더에 ASP.NET 수정권한이 필요합니다.',
+ permissionsAlmostPerfect:
+ '권한 설정이 대부분 완벽합니다!
\n 여러분은 문제없이 Umbraco사용이 가능하지만 일부 추천 패키지가 설치되지 않을 수 있습니다.',
+ permissionsHowtoResolve: '문제해결방법',
+ permissionsHowtoResolveLink: '문서버전을 읽으시려면 클릭하세요',
+ permissionsHowtoResolveText:
+ 'Umbraco를 위한 폴더권한세팅을 위해 텍스트 버전을 읽으시거나 저희 Video tutorial를 시청하세요.',
+ permissionsMaybeAnIssue:
+ '퍼미션 세팅에 문제가 있을 수 있습니다.\n
\n Umbraco를 문제없이 실행할 수 있지만, 폴더를 만들거나 추천패키지를 설치하지 못할 수 있습니다.',
+ permissionsNotReady:
+ '권한 설정이 완료되지 않았습니다!\n
\n Umbraco 패키지 설치를 진행할 준비가 되었습니다. ',
+ permissionsResolveFolderIssues: '폴더 문제해결',
+ permissionsResolveFolderIssuesLink: '다음 링크는 ASP.NET이나 폴더생성문제에 대한 더 많은 정보를 제공합니다.',
+ permissionsSettingUpPermissions: '폴더 권한 세팅',
+ permissionsText:
+ 'Umbraco 는 특정 디렉토리에 쓰기/수정 권한이 필요합니다. 이것은 PDF나 그림과 같은 파일을 저장하고 cache같은 임시데이터을 위해 사용됩니다.',
+ runwayFromScratch: 'scratch를 시작하기 원합니다.',
+ runwayFromScratchText:
+ '\n 사이트가 완전히 비어있는 상태입니다. 스크래치를 시작하시거나 문서유형, 템플릿을 만드시기에 완벽한 상태입니다.\n (learn how)\n Runway설치를 나중에 실행하실 수 있습니다. 개발도구 부분에서 패키지를 선택하세요.\n ',
+ runwayHeader: '여러분은 Umbraco 플랫폼 설치를 완료하였습니다. 다음엔 어떤 작업을 원하십니까?',
+ runwayInstalled: 'Runway 가 설치됨',
+ runwayInstalledText:
+ '\n 이곳은 설치관리페이지입니다. 설치를 원하시는 모듈을 선택하세요. \n 이것은 저희가 권장하는 모듈들입니다. 설치를 원하시는 모듈을 확인하세요 모듈이 없다면 전체 모듈리스트를 보세요\n ',
+ runwayOnlyProUsers: '경험이 있는 사용자 분들만 추천합니다.',
+ runwaySimpleSite: '간단한 웹사이트 생성을 원합니다.',
+ runwaySimpleSiteText:
+ '\n
\n "Runway" 는 간단한 웹사이트 생성을 위한 기본 문서타입과 템플릿을 제공합니다. 인스톨러를 이용해 Runway를 자동으로 설치하신 후\n 여러분은 쉽게 수정, 확장, 삭제가 가능하십니다.\n Umbraco에 익숙하시다면 Runway 가 필요없지만 그렇지 않으신경우 Runway는 가장 빨리 시작할 수 있는 최고의 예제를 제공합니다.\n Runway 설치를 선택하시면, 여러분은 옵션으로 Runway 페이지에 쓰이는 Runway 모듈로 불리는 기본 빌딩 블록들을 선택하실 수 있습니다.\n
\n Runway가 설치되었습니다, 새 웹사이트를 볼 수 있습니다.',
+ theEndFurtherHelp:
+ '
고급 도움말과 정보
\n 우수 커뮤니티에서 도음을 받으세요. 간단한 사이트제작이나 패키지 사용법, Umbraco기술의 퀵가이드를 제공하는 문서를 보시거나 무료 비디오를 시청하세요.',
+ theEndHeader: 'Umbraco %0% 가 설치되어 사용준비가 되었습니다.',
+ theEndInstallSuccess:
+ 'Umbraco 와 첫만남이시면 아래의 "Umbraco 접속하기" 버튼을 클릭하여 즉시 시작하실 수 있습니다.\n 시작페이지에서 풍부한 리소소를 제공받을 수 있습니다.',
+ theEndOpenUmbraco:
+ '
Umbraco 실행
\n사이트 관리를 위해서 Umbraco 관리자를 여시고 컨텐츠를 추가하시거나 템플릿과 스타일시트 업데이트 또는 새기능을 추가하세요',
+ Unavailable: '데이터베이스에 연결 실패',
+ Version3: 'Umbraco 버전 3',
+ Version4: 'Umbraco 버전 4',
+ watch: '보기',
+ welcomeIntro:
+ '이 마법사는 버전 3.0에서 Umbraco %0% 로 신규설치나 업그레이드가 가능하도록 도와줍니다.\n
\n 마법사를 시작하시려면 "다음" 을 누르세요.',
+ },
+ language: {
+ cultureCode: '국가 코드',
+ displayName: '국가명',
+ },
+ lockout: {
+ lockoutWillOccur: "TRANSLATE ME: 'You've been idle and logout will automatically occur in'",
+ renewSession: "TRANSLATE ME: 'Renew now to save your work'",
+ },
+ login: {
+ greeting0: '환영합니다',
+ greeting1: '환영합니다',
+ greeting2: '환영합니다',
+ greeting3: '환영합니다',
+ greeting4: '환영합니다',
+ greeting5: '환영합니다',
+ greeting6: '환영합니다',
+ bottomText:
+ '
',
+ },
+ main: {
+ dashboard: '대시보드',
+ sections: '세부항목',
+ tree: '컨텐츠',
+ },
+ moveOrCopy: {
+ choose: '페이지 상단 선택...',
+ copyDone: '%0% 가 %1%로 복사되었습니다.',
+ copyTo: '%0%문서가 복사될 곳을 선택하세요',
+ moveDone: '%0% 가 %1%로 이동되었습니다.',
+ moveTo: '%0%문서가 이동할 곳을 선택하세요',
+ nodeSelected: '새 컨텐츠의 루트로 선택되었습니다. 확인을 클릭하세요',
+ noNodeSelected: '아직 노드가 선택되지 않았습니다, 확인 버튼을 누르기전에 리스트에 노드를 선택하세요.',
+ notAllowedByContentType: '현재노드는 타입때문에 선택된 노드아래로 갈 수 없습니다.',
+ notAllowedByPath: '현재 노드는 서브페이지로 이동할 수 없습니다.',
+ notValid:
+ "TRANSLATE ME: 'The action isn't allowed since you have insufficient permissions on 1 or more child documents.'",
+ },
+ notifications: {
+ editNotifications: '%0% 에 대한 알림 편집',
+ notificationsSavedFor: '%0% 에 대한 알림이 저장되었습니다.',
+ notifications: '알림',
+ },
+ packager: {
+ chooseLocalPackageText:
+ '\n 사용하시는 PC에서 패키지를 선택하세요 \n Umbraco 패키지는 보통 ".umb" 나 ".zip" 확장자를 가집니다.\n ',
+ packageAuthor: '저자',
+ packageDocumentation: '문서화',
+ packageMetaData: '패키지 메타데이터',
+ packageName: '패키지 이름',
+ packageNoItemsHeader: '패키지가 포함한 아이템이 없습니다.',
+ packageNoItemsText:
+ '이 패키지엔 삭제할 아이템이 포함되어 있지 않습니다.
\n 아래 "패키지 삭제"를 클릭하시면 안전하게 시스템에서 삭제하실 수 있습니다.',
+ packageOptions: '패키지 옵션',
+ packageReadme: '패키지 정보',
+ packageRepository: '패키지 저장소',
+ packageUninstallConfirm: '삭제 확인',
+ packageUninstalledHeader: '패키지가 삭제되었습니다.',
+ packageUninstalledText: '패키지가 성공적으로 삭제되었습니다.',
+ packageUninstallHeader: '패키지 삭제',
+ packageUninstallText:
+ '삭제하시려는 항목은 선택하지 않을 수 있습니다. "삭제 확인" 버튼을 누를때 체크되어있지 항목은 모두 삭제됩니다. \n 알림: 문서, 미디어등 삭제항목에 관련된 모든 항목이 삭제됩니다, 작업을 중단하면 시스템이 불안정적으로 동작할 수 있습니다.\n 삭제는 매우 주의를 요하기 때문에 의심스러운항목은 패키지 제작자에게 문의하시기 바랍니다.',
+ packageVersion: '패키지 버전',
+ },
+ paste: {
+ doNothing: '포맷을 포함여하 붙여넣기(권장하지 않음)',
+ errorMessage:
+ '붙여넣으려는 텍스트에 특수한 문자나 포맷이 포함되어있습니다. Microsoft Word문서에서 바로 복사해와서 문제가 발생된것일 수 있습니다. Umbraco는 붙여넣으려는 컨텐츠가 웹에 적합하도록 특수한 문자나 포맷을 자동으로 제거합니다',
+ removeAll: '포맷을 전혀 적용하지 않고 붙여넣기',
+ removeSpecialFormattering: '포맷을 제거하고 붙여넣기(권장)',
+ },
+ publicAccess: {
+ paAdvanced: '역할 기반 제한',
+ paAdvancedHelp: '역할 기반인증을 사용하여 컨트롤 접근제한을 설정하시려면, Umbraco의 사용자그룹을 사용하세요.',
+ paAdvancedNoGroups: '역할 기반인증을 사용하시기전에 사용자 그룹부터 생성해야합니다.',
+ paErrorPage: '에러 페이지',
+ paErrorPageHelp: '로그인을 시도할 때 접근할 수 없습니다.',
+ paHowWould: '이페이지의 접근제한을 어떻게 제한할지 선택하세요',
+ paIsProtected: '%0% 제한되었습니다.',
+ paIsRemoved: '%0% 의 제한이 제거되었습니다',
+ paLoginPage: '로그인 페이지',
+ paLoginPageHelp: '로그인 폼 양식페이지를 선택하세요',
+ paRemoveProtection: '제한 제거',
+ paSelectPages: '로그인 폼과 에러메세지가 포함된 페이지를 선택하세요',
+ paSelectRoles: '이 페이지에 접근할 역할을 선택하세요',
+ paSetLogin: '이 페이지에 로그인과 암호 설정',
+ paSimple: '사용자 제한',
+ paSimpleHelp: '로그인과 암호를 이용해 사용자 제한',
+ },
+ publish: {
+ contentPublishedFailedByEvent: '제3공급자 익스텐션 취소때문에 %0% 가 발행할 수없습니다.',
+ includeUnpublished: '미발행된 자식 문서 포함',
+ inProgress: '발행 진행중 - 잠시만 기다리세요...',
+ inProgressCounter: '%1% 페이지를 제외한 %0% 가 발행됨...',
+ nodePublish: '%0% 발행됨',
+ nodePublishAll: '%0% 과 서브페이지가 발행되었습니다',
+ publishAll: '%0% 와 모든 서브페이지 발행',
+ publishHelp:
+ "%0%를 발행하기위해 확인를 클릭하세요 and thereby making it's content publicly available.
\n 이 페이지와 모든 서브페이지를 아래 모든 자식문서 발행을 체크하여 발행할 수 있습니다.\n ",
+ },
+ relatedlinks: {
+ addExternal: '외부링크 추가',
+ addInternal: '내부링크 추가',
+ addlink: '추가',
+ caption: '설명',
+ internalPage: '내부 페이지',
+ linkurl: 'URL',
+ modeDown: '아래로 이동',
+ modeUp: '위로 이동',
+ newWindow: '새 창 열기',
+ removeLink: '링크 삭제',
+ },
+ rollback: {
+ diffHelp:
+ '현재 버전과 선택한 버전의 차이점을 보여줍니다 빨간 텍스트는 선택한 버전에선 보이지 않습니다. 녹색은 추가되었음을 의미합니다',
+ documentRolledBack: '문서가 롤백되었습니다.',
+ htmlHelp: '선택한 버전을 html로 보여줍니다. 두 버전의 차이점을 동시에 보시려면, 차이점 보기를 사용하세요',
+ rollbackTo: '롤백',
+ selectVersion: '버전 선택',
+ view: '보기',
+ },
+ scripts: {
+ editscript: '스크립트 파일 편집',
+ },
+ sections: {
+ concierge: '안내',
+ content: '컨텐츠',
+ courier: '가이드',
+ developer: '개발도구',
+ installer: 'Umbraco 설치마법사',
+ media: '미디어',
+ member: '구성원',
+ newsletters: '뉴스레터',
+ settings: '세팅',
+ statistics: '통계',
+ translation: '변환',
+ users: '사용자',
+ },
+ settings: {
+ defaulttemplate: '기본 템플릿',
+ importDocumentTypeHelp:
+ '문서를 가져오시려면 사용하시는 컴퓨터에 ".udt"를 찾아 선택하시고 "가져오기"를 클릭하세요(다음 단계에서 확인여부를 문의합니다)',
+ newtabname: '새 색인 제목',
+ nodetype: '노드타입',
+ objecttype: '타입',
+ stylesheet: '스타일시트',
+ tab: '색인',
+ tabname: '색인 제목',
+ tabs: '색인',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: '정렬 완료',
+ sortHelp:
+ '다른 아이템을 마우스로 위,아래로 드래그 하여 이동하거나 열의 헤더를 클릭하여 아이템을 정렬할 수 있습니다',
+ sortPleaseWait: '잠시 기다리십시오. 아이템을 정렬 하는데 잠시 시간이 소요될 수 있습니다',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: '3rd party add-in 때문에 발행이 취소되었습니다.',
+ contentTypeDublicatePropertyType: '속성타입이 이미존재합니다',
+ contentTypePropertyTypeCreated: '속성타입 생성되었습니다',
+ contentTypePropertyTypeCreatedText: '이름: %0% 데이터타입: %1%',
+ contentTypePropertyTypeDeleted: '속성타입 삭제됨',
+ contentTypeSavedHeader: '컨텐츠타입 저장됨',
+ contentTypeTabCreated: '색인 생성',
+ contentTypeTabDeleted: '색인 삭제',
+ contentTypeTabDeletedText: 'Tab with id: %0% 삭제됨',
+ cssErrorHeader: '스타일시트 저장되지 않음',
+ cssSavedHeader: '스타일시트 저장',
+ cssSavedText: '스타일시트 에러없이 저장',
+ dataTypeSaved: '데이터타입 저장됨',
+ dictionaryItemSaved: '사전 항목 저장됨',
+ editContentPublishedFailedByParent: '부모페이지가 발행되지 않았기때문에 발행에 실패했습니다.',
+ editContentPublishedHeader: '컨텐츠 발행됨',
+ editContentPublishedText: 'and 웹사이트에서 보기',
+ editContentSavedHeader: '컨텐츠 저장됨',
+ editContentSavedText: '변경된 내용이 적용되어 발행됨을 기억하세요',
+ editContentSendToPublish: '승인을 위해 전송',
+ editContentSendToPublishText: '변경사항이 승인을 위해 전송되었습니다.',
+ editMemberSaved: '사용자 저장됨',
+ editStylesheetPropertySaved: '스타일시트 속성 저장됨',
+ editStylesheetSaved: '스타일시트 저장됨',
+ editTemplateSaved: '템플릿 저장됨',
+ editUserError: '사용자 저장에러(로그 확인)',
+ editUserSaved: '사용자 저장됨',
+ fileErrorHeader: '파일 저장되지 않음',
+ fileErrorText: '파일이 저장되지 않았습니다. 권한을 확인하세요',
+ fileSavedHeader: '파일 저장',
+ fileSavedText: '파일이 에러없이 저장',
+ languageSaved: '언어 저장됨',
+ templateErrorHeader: '템플릿이 저장되지 않음',
+ templateErrorText: '2 템플릿에 동일한 별칭이 적용되지 않았는지 확인하시기 바랍니다.',
+ templateSavedHeader: '템플릿 저장',
+ templateSavedText: '탬플릿이 에러없이 저장되었습니다!',
+ },
+ stylesheet: {
+ aliasHelp: 'CSS 태그를 사용하세요 예: h1, .redHeader, .blueTex',
+ editstylesheet: '스타일시트 편집',
+ editstylesheetproperty: '스타일시트 속성편집',
+ nameHelp: 'rich text editor 에 스타일속성을 확인할 수 있는 이름을 붙이세요',
+ preview: '미리보기',
+ styles: '스타일',
+ },
+ template: {
+ edittemplate: '템플릿 편집',
+ insertContentArea: '컨텐츠범위 삽입',
+ insertContentAreaPlaceHolder: '컨텐츠범위 Placeholder 삽입',
+ insertDictionaryItem: '사전 항목 삽입',
+ insertMacro: '매크로 삽입',
+ insertPageField: 'Umbraco 페이지필드 삽입',
+ mastertemplate: '마스터 템플릿',
+ quickGuide: 'Umbraco 템플릿태그 퀵가이드',
+ template: '템플릿',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choose type of content',
+ chooseLayout: 'Choose a layout',
+ addRows: 'Add a row',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ settingsApplied: 'Settings applied',
+ contentNotAllowed: 'This content is not allowed here',
+ contentAllowed: 'This content is allowed here',
+ clickToEmbed: 'Click to embed',
+ clickToInsertImage: 'Click to insert image',
+ placeholderWriteHere: 'Write here...',
+ gridLayouts: 'Grid Layouts',
+ gridLayoutsDetail:
+ 'Layouts are the overall work area for the grid editor, usually you only need one or two different layouts',
+ addGridLayout: 'Add Grid Layout',
+ addGridLayoutDetail: 'Adjust the layout by setting column widths and adding additional sections',
+ rowConfigurations: 'Row configurations',
+ rowConfigurationsDetail: 'Rows are predefined cells arranged horizontally',
+ addRowConfiguration: 'Add row configuration',
+ addRowConfigurationDetail: 'Adjust the row by setting cell widths and adding additional cells',
+ columns: 'Columns',
+ columnsDetails: 'Total combined number of columns in the grid layout',
+ settings: 'Settings',
+ settingsDetails: 'Configure what settings editors can change',
+ styles: 'Styles',
+ stylesDetails: 'Configure what styling editors can change',
+ allowAllEditors: 'Allow all editors',
+ allowAllRowConfigurations: 'Allow all row configurations',
+ },
+ templateEditor: {
+ alternativeField: '대체 필드',
+ alternativeText: '대체 글꼴',
+ casing: 'Casing',
+ chooseField: '필드 선택',
+ convertLineBreaks: '줄바꿈문자 변환',
+ convertLineBreaksHelp: '줄바꿈문자를 Html태그 <br> 로 변경',
+ dateOnly: '예, 날짜만',
+ formatAsDate: '날짜포맷으로',
+ htmlEncode: 'HTML 인코딩',
+ htmlEncodeHelp: 'HTML과 동일하게 특수문자를 변경하시겠습니까',
+ insertedAfter: '필드 값 후에 삽입하시겠습니까',
+ insertedBefore: '필드값 전에 삽입하시겠습니까',
+ lowercase: '소문자',
+ none: '없음',
+ postContent: '필드뒤에 삽입',
+ preContent: '필드앞에 삽입',
+ recursive: 'Recursive',
+ removeParagraph: '단락 태그삭제',
+ removeParagraphHelp: '문서 시작과 끝의 <P> 를 삭제하시겠습니까',
+ uppercase: '대문자',
+ urlEncode: 'URL 인코딩',
+ urlEncodeHelp: 'URL의 특수문자를 포맷하겠습니까',
+ usedIfAllEmpty: '필드 위의 값들이 비었을때만 사용가능합니다.',
+ usedIfEmpty: '이 필드는 최초필드가 비었을때만 사용가능합니다.',
+ withTime: '예, 시간를 :로 구분하여',
+ },
+ translation: {
+ details: '번역 세부항목',
+ DownloadXmlDTD: '다운로드 xml DTD',
+ fields: '필드',
+ includeSubpages: '서브페이지 포함',
+ mailBody:
+ "\n 안녕하세요 %0%\n\n %2% 에 의해 문서 '%1%' 가 '%5%' 로 번역요청되었음을\n 알리는 자동 발송 메일입니다.\n\n 편집하시려면 http://%3%/translation/details.aspx?id=%4% 로\n\n 번역작업을 전반적으로 보시려면 Umbraco에 로그인 하세요\n http://%3%\n\n 좋은 하루 되세요!\n ",
+ noTranslators: '번역자를 찾을 수 없습니다. 컨텐츠를 번역하기위해 발송하시기 전에 번역자를 생성하세요.',
+ pageHasBeenSendToTranslation: "'%0%' 페이지가 번역을 위해 전송되었습니다.",
+ sendToTranslate: "번역을 위해 '%0%' 페이지 전송하기Send the page '%0%' to translation",
+ totalWords: '총 단어 수',
+ translateTo: '번역',
+ translationDone: '번역 완료',
+ translationDoneHelp:
+ '아래를 클릭하셔서 방금 번역한 페이지를 미리볼 수 있습니다. 원본 페이지가 있다면 두 페이지를 비교해보시기 바랍니다.',
+ translationFailed: '번역에 실패했습니다. Xml 파일에 문제가 있을수 있습니다.',
+ translationOptions: '번역 옵션',
+ translator: '번역자',
+ uploadTranslationXml: '번역 XML 업로드',
+ },
+ treeHeaders: {
+ cacheBrowser: '캐시 브라우저',
+ contentRecycleBin: '휴지통',
+ createdPackages: '생성된 패키지',
+ dataTypes: '데이터 타입',
+ dictionary: '사전',
+ installedPackages: '설치된 패키지',
+ installSkin: "TRANSLATE ME: 'Install skin'",
+ installStarterKit: "TRANSLATE ME: 'Install starter kit'",
+ languages: '언어',
+ localPackage: '로컬 패키지 설치',
+ macros: '매크로',
+ mediaTypes: '미디어 타입',
+ member: '구성원',
+ memberGroups: '구성원 그룹',
+ memberRoles: '역할',
+ memberTypes: '구성원 유형',
+ packager: '패키지',
+ packages: '패키지',
+ repositories: '저장소에 설치',
+ runway: 'Runway 설치',
+ runwayModules: 'Runway 모듈',
+ scripting: '스크립트 파일',
+ scripts: '스크립트',
+ stylesheets: '스타일시트',
+ templates: '템플릿',
+ userPermissions: '사용자권한',
+ userTypes: '사용자 유형',
+ users: '사용자',
+ },
+ update: {
+ updateAvailable: '새 업데이트가 준비되었습니다.',
+ updateDownloadText: '%0% 가 준비되었습니다. 다운로드를 위해 여기를 클릭하세요',
+ updateNoServer: '연결할 서버가 없습니다연결할 서버가 없습니다',
+ updateNoServerError: '업데이트을 위해 에러를 체크합니다 더많은 정보를 보시려면 stack 추적을 하세요',
+ },
+ user: {
+ administrators: '관리자',
+ categoryField: '카테고리 필드',
+ changePassword: 'Change Your Password',
+ changePasswordDescription:
+ "You can change your password for accessing the Umbraco backoffice by filling out the form below and click the 'Change Password' button",
+ contentChannel: '컨텐츠 채널',
+ descriptionField: '설명 필드',
+ disabled: '사용자 비활성화',
+ documentType: '문서 타입',
+ editors: '편집자',
+ excerptField: '필드 발췌',
+ language: '언어',
+ loginname: '로그인',
+ mediastartnode: '미디어 라이브러리에 시작노드',
+ modules: '세부항목',
+ noConsole: 'Umbraco 접속 비활성화',
+ password: '비밀번호',
+ passwordChanged: 'Your password has been changed!',
+ passwordConfirm: 'Please confirm the new password',
+ passwordEnterNew: 'Enter your new password',
+ passwordIsBlank: 'Your new password cannot be blank!',
+ passwordIsDifferent:
+ 'There was a difference between the new password and the confirmed password. Please try again!',
+ passwordMismatch: "The confirmed password doesn't match the new password!",
+ permissionReplaceChildren: '자식노드 권한변경',
+ permissionSelectedPages: '현재 이페이지의 권한을 수정하는 중입니다:',
+ permissionSelectPages: '권한변경할 페이지를 선택해주세요',
+ searchAllChildren: '하위항목 모두찾기',
+ startnode: '컨텐츠의 시작노드',
+ username: '사용자명',
+ userPermissions: '사용자권한',
+ usertype: '사용자 타입',
+ userTypes: '사용자 타입',
+ writer: '작성자',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: '모두 선택',
+ deselectAllLogLevelFilters: '모두 선택 해제',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/nb-no.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/nb-no.ts
new file mode 100644
index 0000000000..f25989e84d
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/nb-no.ts
@@ -0,0 +1,929 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: nb-no
+ * Language Int Name: Norwegian Bokmål (NO)
+ * Language Local Name: norsk bokmål (NO)
+ * Language LCID: 20
+ * Language Culture: nb-NO
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Angi domene',
+ auditTrail: 'Revisjoner',
+ browse: 'Bla gjennom',
+ changeDocType: 'Skift dokumenttype',
+ copy: 'Kopier',
+ create: 'Opprett',
+ createPackage: 'Opprett pakke',
+ delete: 'Slett',
+ disable: 'Deaktiver',
+ emptyrecyclebin: 'Tøm papirkurv',
+ exportDocumentType: 'Eksporter dokumenttype',
+ importdocumenttype: 'Importer dokumenttype',
+ importPackage: 'Importer pakke',
+ liveEdit: 'Rediger i Canvas',
+ logout: 'Logg av',
+ move: 'Flytt',
+ notify: 'Varslinger',
+ protect: 'Offentlig tilgang',
+ publish: 'Publiser',
+ unpublish: 'Avpubliser',
+ refreshNode: 'Oppdater noder',
+ republish: 'Republiser hele siten',
+ restore: 'Gjenopprett',
+ rights: 'Rettigheter',
+ rollback: 'Reverser',
+ sendtopublish: 'Send til publisering',
+ sendToTranslate: 'Send til oversetting',
+ sort: 'Sorter',
+ translate: 'Oversett',
+ update: 'Oppdater',
+ },
+ assignDomain: {
+ permissionDenied: 'Ingen tilgang.',
+ addNew: 'Legg til domene',
+ remove: 'Fjern',
+ invalidNode: 'Ugyldig node.',
+ invalidDomain: 'Ugyldig domeneformat.',
+ duplicateDomain: 'Domene er allerede tilknyttet.',
+ language: 'Språk',
+ domain: 'Domene',
+ domainCreated: "Domene '%0%' er nå opprettet og tilknyttet siden",
+ domainDeleted: "Domenet '%0%' er nå slettet",
+ domainExists: "Domenet '%0%' er allerede tilknyttet",
+ domainUpdated: "Domenet '%0%' er nå oppdatert",
+ orEdit: 'eller rediger eksisterende domener',
+ inherit: 'Arv',
+ setLanguage: 'Språk',
+ setLanguageHelp:
+ 'Sett språk for underordnede noder eller arv språk fra overordnet. Vil også gjelde denne noden, med mindre et underordnet domene også gjelder.',
+ setDomains: 'Domener',
+ },
+ auditTrails: {
+ atViewingFor: 'Viser for',
+ },
+ buttons: {
+ select: 'Velg',
+ somethingElse: 'Gjør noe annet',
+ bold: 'Fet',
+ deindent: 'Reduser innrykk',
+ formFieldInsert: 'Sett inn skjemafelt',
+ graphicHeadline: 'Sett inn grafisk overskrift',
+ htmlEdit: 'Rediger HTML',
+ indent: 'Øk innrykk',
+ italic: 'Kursiv',
+ justifyCenter: 'Midtstill',
+ justifyLeft: 'Juster tekst venstre',
+ justifyRight: 'Juster tekst høyre',
+ linkInsert: 'Sett inn lenke',
+ linkLocal: 'Sett inn lokal lenke (anker)',
+ listBullet: 'Punktmerking',
+ listNumeric: 'Nummerering',
+ macroInsert: 'Sett inn makro',
+ pictureInsert: 'Sett inn bilde',
+ relations: 'Rediger relasjoner',
+ returnToList: 'Tilbake til listen',
+ save: 'Lagre',
+ saveAndPublish: 'Lagre og publiser',
+ saveToPublish: 'Lagre og send til publisering',
+ saveAndPreview: 'Forhåndsvis',
+ showPageDisabled: 'Forhåndsvisning er deaktivert siden det ikke er angitt noen mal',
+ styleChoose: 'Velg formattering',
+ styleShow: 'Vis stiler',
+ tableInsert: 'Sett inn tabell',
+ },
+ content: {
+ isPublished: 'Publisert',
+ about: 'Om siden',
+ alias: 'Alias',
+ alternativeTextHelp: '(hvordan du ville beskrevet bildet over telefon)',
+ alternativeUrls: 'Alternative lenker',
+ clickToEdit: 'Klikk for å redigere denne noden',
+ createBy: 'Opprettet av',
+ createByDesc: 'Opprinnelig forfatter',
+ updatedBy: 'Oppdatert av',
+ createDate: 'Opprettet den',
+ createDateDesc: 'Tidspunkt for opprettelse',
+ documentType: 'Dokumenttype',
+ editing: 'Redigerer',
+ expireDate: 'Utløpsdato',
+ itemChanged: 'Denne noden er endret siden siste publisering',
+ itemNotPublished: 'Denne noden er enda ikke publisert',
+ lastPublished: 'Sist publisert',
+ listViewNoItems: 'Det er ingen elementer å vise i listen.',
+ mediatype: 'Mediatype',
+ mediaLinks: 'Link til media',
+ membergroup: 'Medlemsgruppe',
+ memberrole: 'Rolle',
+ membertype: 'Medlemstype',
+ noDate: 'Ingen dato valgt',
+ nodeName: 'Sidetittel',
+ otherElements: 'Egenskaper',
+ parentNotPublished:
+ "Dette dokumentet er publisert, men ikke synlig ettersom den overliggende siden '%0%' ikke er publisert",
+ parentNotPublishedAnomaly: 'Intern feil: dokumentet er publisert men finnes ikke i hurtigbuffer',
+ publish: 'Publisert',
+ publishStatus: 'Publiseringsstatus',
+ releaseDate: 'Publiseringsdato',
+ unpublishDate: 'Dato for avpublisering',
+ removeDate: 'Fjern dato',
+ sortDone: 'Sorteringsrekkefølgen er oppdatert',
+ sortHelp:
+ 'Trekk og slipp nodene eller klikk på kolonneoverskriftene for å sortere. Du kan velge flere noder ved å holde shift eller control tastene mens du velger.',
+ statistics: 'Statistikk',
+ titleOptional: 'Tittel (valgfri)',
+ altTextOptional: 'Alternativ tekst (valgfri)',
+ type: 'Type',
+ unpublish: 'Avpubliser',
+ updateDate: 'Sist endret',
+ updateDateDesc: 'Tidspunkt for siste endring',
+ uploadClear: 'Fjern fil',
+ urls: 'Lenke til dokument',
+ memberof: 'Medlem av gruppe(ne)',
+ notmemberof: 'Ikke medlem av gruppe(ne)',
+ childItems: 'Undersider',
+ target: 'Åpne i vindu',
+ saveModalTitle: 'Lagre',
+ },
+ media: {
+ clickToUpload: 'Klikk for å laste opp',
+ },
+ member: {
+ createNewMember: 'Opprett et nytt medlem',
+ allMembers: 'Alle medlemmer',
+ },
+ create: {
+ chooseNode: 'Hvor ønsker du å oprette den nye %0%',
+ createUnder: 'Opprett under',
+ updateData: 'Velg en type og skriv en tittel',
+ noDocumentTypes:
+ 'Det er ingen tillatte dokumenttyper tilgjengelig. Du må tillate disse i innstillinger under "dokumenttyper".',
+ noMediaTypes:
+ 'Det er ingen tillatte mediatyper tilgjengelig. Du må tillate disse i innstillinger under "mediatyper".',
+ },
+ dashboard: {
+ browser: 'Til ditt nettsted',
+ dontShowAgain: '- Skjul',
+ nothinghappens: 'Hvis Umbraco ikke starter, kan det skyldes at pop-up vinduer ikke er tillatt',
+ openinnew: 'er åpnet i nytt vindu',
+ restart: 'Omstart',
+ visit: 'Besøk',
+ welcome: 'Velkommen',
+ },
+ prompt: {
+ stay: 'Stay',
+ discardChanges: 'Discard changes',
+ unsavedChanges: 'You have unsaved changes',
+ unsavedChangesWarning: 'Are you sure you want to navigate away from this page? - you have unsaved changes',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: 'Deleted %0% item',
+ deletedItems: 'Deleted %0% items',
+ deletedItemOfItem: 'Deleted %0% out of %1% item',
+ deletedItemOfItems: 'Deleted %0% out of %1% items',
+ publishedItem: 'Published %0% item',
+ publishedItems: 'Published %0% items',
+ publishedItemOfItem: 'Published %0% out of %1% item',
+ publishedItemOfItems: 'Published %0% out of %1% items',
+ unpublishedItem: 'Unpublished %0% item',
+ unpublishedItems: 'Unpublished %0% items',
+ unpublishedItemOfItem: 'Unpublished %0% out of %1% item',
+ unpublishedItemOfItems: 'Unpublished %0% out of %1% items',
+ movedItem: 'Moved %0% item',
+ movedItems: 'Moved %0% items',
+ movedItemOfItem: 'Moved %0% out of %1% item',
+ movedItemOfItems: 'Moved %0% out of %1% items',
+ copiedItem: 'Copied %0% item',
+ copiedItems: 'Copied %0% items',
+ copiedItemOfItem: 'Copied %0% out of %1% item',
+ copiedItemOfItems: 'Copied %0% out of %1% items',
+ },
+ defaultdialogs: {
+ anchorInsert: 'Navn på lokal link',
+ assignDomain: 'Rediger domener',
+ closeThisWindow: 'Lukk dette vinduet',
+ confirmdelete: 'Er du sikker på at du vil slette',
+ confirmdisable: 'Er du sikker på at du vil deaktivere',
+ confirmlogout: 'Er du sikker på at du vil forlate Umbraco?',
+ confirmSure: 'Er du sikker?',
+ cut: 'Klipp ut',
+ editDictionary: 'Rediger ordboksnøkkel',
+ editLanguage: 'Rediger språk',
+ insertAnchor: 'Sett inn lokal link',
+ insertCharacter: 'Sett inn spesialtegn',
+ insertgraphicheadline: 'Sett inn grafisk overskrift',
+ insertimage: 'Sett inn bilde',
+ insertlink: 'Sett inn lenke',
+ insertMacro: 'Sett inn makro',
+ inserttable: 'Sett inn tabell',
+ lastEdited: 'Sist redigert',
+ link: 'Lenke',
+ linkinternal: 'Intern link',
+ linklocaltip: 'Ved lokal link, sett inn "#" foran link',
+ linknewwindow: 'Åpne i nytt vindu?',
+ macroDoesNotHaveProperties: 'Denne makroen har ingen egenskaper du kan endre',
+ paste: 'Lim inn',
+ permissionsEdit: 'Endre rettigheter for',
+ recycleBinDeleting:
+ 'Innholdet i papirkurven blir nå slettet. Vennligst ikke lukk dette vinduet mens denne operasjonen foregår',
+ recycleBinIsEmpty: 'Papirkurven er nå tom',
+ recycleBinWarning: 'Når elementer blir slettet fra papirkurven vil de være slettet for alltid',
+ regexSearchError:
+ "regexlib.com tjenesten opplever for tiden problemer som vi ikke har kontroll over. Vi beklager denne ubeleiligheten.",
+ regexSearchHelp:
+ "Søk etter et regulært uttrykk for å legge inn validering til et felt. Eksempel: 'email, 'zip-code', 'URL'.",
+ removeMacro: 'Fjern makro',
+ requiredField: 'Obligatorisk',
+ sitereindexed: 'Nettstedet er indeksert',
+ siterepublished:
+ 'Hurtigbufferen er blitt oppdatert. Alt publisert innhold er nå à jour. Alt upublisert innhold er fortsatt ikke publisert.',
+ siterepublishHelp:
+ 'Hurtigbufferen for siden vil bli oppdatert. Alt publisert innhold vil bli oppdatert, mens upublisert innhold vil forbli upublisert.',
+ tableColumns: 'Antall kolonner',
+ tableRows: 'Antall rader',
+ thumbnailimageclickfororiginal: 'Klikk på bildet for å se det i full størrelse',
+ treepicker: 'Velg punkt',
+ viewCacheItem: 'Se buffret node',
+ },
+ dictionaryItem: {
+ description:
+ "Rediger de forskjellige språkversjonene for ordbokelementet '%0%' under. Du kan legge til flere språk under 'språk' i menyen til venstre.",
+ displayName: 'Språk',
+ changeKeyError: "Kan ikke endre nøkkel for '%0%' fordi det allerede finnes en oversettelse for denne nøkkelen",
+ overviewTitle: 'Ordbok',
+ },
+ placeholders: {
+ username: 'Skriv inn ditt brukernavn',
+ password: 'Skriv inn ditt passord',
+ nameentity: 'Navngi %0%...',
+ entername: 'Skriv inn navn...',
+ search: 'Søk...',
+ filter: 'Filtrer...',
+ enterTags: 'Skriv inn nøkkelord (trykk på Enter etter hvert nøkkelord)...',
+ },
+ editcontenttype: {
+ createListView: 'Opprett brukerdefinert listevisning',
+ removeListView: 'Fjern brukerdefinert listevisning',
+ },
+ editdatatype: {
+ addPrevalue: 'Legg til forhåndsverdi',
+ dataBaseDatatype: 'Database datatype',
+ guid: 'Kontrollelement GUID',
+ renderControl: 'Kontrollelement',
+ rteButtons: 'Knapper',
+ rteEnableAdvancedSettings: 'Aktiver avanserte instillinger for',
+ rteEnableContextMenu: 'Aktiver kontektsmeny',
+ rteMaximumDefaultImgSize: 'Maksimum standard størrelse på innsatte bilder',
+ rteRelatedStylesheets: 'Beslektede stilark',
+ rteShowLabel: 'Vis etikett',
+ rteWidthAndHeight: 'Bredde og høyde',
+ },
+ errorHandling: {
+ errorButDataWasSaved: 'Dine data har blitt lagret, men før du kan publisere denne siden må du rette noen feil:',
+ errorChangingProviderPassword:
+ 'Den gjeldende Membership Provider støtter ikke endring av passord. (EnablePasswordRetrieval må være satt til sann)',
+ errorExistsWithoutTab: '%0% finnes allerede',
+ errorHeader: 'Det var feil i dokumentet:',
+ errorHeaderWithoutTab: 'Det var feil i skjemaet:',
+ errorInPasswordFormat: 'Passordet bør være minst %0% tegn og inneholde minst %1% numeriske tegn',
+ errorIntegerWithoutTab: '%0% må være et heltall',
+ errorMandatory: '%0% under %1% er obligatorisk',
+ errorMandatoryWithoutTab: '%0% er obligatorisk',
+ errorRegExp: '%0% under %1% er ikke i et korrekt format',
+ errorRegExpWithoutTab: '%0% er ikke i et korrekt format',
+ },
+ errors: {
+ dissallowedMediaType: 'Filtypen er deaktivert av administrator',
+ codemirroriewarning:
+ 'NB! Selv om CodeMirror er aktivert i konfigurasjon er det deaktivert i Internet Explorer pga. ustabilitet.',
+ contentTypeAliasAndNameNotNull: 'Fyll ut både alias og navn på den nye egenskapstypen!',
+ filePermissionsError: 'Det er et problem med lese/skrive rettighetene til en fil eller mappe',
+ missingTitle: 'Tittel mangler',
+ missingType: 'Type mangler',
+ pictureResizeBiggerThanOrg:
+ 'Du er i ferd med å gjøre bildet større enn originalen. Det vil forringe kvaliteten på bildet, ønsker du å fortsette?',
+ startNodeDoesNotExists: 'Startnode er slettet. Kontakt din administrator',
+ stylesMustMarkBeforeSelect: 'Du må markere innhold før du kan endre stil',
+ stylesNoStylesOnPage: 'Det er ingen aktive stiler eller formateringer på denne siden',
+ tableColMergeLeft: 'Sett markøren til venstre i de 2 cellene du ønsker å slå sammen',
+ tableSplitNotSplittable: 'Du kan ikke dele en celle som allerede er delt.',
+ },
+ general: {
+ about: 'Om',
+ action: 'Handling',
+ actions: 'Muligheter',
+ add: 'Legg til',
+ alias: 'Alias',
+ areyousure: 'Er du sikker?',
+ border: 'Ramme',
+ by: 'av',
+ cancel: 'Avbryt',
+ cellMargin: 'Cellemargin',
+ choose: 'Velg',
+ close: 'Lukk',
+ closewindow: 'Lukk vindu',
+ comment: 'Kommentar',
+ confirm: 'Bekreft',
+ constrainProportions: 'Behold proposjoner',
+ continue: 'Fortsett',
+ copy: 'Kopier',
+ create: 'Opprett',
+ cropSection: 'Utsnitt',
+ database: 'Database',
+ date: 'Dato',
+ default: 'Standard',
+ delete: 'Slett',
+ deleted: 'Slettet',
+ deleting: 'Sletter...',
+ design: 'Design',
+ dimensions: 'Dimensjoner',
+ down: 'Ned',
+ download: 'Last ned',
+ edit: 'Rediger',
+ edited: 'Endret',
+ elements: 'Elementer',
+ email: 'E-post',
+ error: 'Feil',
+ findDocument: 'Finn',
+ height: 'Høyde',
+ help: 'Hjelp',
+ icon: 'Ikon',
+ import: 'Importer',
+ innerMargin: 'Indre margin',
+ insert: 'Sett inn',
+ install: 'Installer',
+ justify: 'Justering',
+ language: 'Språk',
+ layout: 'Layout',
+ loading: 'Laster',
+ locked: 'Låst',
+ login: 'Logg inn',
+ logoff: 'Logg ut',
+ logout: 'Logg ut',
+ macro: 'Makro',
+ move: 'Flytt',
+ name: 'Navn',
+ new: 'Ny',
+ next: 'Neste',
+ no: 'Nei',
+ of: 'av',
+ ok: 'OK',
+ open: 'Åpne',
+ or: 'eller',
+ password: 'Passord',
+ path: 'Sti',
+ pleasewait: 'Ett øyeblikk...',
+ previous: 'Forrige',
+ properties: 'Egenskaper',
+ reciept: 'E-post som innholdet i skjemaet skal sendes til',
+ recycleBin: 'Papirkurv',
+ remaining: 'Gjenværende',
+ rename: 'Gi nytt navn',
+ renew: 'Forny',
+ required: 'Påkrevd',
+ retry: 'Prøv igjen',
+ rights: 'Rettigheter',
+ search: 'Søk',
+ server: 'Server',
+ show: 'Vis',
+ showPageOnSend: 'Hvilken side skal vises etter at skjemaet er sendt',
+ size: 'Størrelse',
+ sort: 'Sorter',
+ submit: 'Send',
+ type: 'Type',
+ typeToSearch: 'Søk...',
+ up: 'Opp',
+ update: 'Oppdater',
+ upgrade: 'Oppgrader',
+ upload: 'Last opp',
+ url: 'URL',
+ user: 'Bruker',
+ username: 'Brukernavn',
+ value: 'Verdi',
+ view: 'Visning',
+ welcome: 'Velkommen...',
+ width: 'Bredde',
+ yes: 'Ja',
+ folder: 'Mappe',
+ searchResults: 'Søkeresultater',
+ reorder: 'Sorter',
+ reorderDone: 'Avslutt sortering',
+ preview: 'Eksempel',
+ changePassword: 'Bytt passord',
+ to: 'til',
+ listView: 'Listevisning',
+ saving: 'Lagrer...',
+ current: 'nåværende',
+ embed: 'Innbygging',
+ retrieve: 'Hent',
+ selected: 'valgt',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Bakgrunnsfarge',
+ bold: 'Fet',
+ color: 'Tekstfarge',
+ font: 'Skrifttype',
+ text: 'Tekst',
+ },
+ headers: {
+ page: 'Side',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Installasjonsprogrammet kan ikke koble til databasen',
+ databaseFound: 'Din database er funnet og identifisert som',
+ databaseHeader: 'Databasekonfigurasjon',
+ databaseInstall: 'Klikk installer-knappen for å installere Umbraco %0% databasen',
+ databaseInstallDone:
+ 'Umbraco %0% har nå blitt kopiert til din database. Trykk Neste for å fortsette.',
+ databaseText:
+ 'For å fullføre dette steget, må du vite en del informasjon om din database server ("tilkoblingsstreng"). Vennligst kontakt din ISP om nødvendig. Hvis du installerer på en lokal maskin eller server, må du kanskje skaffe informasjonen fra din systemadministrator.',
+ databaseUpgrade:
+ '
Trykk på knappen oppgrader for å oppgradere databasen din til Umbraco %0%
Ikke vær urolig - intet innhold vil bli slettet og alt vil fortsette å virke etterpå!
',
+ databaseUpgradeDone:
+ 'Databasen din har blitt oppgradert til den siste utgaven, %0%. Trykk Neste for å fortsette.',
+ databaseUpToDate:
+ 'Databasen din er av nyeste versjon! Klikk neste for å fortsette konfigurasjonsveiviseren',
+ defaultUserChangePass: 'Passordet til standardbrukeren må endres!',
+ defaultUserDisabled:
+ 'Standardbrukeren har blitt deaktivert eller har ingen tilgang til Umbraco!
Ingen videre handling er nødvendig. Klikk neste for å fortsette.',
+ defaultUserPassChanged:
+ 'Passordet til standardbrukeren har blitt forandret etter installasjonen!
Ingen videre handling er nødvendig. Klikk Neste for å fortsette.',
+ defaultUserPasswordChanged: 'Passordet er blitt endret!',
+ greatStart: 'Få en god start med våre introduksjonsvideoer',
+ None: 'Ikke installert.',
+ permissionsAffectedFolders: 'Berørte filer og mapper',
+ permissionsAffectedFoldersMoreInfo: 'Mer informasjon om å sette opp rettigheter for Umbraco her',
+ permissionsAffectedFoldersText: 'Du må gi ASP.NET brukeren rettigheter til å endre de følgende filer og mapper',
+ permissionsAlmostPerfect:
+ 'Rettighetene er nesten perfekt satt opp!
Du kan kjøre Umbraco uten problemer, men du vil ikke være i stand til å installere de anbefalte pakkene for å utnytte Umbraco fullt ut.',
+ permissionsHowtoResolve: 'Hvordan løse problemet',
+ permissionsHowtoResolveLink: 'Klikk her for å lese tekstversjonen',
+ permissionsHowtoResolveText:
+ 'Se vår innføringsvideo om å sette opp rettigheter for Umbraco eller les tekstversjonen.',
+ permissionsMaybeAnIssue:
+ 'Rettighetsinnstillingene kan være et problem!
Du kan kjøre Umbraco uten problemer, men du vil ikke være i stand til å installere de anbefalte pakkene for å utnytte Umbraco fullt ut.',
+ permissionsNotReady:
+ 'Rettighetsinstillingene er ikke klargjort for Umbraco!
For å kunne kjøre Umbraco, må du oppdatere rettighetsinnstillingene dine.',
+ permissionsPerfect:
+ 'Rettighetsinnstillingene er perfekt!
Du er klar for å kjøre Umbraco og installere pakker!',
+ permissionsResolveFolderIssues: 'Løser mappeproblem',
+ permissionsResolveFolderIssuesLink:
+ 'Følg denne linken for mer informasjon om problemer med ASP.NET og oppretting av mapper',
+ permissionsSettingUpPermissions: 'Konfigurerer mappetillatelser',
+ permissionsText:
+ 'Umbraco trenger skrive/endre tilgang til enkelte mapper for å kunne lagre filer som bilder og PDF-dokumenter. Den lagrer også midlertidig data (aka: hurtiglager) for å øke ytelsen på websiden din.',
+ runwayFromScratch: 'Jeg ønsker å starte fra bunnen.',
+ runwayFromScratchText:
+ 'Din website er helt tom for øyeblikket. Dette er perfekt hvis du vil begynne helt forfra og lage dine egne dokumenttyper og maler. (lær hvordan) Du kan fortsatt velge å installere Runway senere. Vennligst gå til Utvikler-seksjonen og velg Pakker.',
+ runwayHeader: 'Du har akkurat satt opp en ren Umbraco plattform. Hva vil du gjøre nå?',
+ runwayInstalled: 'Runway er installert',
+ runwayInstalledText:
+ 'Du har nå fundamentet på plass. Velg hvilke moduler du ønsker å installer på toppen av det. Dette er vår liste av anbefalte moduler- Kryss av de du ønsker å installere, eller se denfulle listen av moduler ',
+ runwayOnlyProUsers: 'Bare anbefalt for erfarne brukere',
+ runwaySimpleSite: 'Jeg vil starte med en enkel webside',
+ runwaySimpleSiteText:
+ '
"Runway" er en enkel webside som utstyrer deg med noen grunnleggende dokumenttyper og maler. Veiviseren kan sette opp Runway for deg automatisk, men du kan enkelt endre, utvide eller slette den. Runway er ikke nødvendig, og du kan enkelt bruke Umbraco uten den. Imidlertidig tilbyr Runway et enkelt fundament basert på de beste metodene for å hjelpe deg i gang fortere enn noensinne. Hvis du velger å installere Runway, kan du også velge blant grunnleggende byggeklosser kalt Runway Moduler for å forøke dine Runway-sider.
Sider inkludert i Runway: Hjemmeside, Komme-i-gang, Installere moduler. Valgfrie Moduler: Toppnavigasjon, Sidekart, Kontakt, Galleri. ',
+ runwayWhatIsRunway: 'Hva er Runway',
+ step1: 'Steg 1/5 Godta lisens',
+ step2: 'Steg 2/5 Database konfigurasjon',
+ step3: 'Steg 3/5: Valider filrettigheter',
+ step4: 'Steg 4/5: Skjekk Umbraco sikkerheten',
+ step5: 'Steg 5/5: Umbraco er klar for deg til å starte!',
+ thankYou: 'Tusen takk for at du valgte Umbraco!',
+ theEndBrowseSite:
+ '
Se ditt nye nettsted
Du har installert Runway, hvorfor ikke se hvordan ditt nettsted ser ut.',
+ theEndFurtherHelp:
+ '
Mer hjelp og info
Få hjelp fra vårt prisbelønte samfunn, bla gjennom dokumentasjonen eller se noen gratis videoer på hvordan man bygger et enkelt nettsted, hvordan bruke pakker og en rask guide til Umbraco terminologi',
+ theEndHeader: 'Umbraco %0% er installert og klar til bruk',
+ theEndInstallSuccess:
+ 'Du kan starte øyeblikkelig ved å klikke på "Start Umbraco" knappen nedenfor. Hvis du er ny på Umbraco, kan du finne mange ressurser på våre komme-i-gang sider.',
+ theEndOpenUmbraco:
+ '
Start Umbraco
For å administrere din webside, åpne Umbraco og begynn å legge til innhold, oppdatere maler og stilark eller utvide funksjonaliteten',
+ Unavailable: 'Tilkobling til databasen mislyktes.',
+ Version3: 'Umbraco Versjon 3',
+ Version4: 'Umbraco Versjon 4',
+ watch: 'Se',
+ welcomeIntro:
+ 'Denne veiviseren vil hjelpe deg gjennom prosessen med å konfigurere Umbraco %0% for en ny installasjon eller oppgradering fra versjon 3.0.
Trykk "neste" for å starte veiviseren.',
+ },
+ language: {
+ cultureCode: 'Språkkode',
+ displayName: 'Språk',
+ },
+ lockout: {
+ lockoutWillOccur: 'Du har vært inaktiv og vil logges ut automatisk om',
+ renewSession: 'Forny innlogging for å lagre',
+ },
+ login: {
+ greeting0: 'Velkommen',
+ greeting1: 'Velkommen',
+ greeting2: 'Velkommen',
+ greeting3: 'Velkommen',
+ greeting4: 'Velkommen',
+ greeting5: 'Velkommen',
+ greeting6: 'Velkommen',
+ instruction: 'Logg på nedenfor',
+ signInWith: 'Logg på med',
+ timeout: 'Din sesjon er utløpt',
+ bottomText:
+ '
',
+ },
+ main: {
+ dashboard: 'Skrivebord',
+ sections: 'Seksjoner',
+ tree: 'Innhold',
+ },
+ moveOrCopy: {
+ choose: 'Velg side over...',
+ copyDone: '%0% er nå kopiert til %1%',
+ copyTo: 'Kopier til',
+ moveDone: '%0% er nå flyttet til %1%',
+ moveTo: 'Flytt til',
+ nodeSelected: "har blitt valgt som rot til ditt nye innhold, klikk 'ok' nedenfor.",
+ noNodeSelected: "Ingen node er valgt, vennligst velg en node i listen over før du klikker 'fortsett'",
+ notAllowedByContentType: 'Gjeldende nodes type tillates ikke under valgt node',
+ notAllowedByPath: 'Gjeldende node kan ikke legges under en underordnet node',
+ notAllowedAtRoot: 'Denne noden kan ikke ligge på rotnivå',
+ notValid: 'Handlingen tillates ikke. Du mangler tilgang til en eller flere underordnede noder.',
+ relateToOriginal: 'Relater kopierte elementer til original(e)',
+ },
+ notifications: {
+ editNotifications: 'Rediger dine varsler for %0%',
+ notificationsSavedFor: 'Varsler lagret for %0%',
+ notifications: 'Varslinger',
+ },
+ packager: {
+ chooseLocalPackageText:
+ 'Klikk browse og velg pakke fra lokal disk. Umbraco-pakker har vanligvis endelsen ".umb" eller ".zip".',
+ packageAuthor: 'Utvikler',
+ packageDocumentation: 'Dokumentasjon',
+ packageMetaData: 'Metadata',
+ packageName: 'Pakkenavn',
+ packageNoItemsHeader: 'Pakken inneholder ingen elementer',
+ packageNoItemsText:
+ 'Denne pakkefilen inneholder ingen elementer å avinstallere.
Du kan trygt fjerne pakken fra systemet ved å klikke "avinstaller pakke" nedenfor.',
+ packageOptions: 'Alternativer for pakke',
+ packageReadme: 'Lesmeg for pakke',
+ packageRepository: 'Pakkebrønn',
+ packageUninstallConfirm: 'Bekreft avinstallering',
+ packageUninstalledHeader: 'Pakken ble avinstallert',
+ packageUninstalledText: 'Pakken ble vellykket avinstallert',
+ packageUninstallHeader: 'Avinstaller pakke',
+ packageUninstallText:
+ 'Du kan velge bort elementer du ikke vil slette på dette tidspunkt, nedenfor. Når du klikker "bekreft avinstallering" vil alle elementer som er krysset av bli slettet. Advarsel: alle dokumenter, media, etc. som som er avhengig av elementene du sletter, vil slutte å virke, noe som kan føre til ustabilitet, så avinstaller med forsiktighet. Hvis du er i tvil, kontakt pakkeutvikleren.',
+ packageVersion: 'Pakkeversjon',
+ },
+ paste: {
+ doNothing: 'Lim inn med full formattering (Anbefales ikke)',
+ errorMessage:
+ 'Teksten du er i ferd med å lime inn, inneholder spesialtegn eller formattering. Dette kan skyldes at du kopierer fra f.eks. Microsoft Word. Umbraco kan fjerne denne spesialformatteringen automatisk slik at innholdet er mer velegnet for visning på en webside.',
+ removeAll: 'Lim inn som ren tekst, dvs. fjern al formattering',
+ removeSpecialFormattering: 'Lim inn og fjern uegnet formatering (anbefalt)',
+ },
+ publicAccess: {
+ paAdvanced: 'Avansert: Beskytt ved å velge hvilke brukergrupper som har tilgang til siden',
+ paAdvancedHelp:
+ "Om du ønsker å kontrollere tilgang til siden ved å bruke rolle-basert autentisering, ved å bruke Umbraco's medlems-grupper",
+ paAdvancedNoGroups: 'Du må opprette en medlemsgruppe før du kan bruke rollebasert autentikasjon.',
+ paErrorPage: 'Feilside',
+ paErrorPageHelp: 'Brukt når personer logger på, men ikke har tilgang',
+ paHowWould: 'Hvordan vil du beskytte siden din?',
+ paIsProtected: '%0% er nå beskyttet',
+ paIsRemoved: 'Beskyttelse fjernet fra %0%',
+ paLoginPage: 'Innloggingsside',
+ paLoginPageHelp: 'Velg siden som har loginformularet',
+ paRemoveProtection: 'Fjern beskyttelse',
+ paSelectPages: 'Velg sidene som inneholder login-skjema og feilmelding ved feil innolgging.',
+ paSelectRoles: 'Velg rollene som har tilgang til denne siden',
+ paSetLogin: 'Sett brukernavn og passord for denne siden',
+ paSimple: 'Enkelt: Beskytt ved hjelp av brukernavn og passord',
+ paSimpleHelp: 'Om du ønsker å bruke enkel autentisering via ett enkelt brukernavn og passord',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease: '%0% kunne ikke publiseres fordi den har planlagt utgivelsesdato.',
+ contentPublishedFailedInvalid: '%0% ble ikke publisert. Ett eller flere felter ble ikke godkjent av validering.',
+ contentPublishedFailedByEvent: '%0% kunne ikke publiseres fordi et tredjepartstillegg avbrøt handlingen.',
+ contentPublishedFailedByParent: '%0% kan ikke publiseres fordi en overordnet side ikke er publisert.',
+ includeUnpublished: 'Inkluder upubliserte undersider',
+ inProgress: 'Publiserer - vennligst vent...',
+ inProgressCounter: '%0% av %1% sider har blitt publisert...',
+ nodePublish: '%0% er nå publisert',
+ nodePublishAll: '%0% og alle undersider er nå publisert',
+ publishAll: 'Publiser alle undersider',
+ publishHelp:
+ 'Klikk ok for å publisere %0% og dermed gjøre innholdet synlig for alle.
Du kan publisere denne siden og alle dens undersider ved å krysse av Publiser alle undersider nedenfor.',
+ },
+ colorpicker: {
+ noColors: 'Du har ikke konfigurert noen godkjente farger',
+ },
+ relatedlinks: {
+ enterExternal: 'skriv inn ekstern lenke',
+ chooseInternal: 'velg en intern side',
+ caption: 'Tittel',
+ link: 'Lenke',
+ newWindow: 'Åpne i nytt vindu',
+ captionPlaceholder: 'Skriv inn en tekst',
+ externalLinkPlaceholder: 'Skriv inn en lenke',
+ },
+ imagecropper: {
+ reset: 'Nullstill',
+ },
+ rollback: {
+ diffHelp:
+ 'Dette viser forskjellene mellom den gjeldende og den valgte versjonen Rød tekst vil ikke bli vist i den valgte versjonen. , grønn betyr lagt til',
+ documentRolledBack: 'Dokumentet er tilbakeført til en tidligere versjon',
+ htmlHelp:
+ 'Dette viser den valgte versjonen som HTML, bruk avviksvisningen hvis du ønsker å se forksjellene mellom to versjoner samtidig.',
+ rollbackTo: 'Tilbakefør til',
+ selectVersion: 'Velg versjon',
+ view: 'Vis',
+ },
+ scripts: {
+ editscript: 'Rediger scriptfilen',
+ },
+ sections: {
+ concierge: 'Concierge',
+ content: 'Innhold',
+ courier: 'Courier',
+ developer: 'Utvikler',
+ installer: 'Umbraco konfigurasjonsveiviser',
+ media: 'Mediaarkiv',
+ member: 'Medlemmer',
+ newsletters: 'Nyhetsbrev',
+ settings: 'Innstillinger',
+ statistics: 'Statistikk',
+ translation: 'Oversettelse',
+ users: 'Brukere',
+ help: 'Hjelp',
+ forms: 'Skjemaer',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'De beste Umbraco opplæringsvideoer',
+ },
+ settings: {
+ defaulttemplate: 'Standardmal',
+ importDocumentTypeHelp:
+ 'For å importere en dokumenttype, finn ".udt" filen på datamaskinen din ved å klikke "Utforsk" knappen og klikk "Importer" (du vil bli spurt om bekreftelse i det neste skjermbildet)',
+ newtabname: 'Ny tittel på arkfane',
+ nodetype: 'Nodetype',
+ objecttype: 'Type',
+ stylesheet: 'Stilark',
+ script: 'Script',
+ tab: 'Arkfane',
+ tabname: 'Tittel på arkfane',
+ tabs: 'Arkfaner',
+ contentTypeEnabled: 'Hovedinnholdstype aktivert',
+ contentTypeUses: 'Denne dokumenttypen bruker',
+ noPropertiesDefinedOnTab:
+ 'Ingen egenskaper definert i denne arkfanen. Klikk på "legg til ny egenskap" lenken i toppen for å opprette en ny egenskap.',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'Sortering ferdig.',
+ sortHelp:
+ 'Dra elementene opp eller ned for å arrangere dem. Du kan også klikke kolonneoverskriftene for å sortere alt på en gang.',
+ sortPleaseWait: 'Vennligst vent. Elementene blir sortert, dette kan ta litt tid.',
+ },
+ speechBubbles: {
+ operationFailedHeader: 'En feil oppsto',
+ invalidUserPermissionsText: 'Utilstrekkelige brukertillatelser, kunne ikke fullføre operasjonen',
+ operationCancelledHeader: 'Avbrutt',
+ operationCancelledText: 'Handlingen ble avbrutt av et tredjepartstillegg',
+ contentPublishedFailedByEvent: 'Publisering ble avbrutt av et tredjepartstillegg',
+ contentTypeDublicatePropertyType: 'Egenskaptypen finnes allerede',
+ contentTypePropertyTypeCreated: 'Egenskapstype opprettet',
+ contentTypePropertyTypeCreatedText: 'Navn: %0% DataType: %1%',
+ contentTypePropertyTypeDeleted: 'Egenskapstype slettet',
+ contentTypeSavedHeader: 'Innholdstype lagret',
+ contentTypeTabCreated: 'Du har opprettet en arkfane',
+ contentTypeTabDeleted: 'Arkfane slettet',
+ contentTypeTabDeletedText: 'Arkfane med id: %0% slettet',
+ cssErrorHeader: 'Stilarket ble ikke lagret',
+ cssSavedHeader: 'Stilarket ble lagret',
+ cssSavedText: 'Stilark lagret uten feil',
+ dataTypeSaved: 'Datatype lagret',
+ dictionaryItemSaved: 'Ordbokelement lagret',
+ editContentPublishedFailedByParent: 'Publiseringen feilet fordi den overliggende siden ikke er publisert',
+ editContentPublishedHeader: 'Innhold publisert',
+ editContentPublishedText: 'og er nå synlig for besøkende',
+ editContentSavedHeader: 'Innhold lagret',
+ editContentSavedText: 'Husk å publisere for å gjøre endringene synlig for besøkende',
+ editContentSendToPublish: 'Sendt for godkjenning',
+ editContentSendToPublishText: 'Endringer har blitt sendt til godkjenning',
+ editMediaSaved: 'Media lagret',
+ editMediaSavedText: 'Media lagret uten feil',
+ editMemberSaved: 'Medlem lagret',
+ editStylesheetPropertySaved: 'Stilarksegenskap lagret',
+ editStylesheetSaved: 'Stilark lagret',
+ editTemplateSaved: 'Mal lagret',
+ editUserError: 'Feil ved lagring av bruker (sjekk loggen)',
+ editUserSaved: 'Bruker lagret',
+ editUserTypeSaved: 'Brukertypen lagret',
+ fileErrorHeader: 'Filen ble ikke lagret',
+ fileErrorText: 'Filen kunne ikke lagres. Vennligst sjekk filrettigheter',
+ fileSavedHeader: 'Filen ble lagret',
+ fileSavedText: 'Filen ble lagret uten feil',
+ languageSaved: 'Språk lagret',
+ templateErrorHeader: 'Malen ble ikke lagret',
+ templateErrorText: 'Vennligst forviss deg om at du ikke har to maler med samme alias',
+ templateSavedHeader: 'Malen ble lagret',
+ templateSavedText: 'Malen ble lagret uten feil!',
+ contentUnpublished: 'Innhold avpublisert',
+ partialViewSavedHeader: 'Delmal lagret',
+ partialViewSavedText: 'Delmal lagret uten feil',
+ partialViewErrorHeader: 'Delmal ble ikke lagret!',
+ partialViewErrorText: 'En feil oppsto ved lagring av delmal',
+ },
+ stylesheet: {
+ aliasHelp: 'Bruk CSS syntaks f.eks: h1, .redHeader, .blueText',
+ editstylesheet: 'Rediger stilark',
+ editstylesheetproperty: 'Rediger egenskap for stilark',
+ nameHelp: 'Navn for å identifisere stilarksegenskapen i rik-tekst editoren',
+ preview: 'Forhåndsvis',
+ styles: 'Stiler',
+ },
+ template: {
+ edittemplate: 'Rediger mal',
+ insertContentArea: 'Sett inn innholdsområde',
+ insertContentAreaPlaceHolder: 'Sett inn plassholder for innholdsområde',
+ insertDictionaryItem: 'Sett inn ordbokselement',
+ insertMacro: 'Sett inn makro',
+ insertPageField: 'Sett inn Umbraco sidefelt',
+ mastertemplate: 'Hovedmal',
+ quickGuide: 'Hurtigguide til Umbraco sine maltagger',
+ template: 'Mal',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Sett inn element',
+ chooseLayout: 'Velg layout',
+ addRows: 'Legg til rad',
+ addElement: 'Legg til innhold',
+ dropElement: 'Slipp innhold',
+ settingsApplied: 'Raden har tilpasset design',
+ contentNotAllowed: 'Innholdstypen er ikke tillatt her',
+ contentAllowed: 'Innholdstypen er tillatt her',
+ clickToEmbed: 'Klikk for å bygge inn',
+ clickToInsertImage: 'Klikk for å sette inn et bilde',
+ placeholderWriteHere: 'Skriv her...',
+ gridLayouts: 'Rutenettoppsett',
+ gridLayoutsDetail:
+ 'Et oppsett er det overordnede arbeidsområdet til ditt rutenett - du vil typisk kun behøve ett eller to',
+ addGridLayout: 'Legg til rutenettoppsett',
+ addGridLayoutDetail: 'Juster oppsettet ved å konfigurere kolonnebredder og legge til ytterligere seksjoner',
+ rowConfigurations: 'Radkonfigurasjoner',
+ rowConfigurationsDetail: 'Rader er forhåndsdefinerte celler arrangert vannrett',
+ addRowConfiguration: 'Legg til radkonfigurasjon',
+ addRowConfigurationDetail: 'Juster raden ved å sette cellebredder og legge til flere celler',
+ columns: 'Kolonner',
+ columnsDetails: 'Totalt antall kolonner i rutenettet',
+ settings: 'Innstillinger',
+ settingsDetails: 'Konfigurer hvilke innstillinger brukeren kan endre',
+ styles: 'Stiler',
+ stylesDetails: 'Konfigurer hvilke stiler redaktørene kan endre',
+ allowAllEditors: 'Tillatt alle editorer',
+ allowAllRowConfigurations: 'Tillat alle radkonfigurasjoner',
+ setAsDefault: 'Bruk som standard',
+ chooseExtra: 'Velg ekstra',
+ chooseDefault: 'Velg standard',
+ areAdded: 'er lagt til',
+ },
+ templateEditor: {
+ alternativeField: 'Alternativt felt',
+ alternativeText: 'Alternativ tekst',
+ casing: 'Store/små bokstaver',
+ encoding: 'Encoding',
+ chooseField: 'Felt som skal settes inn',
+ convertLineBreaks: 'Konverter linjeskift',
+ convertLineBreaksHelp: 'Erstatter et linjeskift med htmltaggen ',
+ customFields: 'Egendefinerte felt',
+ dateOnly: 'Ja, kun dato',
+ formatAsDate: 'Formatter som dato',
+ htmlEncode: 'HTML koding',
+ htmlEncodeHelp: 'Formater spesialtegn med tilsvarende HTML-tegn.',
+ insertedAfter: 'Denne teksten vil settes inn etter verdien av feltet',
+ insertedBefore: 'Denne teksten vil settes inn før verdien av feltet',
+ lowercase: 'Små bokstaver',
+ none: 'Ingen',
+ postContent: 'Sett inn etter felt',
+ preContent: 'Sett inn før felt',
+ recursive: 'Rekursivt',
+ standardFields: 'Standardfelter',
+ uppercase: 'Store bokstaver',
+ urlEncode: 'URL koding',
+ urlEncodeHelp: 'Dersom innholdet av feltene skal sendes til en URL skal spesialtegn formatteres',
+ usedIfAllEmpty: 'Denne teksten vil benyttes dersom feltene over er tomme',
+ usedIfEmpty: 'Dette feltet vil benyttes dersom feltet over er tomt',
+ withTime: 'Ja, med klokkeslett. Dato/tid separator: ',
+ },
+ translation: {
+ details: 'Oversettelses detaljer',
+ DownloadXmlDTD: 'Last ned XML DTD',
+ fields: 'Felt',
+ includeSubpages: 'Inkluder undersider',
+ mailBody:
+ "\n\t\t\tHei %0%\n\n\t\t\tDette er en automatisk mail for å informere deg om at dokumentet '%1%'\n\t\t\thar blitt anmodet oversatt til '%5%' av %2%.\n\n\t\t\tGå til http://%3%/Umbraco/translation/default.aspx?id=%4% for å redigere.\n\n\t\t\tHa en fin dag!\n\n\t\t\tVennlig hilsen Umbraco Robot.\n\t\t",
+ noTranslators:
+ 'Ingen oversettelses-bruker funnet. Vennligst opprett en oversettelses-bruker før du begynner å sende innhold til oversetting',
+ pageHasBeenSendToTranslation: "Siden '%0%' har blitt sendt til oversetting",
+ sendToTranslate: 'Send til oversetting',
+ totalWords: 'Antall ord',
+ translateTo: 'Oversett til',
+ translationDone: 'Oversetting fullført.',
+ translationDoneHelp:
+ 'Du kan forhåndsvise sidene du nettopp har oversatt ved å klikke nedenfor. Hvis den originale siden finnes, vil du få en sammenligning av sidene.',
+ translationFailed: 'Oversetting mislykkes, XML filen kan være korrupt',
+ translationOptions: 'Alternativer for oversetting',
+ translator: 'Oversetter',
+ uploadTranslationXml: 'Last opp XML med oversettelse',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Hurtigbufferleser',
+ contentRecycleBin: 'Papirkurv',
+ createdPackages: 'Opprettede pakker',
+ datatype: 'Datatyper',
+ dictionary: 'Ordbok',
+ installedPackages: 'Installerte pakker',
+ installSkin: 'Installer utseende',
+ installStarterKit: 'Installer startpakke',
+ languages: 'Språk',
+ localPackage: 'Installer lokal pakke',
+ macros: 'Makroer',
+ mediaTypes: 'Mediatyper',
+ member: 'Medlemmer',
+ memberGroup: 'Medlemsgrupper',
+ memberRoles: 'Roller',
+ memberType: 'Medlemstyper',
+ nodeTypes: 'Dokumenttyper',
+ packager: 'Pakker',
+ packages: 'Pakker',
+ repositories: 'Installer fra pakkeregister',
+ runway: 'Installer Runway',
+ runwayModules: 'Runway moduler',
+ scripting: 'Skriptfiler',
+ scripts: 'Skript',
+ stylesheets: 'Stiler',
+ templates: 'Maler',
+ userPermissions: 'Brukertillatelser',
+ userTypes: 'Brukertyper typer',
+ users: 'Brukere',
+ },
+ update: {
+ updateAvailable: 'Ny oppdatering er klar',
+ updateDownloadText: '%0% er klar, klikk her for å laste ned',
+ updateNoServer: 'Ingen forbindelse til server',
+ updateNoServerError: 'Kunne ikke sjekke etter ny oppdatering. Se trace for mere info.',
+ },
+ user: {
+ administrators: 'Administrator',
+ categoryField: 'Kategorifelt',
+ changePassword: 'Bytt passord',
+ newPassword: 'Nytt passord',
+ confirmNewPassword: 'Bekreft nytt passord',
+ changePasswordDescription:
+ 'Du kan endre passordet til Umbraco ved å fylle ut skjemaet under og klikke "Bytt passord" knappen.',
+ contentChannel: 'Innholdskanal',
+ descriptionField: 'Beskrivelsesfelt',
+ disabled: 'Deaktiver bruker',
+ documentType: 'Dokumenttype',
+ editors: 'Redaktør',
+ excerptField: 'Utdragsfelt',
+ language: 'Språk',
+ loginname: 'Brukernavn',
+ mediastartnode: 'Øverste nivå i Media',
+ modules: 'Moduler',
+ noConsole: 'Deaktiver tilgang til Umbraco',
+ password: 'Passord',
+ resetPassword: 'Nullstill passord',
+ passwordChanged: 'Passordet er endret',
+ passwordConfirm: 'Bekreft nytt passord',
+ passwordEnterNew: 'Nytt passord',
+ passwordIsBlank: 'Nytt passord kan ikke være blankt',
+ passwordCurrent: 'Gjeldende passord',
+ passwordInvalid: 'Feil passord',
+ passwordIsDifferent: 'Nytt og bekreftet passord må være like',
+ passwordMismatch: 'Nytt og bekreftet passord må være like',
+ permissionReplaceChildren: 'Overskriv tillatelser på undernoder',
+ permissionSelectedPages: 'Du redigerer for øyeblikket tillatelser for sidene:',
+ permissionSelectPages: 'Velg sider for å redigere deres tillatelser',
+ searchAllChildren: 'Søk i alle undersider',
+ startnode: 'Startnode',
+ username: 'Navn',
+ userPermissions: 'Brukertillatelser',
+ writer: 'Forfatter',
+ change: 'Endre',
+ yourProfile: 'Din profil',
+ yourHistory: 'Din historikk',
+ sessionExpires: 'Sesjonen utløper om',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Velg alle',
+ deselectAllLogLevelFilters: 'Opphev alle',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/nl-nl.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/nl-nl.ts
new file mode 100644
index 0000000000..5b7a3e7408
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/nl-nl.ts
@@ -0,0 +1,2209 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: nl-nl
+ * Language Int Name: Dutch (NL)
+ * Language Local Name: Nederlands (NL)
+ * Language LCID: 19
+ * Language Culture: nl-NL
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Beheer domeinnamen',
+ auditTrail: 'Documentgeschiedenis',
+ browse: 'Node bekijken',
+ changeDocType: 'Documenttype wijzigen',
+ changeDataType: 'Datatype aanpassen',
+ copy: 'Kopiëren',
+ create: 'Nieuw',
+ export: 'Export',
+ createPackage: 'Nieuwe package',
+ createGroup: 'Groep maken',
+ delete: 'Verwijderen',
+ disable: 'Uitschakelen',
+ editSettings: 'Instellingen wijzigen',
+ emptyrecyclebin: 'Prullenbak leegmaken',
+ enable: 'Inschakelen',
+ exportDocumentType: 'Documenttype exporteren',
+ importdocumenttype: 'Documenttype importeren',
+ importPackage: 'Package importeren',
+ liveEdit: 'Aanpassen in Canvas',
+ logout: 'Afsluiten',
+ move: 'Verplaatsen',
+ notify: 'Meldingen',
+ protect: 'Publieke toegang',
+ publish: 'Publiceren',
+ unpublish: 'Depubliceren',
+ refreshNode: 'Nodes opnieuw inladen',
+ republish: 'Herpubliceer de site',
+ remove: 'Verwijder',
+ rename: 'Hernoem',
+ restore: 'Herstellen',
+ chooseWhereToCopy: 'Kies waar u wilt kopiëren',
+ chooseWhereToMove: 'Kies waar u wilt verplaatsen',
+ toInTheTreeStructureBelow: 'naar de boomstructuur hieronder',
+ infiniteEditorChooseWhereToCopy: 'Kies waar u de geselecteerde item(s) naartoe wilt kopiëren',
+ infiniteEditorChooseWhereToMove: 'Kies waar u de geselecteerde item(s) naartoe wilt verplaatsen',
+ wasMovedTo: 'was verplaatst naar',
+ wasCopiedTo: 'was gekopieerd naar',
+ wasDeleted: 'was verwijderd',
+ rights: 'Rechten',
+ rollback: 'Vorige versies',
+ sendtopublish: 'Klaar voor publicatie',
+ sendToTranslate: 'Klaar voor vertalen',
+ setGroup: 'Groep instellen',
+ sort: 'Sorteren',
+ translate: 'Vertalen',
+ update: 'Bijwerken',
+ setPermissions: 'Rechten instellen',
+ unlock: 'Deblokkeer',
+ createblueprint: 'Inhoudssjabloon aanmaken',
+ resendInvite: 'Uitnodiging opnieuw versturen',
+ },
+ actionCategories: {
+ content: 'Inhoud',
+ administration: 'Administratie',
+ structure: 'Structuur',
+ other: 'Andere',
+ },
+ actionDescriptions: {
+ assignDomain: 'Toegang toestaan om cultuur- en hostnamen toe te wijzen',
+ auditTrail: 'Toegang toestaan om het geschiedenislogboek van een node te bekijken',
+ browse: 'Toegang toestaan om een node te bekijken',
+ changeDocType: 'Toegang toestaan om het documenttype van een node te wijzigen',
+ copy: 'Toegang toestaan om een node te kopiëren',
+ create: 'Toegang toestaan om nodes aan te maken',
+ delete: 'Toegang toestaan om nodes te verwijderen',
+ move: 'Toegang toestaan om een node te verplaatsen.',
+ protect: 'Toegang toestaan om openbare toegang voor een node in te stellen en te wijzigen',
+ publish: 'Toegang toestaan om een node te publiceren',
+ unpublish: 'Toegang toestaan om een node te depubliceren',
+ rights: 'Toegang toestaan om de machtigingen van een node te wijzigen',
+ rollback: 'Toegang toestaan om een node terug te draaien naar een vorige status',
+ sendtopublish: 'Toegang toestaan om een node te verzenden voor goedkeuring voor publicatie',
+ sendToTranslate: 'Toegang toestaan om een node te verzenden voor vertaling',
+ sort: 'Toegang toestaan om de volgorde van nodes te wijzigen',
+ translate: 'Toegang toestaan om een node te vertalen',
+ update: 'Toegang toestaan om een node op te slaan',
+ createblueprint: 'Toegang toestaan om Inhoudssjabloon aan te maken',
+ notify: 'Toegang toestaan om meldingen voor content nodes aan te maken',
+ },
+ apps: {
+ umbContent: 'Inhoud',
+ umbInfo: 'Info',
+ },
+ assignDomain: {
+ permissionDenied: 'Toegang geweigerd.',
+ addNew: 'Nieuw domein toevoegen',
+ remove: 'verwijderen',
+ invalidNode: 'Ongeldige node.',
+ invalidDomain: 'Ongeldig domeinformaat.',
+ duplicateDomain: 'Domein is reeds aanwezig.',
+ domain: 'Domein',
+ language: 'Taal',
+ domainCreated: "Nieuw domein '%0%' is aangemaakt",
+ domainDeleted: "Domein '%0%' is verwijderd",
+ domainExists: "Domein '%0' is al aanwezig",
+ domainUpdated: "Domein '%0%' is bijgewerkt",
+ orEdit: 'Bewerk huidige domeinen',
+ inherit: 'Overerven',
+ domainHelpWithVariants:
+ 'Geldige domeinnamen zijn: "example.com", "www.example.com", "example.com:8080" of "https://www.example.com/".\n Verder worden ook paden op één niveau in domeinen ondersteund, bv. "example.com/en" of "/en".',
+ setLanguage: 'Cultuur',
+ setLanguageHelp:
+ 'Zet de cultuur voor de nodes onder de huidige node, of erf de cultuur over van de oudernodes. Zal ook van toepassing \n zijn op de huidige node, tenzij een domein hieronder ook van toepassing is.',
+ setDomains: 'Domeinen',
+ },
+ auditTrailsMedia: {
+ delete: 'Media verwijderd',
+ move: 'Media verplaatst',
+ copy: 'Media gekopieerd',
+ save: 'Media bewaard',
+ },
+ auditTrails: {
+ atViewingFor: 'Tonen voor',
+ delete: 'Inhoud verwijderd',
+ unpublish: 'Inhoud gedepubliceerd',
+ unpublishvariant: 'Inhoud gedepubliceerd voor talen: %0%',
+ publish: 'Inhoud gepubliceerd',
+ publishvariant: 'Inhoud gepubliceerd voor talen: %0%',
+ save: 'Inhoud bewaard',
+ savevariant: 'Inhoud bewaard voor talen: %0%',
+ move: 'Inhoud verplaatst',
+ copy: 'Inhoud gekopieerd',
+ rollback: 'Inhoud teruggezet',
+ sendtopublish: 'Inhoud verzonden voor publicatie',
+ sendtopublishvariant: 'Inhoud verzonden voor publicatie voor talen: %0%',
+ sort: 'Sorteer onderliggende items door de gebruiker uitgevoerd',
+ custom: '%0%',
+ smallCopy: 'Kopieer',
+ smallPublish: 'Publiceer',
+ smallPublishVariant: 'Publiceer',
+ smallMove: 'Verplaats',
+ smallSave: 'Bewaar',
+ smallSaveVariant: 'Bewaar',
+ smallDelete: 'Verwijder',
+ smallUnpublish: 'Depubliceer',
+ smallUnpublishVariant: 'Depubliceer',
+ smallRollBack: 'Terugzetten',
+ smallSendToPublish: 'Verzenden voor publicatie',
+ smallSendToPublishVariant: 'Verzenden voor publicatie',
+ smallSort: 'Sorteer',
+ smallCustom: 'Aangepast',
+ historyIncludingVariants: 'Geschiedenis (alle varianten)',
+ },
+ buttons: {
+ clearSelection: 'Selectie ongedaan maken',
+ select: 'Selecteren',
+ somethingElse: 'Doe iets anders',
+ bold: 'Vet',
+ deindent: 'Paragraaf uitspringen',
+ formFieldInsert: 'Voeg formulierveld in',
+ graphicHeadline: 'Voeg grafische titel in',
+ htmlEdit: 'Wijzig Html',
+ indent: 'Paragraaf inspringen',
+ italic: 'Cursief',
+ justifyCenter: 'Centreren',
+ justifyLeft: 'Links Uitlijnen',
+ justifyRight: 'Rechts Uitlijnen',
+ linkInsert: 'Link Invoegen',
+ linkLocal: 'Lokale link invoegen (anker)',
+ listBullet: 'Opsomming',
+ listNumeric: 'Nummering',
+ macroInsert: 'Macro invoegen',
+ pictureInsert: 'Afbeelding invoegen',
+ publishAndClose: 'Publiceren en sluiten',
+ publishDescendants: 'Publiceren met onderliggende nodes',
+ relations: 'Relaties wijzigen',
+ returnToList: 'Terug naar overzicht',
+ save: 'Opslaan',
+ saveAndClose: 'Opslaan en sluiten',
+ saveAndPublish: 'Opslaan en publiceren',
+ saveToPublish: 'Opslaan en verzenden voor goedkeuring',
+ saveListView: 'Lijstweergave opslaan',
+ schedulePublish: 'Planning',
+ saveAndPreview: 'Opslaan en voorbeeld bekijken',
+ showPageDisabled: 'Voorbeeld bekijken is uitgeschakeld omdat er geen sjabloon is geselecteerd',
+ styleChoose: 'Stijl kiezen',
+ styleShow: 'Stijlen tonen',
+ tableInsert: 'Tabel invoegen',
+ generateModelsAndClose: 'Models genereren en sluiten',
+ saveAndGenerateModels: 'Opslaan en models genereren',
+ undo: 'Ongedaan maken',
+ redo: 'Herhalen',
+ deleteTag: 'Tag verwijderen',
+ confirmActionCancel: 'Annuleren',
+ confirmActionConfirm: 'Bevestigen',
+ morePublishingOptions: 'Meer publicatie opties',
+ submitChanges: 'Indienen',
+ },
+ codefile: {
+ createFolderIllegalChars: 'De mapnaam mag geen ongeldige tekens bevatten.',
+ deleteItemFailed: 'Verwijderen van item is mislukt: %0%',
+ },
+ content: {
+ isPublished: 'Is gepubliceerd',
+ about: 'Over deze pagina',
+ alias: 'Alternatieve link',
+ alternativeTextHelp: '(hoe zou jij de foto beschrijven via de telefoon)',
+ alternativeUrls: 'Alternatieve links',
+ clickToEdit: 'Klik om dit item te wijzigen',
+ createBy: 'Aangemaakt door',
+ createByDesc: 'Oorspronkelijke auteur',
+ updatedBy: 'Bijgewerkt door',
+ createDate: 'Aangemaakt op',
+ createDateDesc: 'Datum/tijd waarop dit document is aangemaakt',
+ documentType: 'Documenttype',
+ editing: 'Aanpassen',
+ expireDate: 'Verloopt op',
+ itemChanged: 'Dit item is gewijzigd na publicatie',
+ itemNotPublished: 'Dit item is niet gepubliceerd',
+ lastPublished: 'Laatst gepubliceerd op',
+ noItemsToShow: 'Er zijn geen items om weer te geven',
+ listViewNoItems: 'Er zijn geen items om weer te geven.',
+ listViewNoContent: 'Er zijn geen subitems toegevoegd',
+ listViewNoMembers: 'Er zijn geen leden toegevoegd',
+ mediatype: 'Mediatype',
+ mediaLinks: 'Link naar media item(s)',
+ membergroup: 'Ledengroep',
+ memberrole: 'Rol',
+ membertype: 'Ledentype',
+ noChanges: 'Er zijn geen wijzigingen aangebracht',
+ noDate: 'Geen datum gekozen',
+ nodeName: 'Pagina Titel',
+ noMediaLink: 'Dit media item heeft geen link',
+ noProperties: 'Inhoud kan niet worden toegevoegd aan dit item',
+ otherElements: 'Eigenschappen',
+ parentNotPublished:
+ "Dit document is gepubliceerd maar niet zichtbaar omdat de bovenliggende pagina '%0%'\n niet gepubliceerd is\n ",
+ parentCultureNotPublished:
+ "Deze cultuur is gepubliceerd maar is niet zichtbaar omdat het niet\n gepubliceerd is op de bovenliggende pagina '%0%'\n ",
+ parentNotPublishedAnomaly:
+ 'Dit document is gepubliceerd, maar het staat niet in de cache (interne\n serverfout)\n ',
+ getUrlException: 'Kan de URL niet ophalen',
+ routeError: 'Dit document is gepubliceerd maar de URL conflicteert met %0%',
+ routeErrorCannotRoute: 'Dit document is gepubliceerd maar de URL kan niet worden gerouteerd',
+ publish: 'Publiceren',
+ published: 'Gepubliceerd',
+ publishedPendingChanges: 'Gepubliceerd (hangende wijzigingen)',
+ publishStatus: 'Publicatiestatus',
+ publishDescendantsHelp:
+ 'Publiceer %0% en alle onderliggende content items en maak daarmee de inhoud openbaar.',
+ publishDescendantsWithVariantsHelp:
+ 'Publiceer varianten en varianten van hetzelfde onderliggende type en maak daarmee de inhoud openbaar.',
+ releaseDate: 'Publiceren op',
+ unpublishDate: 'Depubliceren op',
+ removeDate: 'Verwijderdatum',
+ setDate: 'Datum instellen',
+ sortDone: 'De sorteervolgorde is gewijzigd',
+ sortHelp:
+ 'Om nodes te sorteren, sleep de nodes of klik op één van de kolomtitels. Je kan meerdere nodes\n tegelijk selecteren door de "shift"- of "control"knop in te drukken tijdens het selecteren.\n ',
+ statistics: 'Statistieken',
+ titleOptional: 'Titel (optioneel)',
+ altTextOptional: 'Alternatieve tekst (optioneel)',
+ captionTextOptional: 'Bijschrift (optioneel)',
+ type: 'Type',
+ unpublish: 'Depubliceren',
+ unpublished: 'Concept',
+ notCreated: 'Niet gemaakt',
+ updateDate: 'Laatst gewijzigd',
+ updateDateDesc: 'Date/time this document was edited',
+ uploadClear: 'Bestand(en) verwijderen',
+ uploadClearImageContext: 'Klik hier om de afbeelding van het media item te verwijderen',
+ uploadClearFileContext: 'Klik hier om het bestand van het media item te verwijderen',
+ urls: 'Link naar het document',
+ memberof: 'Lid van groep(en)',
+ notmemberof: 'Geen lid van groep(en)',
+ childItems: 'Subitems',
+ target: 'Doel',
+ scheduledPublishServerTime: 'Dit betekend de volgende tijd op de server:',
+ scheduledPublishDocumentation:
+ 'Wat houd dit in?',
+ nestedContentDeleteItem: 'Ben je er zeker van dat je dit item wilt verwijderen?',
+ nestedContentDeleteAllItems: 'Ben je zeker dat je alle items wilt verwijderen?',
+ nestedContentEditorNotSupported:
+ 'Eigenschap %0% gebruikt editor %1% welke niet wordt ondersteund door\n Nested Content.\n ',
+ nestedContentNoContentTypes: 'Er zijn geen content types geconfigureerd voor deze eigenschap.',
+ nestedContentAddElementType: 'Element type toevoegen',
+ nestedContentSelectElementTypeModalTitle: 'Selecteer een element type',
+ nestedContentGroupHelpText:
+ 'Selecteer de groep waarvan je de eigenschappen wil tonen. Indien je niets\n selecteert, wordt de eerste groep van het elementtype gebruikt.\n ',
+ nestedContentTemplateHelpTextPart1:
+ 'Voer een angular expressie in om te evalueren tegen de naam van elk\n item. Gebruik\n ',
+ nestedContentTemplateHelpTextPart2: 'om de itemindex weer te geven',
+ addTextBox: 'Voeg nog een tekstvak toe',
+ removeTextBox: 'Verwijder dit tekstvak',
+ contentRoot: 'Content root',
+ includeUnpublished: 'Inclusief niet-gepubliceerde inhoudsitems.',
+ isSensitiveValue:
+ 'Deze waarde is verborgen. Indien u toegang nodig heeft om deze waarde te bekijken,\n neem dan contact op met uw websitebeheerder.\n ',
+ isSensitiveValue_short: 'Deze waarde is verborgen',
+ languagesToPublish: 'Welke talen wil je publiceren?',
+ languagesToSendForApproval: 'Welke talen wil je ter goedkeuring verzenden?',
+ languagesToSchedule: 'Welke talen wil je plannen?',
+ languagesToUnpublish:
+ 'Selecteer de talen om te depubliceren. Een verplichte taal depubliceren zal alle\n talen depubliceren.\n ',
+ variantsWillBeSaved: 'Alle nieuwe varianten worden opgeslagen.',
+ variantsToPublish: 'Welke varianten wil je publiceren?',
+ variantsToSave: 'Kies welke varianten u wilt opslaan.',
+ publishRequiresVariants: 'De volgende varianten zijn vereist om te kunnen publiceren:',
+ notReadyToPublish: 'We zijn niet klaar om te publiceren',
+ readyToPublish: 'Klaar om te publiceren?',
+ readyToSave: 'Klaar om op te slaan?',
+ sendForApproval: 'Ter goedkeuring verzenden',
+ schedulePublishHelp: 'Selecteer de datum en tijd om het content item te publiceren en/of depubliceren.\n ',
+ createEmpty: 'Maak nieuw',
+ createFromClipboard: 'Plakken vanaf het klembord',
+ nodeIsInTrash: 'Dit item is in de prullenbak',
+ saveModalTitle: 'Opslaan',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Nieuw Inhoudssjabloon aanmaken voor %0%',
+ blankBlueprint: 'Leeg',
+ selectBlueprint: 'Selecteer een Inhoudssjabloon',
+ createdBlueprintHeading: 'Inhoudssjabloon aangemaakt',
+ createdBlueprintMessage: "Inhoudssjabloon is aangemaakt voor '%0%'",
+ duplicateBlueprintMessage: 'Er bestaat al een Inhoudssjabloon met dezelfde naam',
+ blueprintDescription:
+ 'Een inhoudssjabloon is voorgedefinieerde inhoud die een editor kan selecteren om\n te gebruiken als basis voor het maken van nieuwe inhoud\n ',
+ },
+ media: {
+ clickToUpload: 'Klik om te uploaden',
+ orClickHereToUpload: 'Of klik hier om bestanden te kiezen',
+ disallowedFileType: 'Kan dit bestand niet uploaden, het heeft niet het juiste bestandstype.',
+ maxFileSize: 'Maximale bestandsgrootte is',
+ mediaRoot: 'Media root',
+ moveToSameFolderFailed: 'De bovenliggende map en de doelmap kunnen niet hetzelfde zijn',
+ createFolderFailed: 'Kan de map onder de bovenliggende map met id %0% niet aanmaken',
+ renameFolderFailed: 'Kan de map met id %0% niet hernoemen',
+ dragAndDropYourFilesIntoTheArea: 'Sleep en zet je bestand(en) neer in dit gebied',
+ uploadNotAllowed: 'Upload is niet toegelaten in deze locatie.',
+ fileSecurityValidationFailure: 'Een of meerdere veiligheid validaties zijn gefaald voor het bestand',
+ },
+ member: {
+ createNewMember: 'Maak nieuw lid aan',
+ allMembers: 'Alle leden',
+ memberGroupNoProperties: 'Ledengroepen hebben geen extra eigenschappen om te bewerken.',
+ },
+ create: {
+ chooseNode: 'Waar wil je de nieuwe %0% aanmaken?',
+ createUnder: 'Aanmaken onder',
+ createContentBlueprint: 'Selecteer een documenttype waarvoor je een Inhoudssjabloon wil maken',
+ enterFolderName: 'Voer een mapnaam in',
+ updateData: 'Kies een type en een titel',
+ noDocumentTypes:
+ 'Er zijn geen toegestane documenttypes beschikbaar. Schakel deze in in de sectie Instellingen onder "Documenttypes" strong>.',
+ noDocumentTypesAtRoot:
+ 'Er zijn geen documenttypes beschikbaar om hier aan te maken. Je moet deze aanmaken bij Documenttypes in de sectie Instellingen.',
+ noDocumentTypesWithNoSettingsAccess:
+ 'De geselecteerde pagina in de boomstructuur laat geen nieuwe\n onderliggende paginas toe.\n ',
+ noDocumentTypesEditPermissions: 'Rechten aanpassen voor dit documenttype',
+ noDocumentTypesCreateNew: 'Nieuw documenttype aanmaken',
+ noDocumentTypesAllowedAtRoot:
+ 'Er zijn geen toegestane documenttypes beschikbaar om hier aan te maken. Je moet deze inschakelen bij Documenttypes in de sectie Instellingen, de optie Toestaan op root-niveau onder Rechten.',
+ noMediaTypes:
+ 'Er zijn geen toegestande mediatypes beschikbaar. Schakel deze in in de sectie Instellingen onder "Mediatypes".',
+ noMediaTypesWithNoSettingsAccess:
+ 'De geselecteerde media in de boomstructuur laat niet toe dat er\n onderliggende media aangemaakt wordt.\n ',
+ noMediaTypesEditPermissions: 'Rechten aanpassen voor dit mediatype',
+ documentTypeWithoutTemplate: 'Documenttype zonder sjabloon',
+ newFolder: 'Nieuwe map',
+ newDataType: 'Nieuw datatype',
+ newJavascriptFile: 'Nieuw JavaScript bestand',
+ newEmptyPartialView: 'Nieuwe lege partial view',
+ newPartialViewMacro: 'Nieuwe partial view macro',
+ newPartialViewFromSnippet: 'Nieuwe partial view van fragment',
+ newPartialViewMacroFromSnippet: 'Nieuwe partial view macro van fragment',
+ newPartialViewMacroNoMacro: 'Nieuwe partial view macro (zonder macro)',
+ newStyleSheetFile: 'Nieuw style sheet bestand',
+ newRteStyleSheetFile: 'Nieuw Rich Text Editor style sheet bestand',
+ },
+ dashboard: {
+ browser: 'Open je website',
+ dontShowAgain: '- Verbergen',
+ nothinghappens: 'Als Umbraco niet geopend wordt dan moet je mogelijk popups toestaan voor deze site.\n ',
+ openinnew: 'is geopend in een nieuw venster',
+ restart: 'Herstarten',
+ visit: 'Bezoek',
+ welcome: 'Welkom',
+ },
+ prompt: {
+ stay: 'Blijf op deze pagina',
+ discardChanges: 'Negeer wijzigingen',
+ unsavedChanges: 'Wijzigingen niet opgeslagen',
+ unsavedChangesWarning: 'Weet je zeker dat deze pagina wilt verlaten? Er zijn onopgeslagen wijzigingen\n ',
+ confirmListViewPublish: 'Publiceren maakt de geselecteerde items zichtbaar op de site.',
+ confirmListViewUnpublish:
+ 'Depubliceren zal de geselecteerde items en alle onderliggende items\n verwijderen van de site.\n ',
+ confirmUnpublish: "Depubliceren zal deze pagina en alle onderliggende pagina's verwijderen van de site.\n ",
+ doctypeChangeWarning:
+ 'Wijzigingen niet opgeslagen. Aanpassingen aan het Documenttype zullen de\n wijzigingen ongedaan maken.\n ',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: '%0% item verwijderd',
+ deletedItems: '%0% items verwijderd',
+ deletedItemOfItem: 'Item %0% van de %1% verwijderd',
+ deletedItemOfItems: 'Items %0% van de %1% verwijderd',
+ publishedItem: '%0% item gepubliceerd',
+ publishedItems: '%0% items gepubliceerd',
+ publishedItemOfItem: 'Item %0% van de %1% gepubliceerd',
+ publishedItemOfItems: 'Items %0% van de %1% gepubliceerd',
+ unpublishedItem: '%0% item gedepubliceerd',
+ unpublishedItems: '%0% items gedepubliceerd',
+ unpublishedItemOfItem: 'Item %0% van de %1% gedepubliceerd',
+ unpublishedItemOfItems: 'Items %0% van de %1% gedepubliceerd',
+ movedItem: '%0% item verplaatst',
+ movedItems: '%0% items verplaatst',
+ movedItemOfItem: 'item %0% van de %1% verplaatst',
+ movedItemOfItems: 'items %0% van de %1% verplaatst',
+ copiedItem: '%0% item gekopieerd',
+ copiedItems: '%0% items gekopieerd',
+ copiedItemOfItem: 'item %0% van de %1% gekopieerd',
+ copiedItemOfItems: 'item %0% van de %1% gekopieerd',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Link Titel',
+ urlLinkPicker: 'Link',
+ anchorLinkPicker: 'Anker / querystring',
+ anchorInsert: 'Naam',
+ closeThisWindow: 'Sluit dit venster',
+ confirmdelete: 'Weet je zeker dat je dit wilt verwijderen',
+ confirmdisable: 'Weet je zeker dat je dit wilt uitschakelen',
+ confirmremove: 'Weet u zeker dat u wilt verwijderen',
+ confirmremoveusageof: 'Ben je zeker dat je het gebruik van %0% wil verwijderen',
+ confirmlogout: 'Weet je het zeker?',
+ confirmSure: 'Weet je het zeker?',
+ cut: 'Knippen',
+ editDictionary: 'Pas woordenboekitem aan',
+ editLanguage: 'Taal aanpassen',
+ editSelectedMedia: 'Geselecteerde media bewerken',
+ insertAnchor: 'Lokale link invoegen',
+ insertCharacter: 'Karakter invoegen',
+ insertgraphicheadline: 'Voeg grafische titel in',
+ insertimage: 'Afbeelding invoegen',
+ insertlink: 'Link invoegen',
+ insertMacro: 'Klik om een Macro toe te voegen',
+ inserttable: 'Tabel invoegen',
+ languagedeletewarning: 'Dit zal de taal verwijderen',
+ languageChangeWarning:
+ 'De cultuur veranderen voor een taal kan een langdurige operatie zijn en zal ertoe\n leiden dat de inhoudscache en indexen opnieuw worden opgebouwd\n ',
+ lastEdited: 'Laatst aangepast op',
+ link: 'Link',
+ linkinternal: 'Interne link',
+ linklocaltip: 'Plaats een hekje (“#”) voor voor interne links.',
+ linknewwindow: 'In nieuw venster openen?',
+ macroDoesNotHaveProperties: 'Deze macro heeft geen eigenschappen die u kunt bewerken',
+ paste: 'Plakken',
+ permissionsEdit: 'Bewerk rechten voor',
+ permissionsSet: 'Rechten instellen voor',
+ permissionsSetForGroup: 'Rechten instellen voor %0% voor gebruikersgroepf %1%',
+ permissionsHelp: 'Selecteer de gebruikersgroepen waarvoor u de rechten wilt instellen',
+ recycleBinDeleting:
+ 'De items worden nu uit de prullenbak verwijderd. Sluit dit venster niet terwijl de\n actie nog niet voltooid is.\n ',
+ recycleBinIsEmpty: 'De prullenbak is nu leeg.',
+ recycleBinWarning: 'Als items worden verwijderd uit de prullenbak, zijn ze voorgoed verwijderd.',
+ regexSearchError:
+ "De webservice van regexlib.com ondervindt momenteel problemen waarover we geen controle hebben. Onze excuses voor het ongemak.",
+ regexSearchHelp:
+ "Zoek naar een reguliere expressie om validatie aan een formulierveld toe te voegen.\n Voorbeeld: 'email', 'postcode', 'URL'.\n ",
+ removeMacro: 'Verwijder Macro',
+ requiredField: 'Verplicht veld',
+ sitereindexed: 'Site is opnieuw geïndexeerd',
+ siterepublished: 'De site is opnieuw gepubliceerd',
+ siterepublishHelp:
+ 'De cache zal worden vernieuwd. Alle gepubliceerde inhoud zal worden bijgewerkt,\n terwijl ongepubliceerde inhoud ongepubliceerd zal blijven.\n ',
+ tableColumns: 'Aantal kolommen',
+ tableRows: 'Aantal regels',
+ thumbnailimageclickfororiginal: 'Klik op de afbeelding voor volledige grootte',
+ treepicker: 'Kies een item',
+ viewCacheItem: 'Toon cache item',
+ relateToOriginalLabel: 'Relateer aan origineel',
+ includeDescendants: 'Onderliggende nodes meenemen',
+ theFriendliestCommunity: 'De vriendelijkste gemeenschap',
+ linkToPage: 'Link naar pagina',
+ openInNewWindow: 'Opent het gelinkte document in een nieuw venster of tab',
+ linkToMedia: 'Link naar media',
+ selectContentStartNode: 'Selecteer content start node',
+ selectMedia: 'Selecteer media',
+ selectMediaType: 'Selecteer media type',
+ selectIcon: 'Selecteer icoon',
+ selectItem: 'Selecteer item',
+ selectLink: 'Selecteer link',
+ selectMacro: 'Selecteer macro',
+ selectContent: 'Selecteer content',
+ selectContentType: 'Selecteer content type',
+ selectMediaStartNode: 'Selecteer media start node',
+ selectMember: 'Selecteer member',
+ selectMemberGroup: 'Selecteer lid groep',
+ selectMemberType: 'Selecteer lid type',
+ selectNode: 'Selecteer node',
+ selectLanguages: 'Selecteer talen',
+ selectSections: 'Selecteer secties',
+ selectUser: 'Selecteer gebruiker',
+ selectUsers: 'Selecteer gebruikers',
+ noIconsFound: 'Geen iconen gevonden',
+ noMacroParams: 'Er zijn geen parameters voor deze macro',
+ noMacros: "Er zijn geen macro's beschikbaar om in te voegen",
+ externalLoginProviders: 'Externe login providers',
+ exceptionDetail: 'Error details',
+ stacktrace: 'Stacktrace',
+ innerException: 'Inner Exception',
+ linkYour: 'Link je',
+ unLinkYour: 'De-Link je',
+ account: 'account',
+ selectEditor: 'Selecteer editor',
+ selectEditorConfiguration: 'Selecteer configuratie',
+ selectSnippet: 'Selecteer fragment',
+ variantdeletewarning:
+ 'Dit zal de node en al zijn talen verwijderen. Als je slechts één taal wil\n verwijderen, moet je de node in die taal depubliceren.\n ',
+ propertyuserpickerremovewarning: 'Dit zal de gebruiker %0% verwijderen.',
+ userremovewarning: 'Dit zal de gebruiker %0% verwijderen van de %1% groep',
+ yesRemove: 'Ja, verwijderen',
+ },
+ dictionary: {
+ noItems: 'Er zijn geen woordenboekitems.',
+ noItemsFound: 'Er zijn geen woordenboekitems gevonden.',
+ createNew: 'Woordenboekitem aanmaken',
+ },
+ dictionaryItem: {
+ description:
+ "Wijzig de verschillende taalversies voor het woordenboek item '%0%'. Je kunt extra talen toevoegen bij 'talen' in het menu links",
+ displayName: 'Cultuurnaam',
+ changeKeyError: "De key '%0%' bestaat al.",
+ overviewTitle: 'Woordenboek overzicht',
+ },
+ examineManagement: {
+ configuredSearchers: 'Ingestelde Zoekers',
+ configuredSearchersDescription:
+ 'Toont eigenschappen en hulpmiddelen voor elke geconfigureerde Zoeker\n (bijv. zoals een multi-indexzoeker)\n ',
+ fieldValues: 'Veldwaarden',
+ healthStatus: 'Gezondheidsstatus',
+ healthStatusDescription: 'De gezondheidsstatus van de index en of het kan gelezen worden',
+ indexers: 'Indexeerders',
+ indexInfo: 'Index info',
+ indexInfoDescription: 'De eigenschappen oplijsten van de index',
+ manageIndexes: 'Beheer de indexen van Examine',
+ manageIndexesDescription:
+ 'Bekijk de details van elke index en gebruik hulpmiddelen voor het beheer er\n van\n ',
+ rebuildIndex: 'Index opnieuw bouwen',
+ rebuildIndexWarning:
+ '\n Hierdoor wordt de index opnieuw opgebouwd. \n Afhankelijk van hoeveel inhoud er op je site staat, kan dit even duren. \n Het wordt niet aanbevolen om een index opnieuw op te bouwen terwijl er veel verkeer op de website is of wanneer editors inhoud bewerken.\n ',
+ searchers: 'Zoekers',
+ searchDescription: 'Zoek in de index en bekijk de resultaten',
+ tools: 'Hulpmiddelen',
+ toolsDescription: 'Hulpmiddelen om de index te beheren',
+ fields: 'velden',
+ indexCannotRead: 'De index kan niet gelezen worden en moet opnieuw worden gebouwd',
+ processIsTakingLonger:
+ 'Het proces duurt langer dan verwacht, controleer het Umbraco logboek om te kijken\n of er geen fouten waren tijdens deze operatie\n ',
+ indexCannotRebuild: 'Deze index kan niet opnieuw worden opgebouwd want het heeft geen toegewezen',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Typ jouw gebruikersnaam',
+ password: 'Typ jouw wachtwoord',
+ confirmPassword: 'Bevestig jouw wachtwoord',
+ nameentity: 'Benoem de %0%...',
+ entername: 'Typ een naam...',
+ enteremail: 'Voer een e-mailadres in',
+ enterusername: 'Voer een gebruikersnaam in...',
+ label: 'Label...',
+ enterDescription: 'Voer een omschrijving in...',
+ search: 'Typ om te zoeken...',
+ filter: 'Typ om te filteren...',
+ enterTags: 'Typ om tags toe te voegen (druk op Enter na elke tag)...',
+ email: 'Voer jouw e-mailadres in',
+ enterMessage: 'Voer een bericht in ...',
+ usernameHint: 'Jouw gebruikersnaam is meestal jouw e-mailadres',
+ anchor: '#value of ?key=value',
+ enterAlias: 'Voer een alias in...',
+ generatingAlias: 'Alias genereren...',
+ a11yCreateItem: 'Item aanmaken',
+ a11yEdit: 'Bewerken',
+ a11yName: 'Naam',
+ },
+ editcontenttype: {
+ createListView: 'Maak een aangepaste lijstweergave',
+ removeListView: 'Verwijder aangepaste lijstweergave',
+ aliasAlreadyExists: 'Een content type, media type of member type met deze alias bestaat al',
+ },
+ renamecontainer: {
+ renamed: 'Hernoemd',
+ enterNewFolderName: 'Voer een nieuwe mapnaam in',
+ folderWasRenamed: '%0% is hernoemd naar %1%',
+ },
+ editdatatype: {
+ addPrevalue: 'Prevalue toevoegen',
+ dataBaseDatatype: 'Database datatype',
+ guid: 'Data Editor GUID',
+ renderControl: 'Render control',
+ rteButtons: 'Knoppen',
+ rteEnableAdvancedSettings: 'Geavanceerde instellingen inschakelen voor',
+ rteEnableContextMenu: 'Context menu inschakelen',
+ rteMaximumDefaultImgSize: 'Maximum standaard grootte van afbeeldingen',
+ rteRelatedStylesheets: 'Gerelateerde stylesheets',
+ rteShowLabel: 'Toon label',
+ rteWidthAndHeight: 'Breedte en hoogte',
+ selectFolder: 'Selecteer een map om te verplaatsen',
+ inTheTree: 'naar in de boomstructuur hieronder',
+ wasMoved: 'werd eronder verplaatst',
+ hasReferencesDeleteConsequence:
+ 'Door %0% te verwijderen zullen alle eigenschappen en de data verwijderd worden van de volgende items:',
+ acceptDeleteConsequence:
+ 'Ik begrijp dat deze actie alle eigenschappen en data zal verwijderen die\n gebaseerd is op dit datatype.\n ',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Je data is opgeslagen, maar voordat je deze pagina kunt publiceren moet je eerst\n aan paar problemen oplossen:\n ',
+ errorChangingProviderPassword:
+ 'Veranderen van het wachtwoord wordt door de huidige Membership Provider\n niet ondersteund (EnablePasswordRetrieval moet op true staan)\n ',
+ errorExistsWithoutTab: '%0% bestaat al',
+ errorHeader: 'Er zijn fouten geconstateerd:',
+ errorHeaderWithoutTab: 'Er zijn fouten geconstateerd:',
+ errorInPasswordFormat:
+ 'Het wachtwoord moet minstens %0% tekens lang zijn en moet minstens %1% cijfers\n bevatten\n ',
+ errorIntegerWithoutTab: '%0% moet een geheel getal zijn',
+ errorMandatory: '%0% op tab %1% is een verplicht veld',
+ errorMandatoryWithoutTab: '%0% is een verplicht veld',
+ errorRegExp: '%0% op tab %1% is niet in het correcte formaat',
+ errorRegExpWithoutTab: '%0% is niet in het correcte formaat',
+ },
+ errors: {
+ receivedErrorFromServer: 'Een error ontvangen van de server',
+ dissallowedMediaType: 'Het opgegeven bestandstype is niet toegestaan door de beheerder',
+ codemirroriewarning:
+ 'OPMERKING! Ondanks dat CodeMiror is ingeschakeld, is het uitgeschakeld in Internet\n Explorer omdat het niet stabiel genoeg is.\n ',
+ contentTypeAliasAndNameNotNull:
+ 'Zowel de alias als de naam van het nieuwe eigenschappentype moeten\n worden ingevuld!\n ',
+ filePermissionsError: 'Er is een probleem met de lees/schrijfrechten op een bestand of map',
+ macroErrorLoadingPartialView: 'Error bij het laden van Partial View script (file: %0%)',
+ missingTitle: 'Vul een titel in',
+ missingType: 'Selecteer een type',
+ pictureResizeBiggerThanOrg:
+ 'U wilt een afbeelding groter maken dan de originele afmetingen. Weet je\n zeker dat je wilt doorgaan?\n ',
+ startNodeDoesNotExists: 'Start node is verwijderd, neem contact op met uw systeembeheerder',
+ stylesMustMarkBeforeSelect: 'Markeer de inhoud voordat u de stijl aanpast',
+ stylesNoStylesOnPage: 'Geen actieve stijlen beschikbaar',
+ tableColMergeLeft: 'Plaats de cursor links van de twee cellen die je wilt samenvoegen',
+ tableSplitNotSplittable: 'Je kunt een cel die is samengevoegd niet delen',
+ propertyHasErrors: 'Deze eigenschap is ongeldig',
+ },
+ general: {
+ options: 'Opties',
+ about: 'Over',
+ action: 'Actie',
+ actions: 'Acties',
+ add: 'Toevoegen',
+ alias: 'Alias',
+ all: 'Alles',
+ areyousure: 'Weet je het zeker?',
+ back: 'Terug',
+ backToOverview: 'Terug naar overzicht',
+ border: 'Rand',
+ by: 'bij',
+ cancel: 'Annuleren',
+ cellMargin: 'Cel marge',
+ choose: 'Kies',
+ clear: 'Wissen',
+ close: 'Sluiten',
+ closewindow: 'Sluit venster',
+ closepane: 'Sluit paneel',
+ comment: 'Commentaar',
+ confirm: 'Bevestig',
+ constrain: 'Beperken',
+ constrainProportions: 'Verhoudingen behouden',
+ content: 'Inhoud',
+ continue: 'Doorgaan',
+ copy: 'Kopiëren',
+ create: 'Aanmaken',
+ cropSection: 'Sectie bijsnijden',
+ database: 'Database',
+ date: 'Datum',
+ default: 'Standaard',
+ delete: 'Verwijder',
+ deleted: 'Verwijderd',
+ deleting: 'Aan het verwijderen...',
+ design: 'Ontwerp',
+ dictionary: 'Woordenboek',
+ dimensions: 'Afmetingen',
+ discard: 'Gooi weg',
+ down: 'Omlaag',
+ download: 'Download',
+ edit: 'Bewerken',
+ edited: 'Bewerkt',
+ elements: 'Elementen',
+ email: 'E-mail',
+ error: 'Fout',
+ field: 'Veld',
+ findDocument: 'Zoeken',
+ first: 'Eerste',
+ focalPoint: 'Focus punt',
+ general: 'Algemeen',
+ groups: 'Groepen',
+ group: 'Groep',
+ height: 'Hoogte',
+ help: 'Help',
+ hide: 'Verbergen',
+ history: 'Geschiedenis',
+ icon: 'Icoon',
+ id: 'Id',
+ import: 'Importeren',
+ excludeFromSubFolders: 'Alleen in deze map zoeken',
+ info: 'Info',
+ innerMargin: 'Binnenste marge',
+ insert: 'Invoegen',
+ install: 'Installeren',
+ invalid: 'Ongeldig',
+ justify: 'Uitvullen',
+ label: 'Label',
+ language: 'Taal',
+ last: 'Laatste',
+ layout: 'Layout',
+ links: 'Links',
+ loading: 'Aan het laden',
+ locked: 'Gesloten',
+ login: 'Inloggen',
+ logoff: 'Uitloggen',
+ logout: 'Uitloggen',
+ macro: 'Macro',
+ mandatory: 'Verplicht',
+ message: 'Bericht',
+ move: 'Verplaats',
+ name: 'Naam',
+ new: 'Nieuw',
+ next: 'Volgende',
+ no: 'Nee',
+ of: 'of',
+ off: 'Uit',
+ ok: 'OK',
+ open: 'Open',
+ on: 'Aan',
+ or: 'of',
+ orderBy: 'Sorteren op',
+ password: 'Wachtwoord',
+ path: 'Pad',
+ pleasewait: 'Een ogenblik geduld aub...',
+ previous: 'Vorige',
+ properties: 'Eigenschappen',
+ readMore: 'Lees meer',
+ rebuild: 'Opnieuw opbouwen',
+ reciept: 'E-mail om formulier resultaten te ontvangen',
+ recycleBin: 'Prullenbak',
+ recycleBinEmpty: 'De prullenbak is leeg',
+ reload: 'Vernieuwen',
+ remaining: 'Overblijvend',
+ remove: 'Verwijderen',
+ rename: 'Hernoem',
+ renew: 'Vernieuw',
+ required: 'Verplicht',
+ retrieve: 'Ophalen',
+ retry: 'Opnieuw proberen',
+ rights: 'Rechten',
+ scheduledPublishing: 'Geplande publicatie',
+ search: 'Zoeken',
+ searchNoResult: 'We konden helaas niet vinden wat je zocht',
+ noItemsInList: 'Er zijn geen items toegevoegd',
+ server: 'Server',
+ settings: 'Instellingen',
+ shared: 'Gedeeld',
+ show: 'Toon',
+ showPageOnSend: 'Toon pagina na verzenden',
+ size: 'Grootte',
+ sort: 'Sorteer',
+ status: 'Status',
+ submit: 'Verstuur',
+ success: 'Succes',
+ type: 'Typen',
+ typeToSearch: 'Typ om te zoeken...',
+ under: 'onder',
+ up: 'Omhoog',
+ update: 'Update',
+ upgrade: 'Upgrade',
+ upload: 'Upload',
+ url: 'URL',
+ user: 'Gebruiker',
+ username: 'Gebruikersnaam',
+ value: 'Waarde',
+ view: 'Bekijk',
+ welcome: 'Welkom...',
+ width: 'Breedte',
+ yes: 'Ja',
+ folder: 'Map',
+ searchResults: 'Zoekresultaten',
+ reorder: 'Herschik',
+ reorderDone: 'Ik ben klaar met herschikken',
+ preview: 'Voorvertoning',
+ changePassword: 'Wachtwoord veranderen',
+ to: 'naar',
+ listView: 'Lijstweergave',
+ saving: 'Aan het opslaan...',
+ current: 'huidig',
+ embed: 'Embed',
+ selected: 'geselecteerd',
+ other: 'Andere',
+ articles: 'Artikels',
+ videos: 'Videos',
+ avatar: 'Avatar van',
+ },
+ colors: {
+ blue: 'Blauw',
+ },
+ shortcuts: {
+ addTab: 'Tabblad toevoegen',
+ addGroup: 'Groep toevoegen',
+ addProperty: 'Eigenschap toevoegen',
+ addEditor: 'Editor toevoegen',
+ addTemplate: 'Sjabloon toevoegen',
+ addChildNode: 'Child node toevoegen',
+ addChild: 'Child toevoegen',
+ editDataType: 'Datatype bewerken',
+ navigateSections: 'Secties navigeren',
+ shortcut: 'Snelkoppeling',
+ showShortcuts: 'Toon snelkoppelingen',
+ toggleListView: 'Lijstweergave in/uitschakelen',
+ toggleAllowAsRoot: 'Toestaan op root-niveau in/uitschakelen',
+ commentLine: 'Regel in/uit commentaar zetten',
+ removeLine: 'Regel verwijderen',
+ copyLineUp: 'Kopieer Regels Omhoog',
+ copyLineDown: 'Kopieer Regels Omlaag',
+ moveLineUp: 'Verplaats Regels Omhoog',
+ moveLineDown: 'Verplaats Regels Omlaag',
+ generalHeader: 'Algemeen',
+ editorHeader: 'Editor',
+ toggleAllowCultureVariants: 'Cultuur varianten toestaan in/uitschakelen',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Achtergrondkleur',
+ bold: 'Vet',
+ color: 'Tekstkleur',
+ font: 'Lettertype',
+ text: 'Tekst',
+ },
+ headers: {
+ page: 'Pagina',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'De installer kan geen connectie met de database maken.',
+ databaseFound: 'Je database is gevonden en is geïdentificeerd als',
+ databaseHeader: 'Database configuratie',
+ databaseInstall: 'Druk op de knop installeren om de Umbraco %0% database te installeren',
+ databaseInstallDone:
+ 'Umbraco %0% is nu gekopieerd naar je database. Druk op Volgende om door te gaan.',
+ databaseText:
+ 'Om deze stap te voltooien moet je enkele gegevens weten over je database server ("connection string"). Gelieve contact op te nemen met je ISP indien nodig. Wanneer je installeert op een lokale computer of server, dan heb je waarschijnlijk informatie nodig van je systeembeheerder.',
+ databaseUpgrade:
+ '
Klik de upgrade knop om je database te upgraden naar Umbraco %0%
Maak je geen zorgen - er zal geen inhoud worden gewist en alles blijft gewoon werken!
',
+ databaseUpgradeDone:
+ 'Je database is geupgrade naar de definitieve versie %0%. Klik Volgende om verder te gaan.',
+ databaseUpToDate: 'De huidige database is up-to-date!. Klik volgende om door te gaan',
+ defaultUserChangePass: 'Het wachtwoord van de default gebruiker dient veranderd te worden!',
+ defaultUserDisabled:
+ 'De default gebruiker is geblokkeerd of heeft geen toegang tot Umbraco!
Geen verdere actie noodzakelijk. Klik Volgende om verder te gaan.',
+ defaultUserPassChanged:
+ 'Het wachtwoord van de default gebruiker is sinds installatie met succes veranderd.
Geen verdere actie noodzakelijk. Klik Volgende om verder te gaan.',
+ defaultUserPasswordChanged: 'Het wachtwoord is veranderd!',
+ greatStart: 'Neem een jumpstart en bekijk onze introductie videos',
+ None: 'Nog niet geïnstalleerd.',
+ permissionsAffectedFolders: 'Betreffende bestanden en mappen',
+ permissionsAffectedFoldersMoreInfo:
+ 'Meer informatie over het instellen van machtigingen voor Umbraco\n vind je hier\n ',
+ permissionsAffectedFoldersText:
+ "Je dient ASP.NET 'modify' machtiging te geven voor de volgende\n bestanden/mappen\n ",
+ permissionsAlmostPerfect:
+ 'Je machtigingen zijn bijna perfect!
Je kunt Umbraco zonder problemen starten, maar je kunt nog geen packages installeren om volledig van Umbraco te profiteren.',
+ permissionsHowtoResolve: 'Hoe op te lossen',
+ permissionsHowtoResolveLink: 'Klik hier om de tekst versie te lezen',
+ permissionsHowtoResolveText:
+ 'Bekijk onze video tutorial over het instellen van machtigingen voor Umbraco, of lees de tekst versie.',
+ permissionsMaybeAnIssue:
+ 'Je machtigingen zijn misschien incorrect!
Je kunt Umbraco probleemloos starten, maar je kunt nog geen mappen aanmaken of packages installeren om zo volledig van Umbraco te profiteren.',
+ permissionsNotReady:
+ 'Je machtigingen zijn nog niet gereed gemaakt voor Umbraco!
Om Umbraco te starten zul je je machtigingen moeten aanpassen.',
+ permissionsPerfect:
+ 'Je machtigingen zijn perfect!
Je bent nu klaar om Umbraco te starten en om packages te installeren!',
+ permissionsResolveFolderIssues: 'Map probleem wordt opgelost',
+ permissionsResolveFolderIssuesLink:
+ 'Volg deze link voor meer informatie over problemen met ASP.NET en\n het aanmaken van mappen\n ',
+ permissionsSettingUpPermissions: 'Machtigingen worden aangepast',
+ permissionsText:
+ "Umbraco heeft write/modify toegang nodig op bepaalde mappen om bestanden zoals plaatjes\n en PDF's op te slaan. Het slaat ook tijdelijke data (ook bekend als 'de cache') op om de snelheid van je website\n te verbeteren.\n ",
+ runwayFromScratch: 'Ik wil met een lege website beginnen',
+ runwayFromScratchText:
+ 'Je website is momenteel helemaal leeg. Dat is prima als je vanaf nul wilt beginnen en je eigen documenttypes en templates wilt maken (leer hoe). Je kunt er later alsnog voor kiezen om Runway te installeren. Ga dan naar de Ontwikkelaar sectie en kies Packages.',
+ runwayHeader: 'Je hebt zojuist een blanco Umbraco platform geinstalleerd. Wat wil je nu doen?',
+ runwayInstalled: 'Runway is geinstalleerd',
+ runwayInstalledText:
+ 'Je hebt de basis geinstalleerd. Kies welke modules je er op wilt installeren. Dit is onze lijst van aanbevolen modules. Vink de modules die je wilt installeren, of bekijk de volledige lijst modules',
+ runwayOnlyProUsers: 'Alleen aanbevolen voor gevorderde gebruikers',
+ runwaySimpleSite: 'Ik wil met een eenvoudige website beginnen',
+ runwaySimpleSiteText:
+ '
"Runway" is een eenvoudige website die je van enkele elementaire documenttypes en templates voorziet. De installer kan Runway automatisch voor je opzetten, maar je kunt het gemakkelijk aanpassen, uitbreiden of verwijderen. Het is niet vereist en je kunt Umbraco prima zonder Runway gebruiken.\n\nEchter, Runway biedt een gemakkelijke basis om je snel op weg te helpen. Als je er voor kiest om Runway te installeren, dan kun je optioneel de bouwstenen (genaamd Runway Modules) kiezen om je Runway pagina\'s te verbeteren.
Runway omvat: Home pagina, Getting Started pagina, Module installatie pagina. Optionele Modules: Top Navigatie, Sitemap, Contact, Gallery. \n ',
+ runwayWhatIsRunway: 'Wat is Runway',
+ step1: 'Stap 1/5: Licentie aanvaarden',
+ step2: 'Stap 2/5: Database configureren',
+ step3: 'Stap 3/5: Controleren van rechten op bestanden',
+ step4: 'Stap 4/5: Umbraco beveiliging controleren',
+ step5: 'Stap 5/5: Umbraco is klaar',
+ thankYou: 'Bedankt dat je voor Umbraco hebt gekozen',
+ theEndBrowseSite:
+ '
Browse je nieuwe site
Je hebt Runway geinstalleerd, dus kijk eens hoe je nieuwe site eruit ziet.',
+ theEndFurtherHelp:
+ '
Meer hulp en informatie
Vind hulp in onze bekroonde community, blader door de documentatie of bekijk enkele gratis videos over het bouwen van een eenvoudige site, het gebruiken van packages en een overzicht van Umbraco terminologie',
+ theEndHeader: 'Umbraco %0% is geïnstalleerd en klaar voor gebruik.',
+ theEndInstallSuccess:
+ 'Je kunt meteen beginnen door de "Launch Umbraco" knop hieronder te klikken. Als je een beginnende Umbraco gebruiker bent, dan kun je you can find veel informatie op onze "getting started" pagina\'s vinden.',
+ theEndOpenUmbraco:
+ '
Launch Umbraco
Om je website te beheren open je simpelweg de Umbraco backoffice en begin je inhoud toe te voegen, templates en stylesheets aan te passen of nieuwe functionaliteit toe te voegen',
+ Unavailable: 'Verbinding met de database mislukt.',
+ Version3: 'Umbraco versie 3',
+ Version4: 'Umbraco versie 4',
+ watch: 'Bekijken',
+ welcomeIntro:
+ 'Deze wizard helpt u met het configureren van Umbraco %0% voor een nieuwe installatie of een upgrade van versie 3.0.
Druk op "volgende" om de wizard te starten.',
+ },
+ language: {
+ cultureCode: 'Cultuurcode',
+ displayName: 'Cultuurnaam',
+ },
+ lockout: {
+ lockoutWillOccur: 'Je bent inactief en zult automatisch worden uitgelogd over',
+ renewSession: 'Vernieuw je sessie om je wijzigingen te behouden',
+ },
+ login: {
+ greeting0: 'Welkom',
+ greeting1: 'Welkom',
+ greeting2: 'Welkom',
+ greeting3: 'Welkom',
+ greeting4: 'Welkom',
+ greeting5: 'Welkom',
+ greeting6: 'Welkom',
+ instruction: 'log hieronder in',
+ signInWith: 'Inloggen met',
+ timeout: 'Sessie is verlopen',
+ bottomText:
+ '
',
+ forgottenPassword: 'Wachtwoord vergeten?',
+ forgottenPasswordInstruction:
+ 'Er zal een e-mail worden gestuurd naar het e-mailadres van jouw account.\n Hierin staat een link om je wachtwoord te resetten\n ',
+ requestPasswordResetConfirmation:
+ 'Een e-mail met daarin de wachtwoord reset uitleg zal worden gestuurd\n als het e-mailadres in onze database voorkomt.\n ',
+ showPassword: 'Wachtwoord tonen',
+ hidePassword: 'Wacthwoord verbergen',
+ returnToLogin: 'Terug naar loginformulier',
+ setPasswordInstruction: 'Geef alsjeblieft een nieuw wachtwoord op',
+ setPasswordConfirmation: 'Je wachtwoord is aangepast',
+ resetCodeExpired: 'De link die je hebt aangeklikt is niet (meer) geldig.',
+ resetPasswordEmailCopySubject: 'Umbraco: Wachtwoord Reset',
+ resetPasswordEmailCopyFormat:
+ '
De gebruikersnaam om in te loggen bij jouw Umbraco omgeving is: %0%
Klik hier om je wachtwoord te resetten of knip/plak deze URL in je browser:
%1%
',
+ mfaSecurityCodeSubject: 'Umbraco: Beveiligingscode',
+ mfaSecurityCodeMessage: 'Jouw beveiligingscode is: %0%',
+ '2faTitle': 'Laatste stap',
+ '2faText': 'Je hebt tweestapsverificatie ingeschakeld en moet je identiteit verifiëren.',
+ '2faMultipleText': 'Kies een tweestapsverificatie aanbieder',
+ '2faCodeInput': 'Verificatiecode',
+ '2faCodeInputHelp': 'Vul de verificatiecode in',
+ '2faInvalidCode': 'Ongeldige code ingevoerd',
+ },
+ main: {
+ dashboard: 'Dashboard',
+ sections: 'Secties',
+ tree: 'Inhoud',
+ },
+ moveOrCopy: {
+ choose: 'Selecteer pagina boven...',
+ copyDone: '%0% is gekopieerd naar %1%',
+ copyTo: 'Kopieer naar',
+ moveDone: '%0% is verplaatst naar %1%',
+ moveTo: 'Verplaats naar',
+ nodeSelected: "is geselecteerd als root van je nieuwe pagina, klik hieronder op 'ok'.",
+ noNodeSelected:
+ "Nog geen node geselecteerd, selecteer eerst een node in bovenstaade lijst voordat je op\n 'volgende' klikt\n ",
+ notAllowedByContentType:
+ 'De huidige node is niet toegestaan onder de geselecteerde node vanwege het node\n type\n ',
+ notAllowedByPath: 'De huidige node kan niet naar een van zijn subpagina’s worden verplaatst.',
+ notAllowedAtRoot: 'De huidige node kan niet worden gebruikt op root-niveau',
+ notValid: 'Deze actie is niet toegestaan omdat je onvoldoende rechten hebt op één of meer subitems.',
+ relateToOriginal: 'Relateer gekopieerde items aan het origineel',
+ },
+ notifications: {
+ editNotifications: 'Bewerk de notificatie voor %0%',
+ notificationsSavedFor: 'Notificatie instellingen opgeslagen voor %0%',
+ notifications: 'Notificaties',
+ },
+ packager: {
+ actions: 'Acties',
+ created: 'Aangemaakt',
+ createPackage: 'Package aanmaken',
+ chooseLocalPackageText:
+ 'Kies een package op je computer door op "Bladeren" te klikken en de package te\n selecteren. Umbraco packages hebben meestal ".umb" of ".zip" als extensie.\n ',
+ deletewarning: 'Dit zal de package verwijderen',
+ includeAllChildNodes: 'Inclusief alle onderliggende nodes',
+ installed: 'Geïnstalleerd',
+ installedPackages: 'Geïnstalleerde packages',
+ noConfigurationView: 'Deze package heeft geen instellingen',
+ noPackagesCreated: 'Er zijn nog geen packages aangemaakt',
+ noPackages: 'Er zijn geen packages geïnstalleerd',
+ noPackagesDescription:
+ "Je hebt geen packages geïnstalleerd. Installeer een lokale package door het op je computer te selecteren of blader door beschikbare packages met het pictogram 'Packages' rechtsboven in je scherm.",
+ packageContent: 'Package Inhoud',
+ packageLicense: 'Licentie',
+ packageSearch: 'Zoeken naar packages',
+ packageSearchResults: 'Resultaten voor',
+ packageNoResults: 'We konden niets vinden voor',
+ packageNoResultsDescription: 'Probeer een ander pakket te zoeken of blader door de categorieën',
+ packagesPopular: 'Populair',
+ packagesNew: 'Nieuwe releases',
+ packageHas: 'heeft',
+ packageKarmaPoints: 'karma punten',
+ packageInfo: 'Informatie',
+ packageOwner: 'Eigenaar',
+ packageContrib: 'Bijdragers',
+ packageCreated: 'Aangemaakt',
+ packageCurrentVersion: 'Huidige versie',
+ packageNetVersion: '.NET versie',
+ packageDownloads: 'Downloads',
+ packageLikes: 'Likes',
+ packageCompatibility: 'Compatibiliteit',
+ packageCompatibilityDescription:
+ 'Deze package is compatibel met de volgende versies van Umbraco, zoals\n gerapporteerd door de communityleden. Volledige compatibiliteit kan niet worden gegarandeerd voor versies die voor\n minder dan 100% worden gerapporteerd\n ',
+ packageExternalSources: 'Externe bronnen',
+ packageAuthor: 'Auteur',
+ packageDocumentation: 'Documentatie',
+ packageMetaData: 'Package meta data',
+ packageName: 'Package naam',
+ packageNoItemsHeader: 'Package bevat geen inhoud',
+ packageNoItemsText:
+ "Deze package bevat geen inhoud om te verwijderen.
\n Je kunt deze package veilig verwijderen door op 'verwijder package' te klikken.\n ",
+ packageOptions: 'Package opties',
+ packageReadme: 'Package lees mij',
+ packageRepository: 'Package repository',
+ packageUninstallConfirm: 'Bevestig verwijderen',
+ packageUninstalledHeader: 'Package is verwijderd',
+ packageUninstalledText: 'De package is succesvol verwijderd',
+ packageUninstallHeader: 'Verwijder package',
+ packageUninstallText:
+ 'Je kunt de items die je niet wilt verwijderen deselecteren. Als je \'Bevestig verwijderen\' klikt worden alle geselecteerde items verwijderd. \n Waarschuwing: alle documenten, media etc, die afhankelijk zijn van de items die je verwijderd, zullen niet meer werken en kan leiden tot een instabiele installatie,\n wees dus voorzichtig met verwijderen. Als je het niet zeker weet, neem dan contact op met de auteur van de package.\n ',
+ packageVersion: 'Package versie',
+ },
+ paste: {
+ doNothing: 'Plakken met alle opmaak (Niet aanbevolen)',
+ errorMessage:
+ 'De tekst die je probeert te plakken bevat speciale tekens en/of opmaak. Dit kan\n veroorzaakt worden doordat de tekst vanuit Microsoft Word is gekopieerd. Umbraco kan deze speciale tekens en\n formattering automatisch verwijderen zodat de geplakte tekst geschikt is voor het web.\n ',
+ removeAll: 'Plakken als ruwe tekst en alle opmaak verwijderen',
+ removeSpecialFormattering: 'Plakken, en verwijder de opmaak (aanbevolen)',
+ },
+ publicAccess: {
+ paGroups: 'Groepsgebaseerde beveiliging',
+ paGroupsHelp: 'Als je toegang wilt verlenen aan alle leden van specifieke ledengroepen',
+ paGroupsNoGroups:
+ 'Je moet een ledengroep maken voordat je op groep gebaseerde authenticatie kunt\n gebruiken\n ',
+ paErrorPage: 'Foutpagina',
+ paErrorPageHelp:
+ 'Gebruikt om te tonen als een gebruiker is ingelogd, maar geen rechten heeft om de\n pagina te bekijken\n ',
+ paHowWould: 'Hoe wil je de pagina %0% beveiligen?',
+ paIsProtected: '%0% is nu beveiligd',
+ paIsRemoved: 'Beveiliging verwijderd van %0%',
+ paLoginPage: 'Login Pagina',
+ paLoginPageHelp: 'Kies de pagina met het login-formulier',
+ paRemoveProtection: 'Beveiliging verwijderen',
+ paRemoveProtectionConfirm:
+ 'Weet je zeker dat je de bescherming van de pagina %0% wilt verwijderen?',
+ paSelectPages: "Kies de pagina's die het login-formulier en de error-berichten bevatten",
+ paSelectGroups: 'Selecteer de groepen die toegang hebben tot de pagina %0%',
+ paSelectMembers: 'Selecteer de leden die toegang hebben tot de pagina %0%',
+ paMembers: 'Specifieke bescherming voor leden',
+ paMembersHelp: 'Als je toegang wilt verlenen aan bepaalde leden',
+ },
+ publish: {
+ invalidPublishBranchPermissions:
+ 'Onvoldoende gebruikersmachtigingen om alle onderliggende documenten te\n publiceren\n ',
+ contentPublishedFailedIsTrashed:
+ '\n %0% kon niet gepubliceerd worden omdat het item zich in de prullenbak bevindt.\n ',
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% kan niet worden gepubliceerd omdat het item is gepland voor release.\n ',
+ contentPublishedFailedExpired: '\n %0% kon niet gepubliceerd worden omdat het item niet meer geldig is.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% kan niet worden gepubliceerd omdat de eigenschappen: %1% de validatieregels niet hebben doorstaan.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% kon niet worden gepubliceerd omdat een invoegtoepassing van een derde partij de actie heeft geannuleerd.\n ',
+ contentPublishedFailedByParent:
+ '\n %0% kon niet gepubliceerd worden omdat de bovenliggende pagina niet gepubliceerd is.\n ',
+ contentPublishedFailedByMissingName: '%0% kan niet worden gepubliceerd omdat de naam ontbreekt.',
+ contentPublishedFailedReqCultureValidationError:
+ "Validatie mislukt voor de vereiste taal '%0%'. Deze\n taal werd opgeslagen maar is niet gepubliceerd.\n ",
+ inProgress: 'Publicatie in uitvoering - even geduld...',
+ inProgressCounter: '%0% van %1% pagina’s zijn gepubliceerd...',
+ nodePublish: '%0% is gepubliceerd',
+ nodePublishAll: '%0% en onderliggende pagina’s zijn gepubliceerd',
+ publishAll: 'Publiceer %0% en alle subitems',
+ publishHelp:
+ "Klik ok om %0% te publiceren en de wijzigingen zichtbaar te maken voor bezoekers.
\n Je kunt deze pagina publiceren en alle onderliggende sub-pagina's door publiceer alle subitems aan te vinken hieronder.\n ",
+ },
+ colorpicker: {
+ noColors: 'Je hebt geen goedgekeurde kleuren geconfigureerd',
+ },
+ contentPicker: {
+ allowedItemTypes: 'Je kan alleen items van de volgende type(s) selecteren: %0%',
+ pickedTrashedItem:
+ 'Je hebt een content-item geselecteerd dat op dit ogenblik verwijderd of in the\n prullenbak is\n ',
+ pickedTrashedItems:
+ 'Je hebt content-items geselecteerd die op dit ogenblik verwijderd of in the\n prullenbak zijn\n ',
+ },
+ dynamicRoot: {
+ noValidStartNodeTitle: 'Geen overeenkomende inhoud',
+ noValidStartNodeDesc:
+ 'De configuratie van deze eigenschap komt met geen enkele inhoud overeen. Maak de ontbrekende inhoud aan of neem contact op met uw beheerder om de dynamische root-instellingen voor deze eigenschap aan te passen.',
+ },
+ mediaPicker: {
+ deletedItem: 'Verwijderd item',
+ pickedTrashedItem:
+ 'Je hebt een media-item geselecteerd dat op dit ogenblik verwijderd of in the\n prullenbak is\n ',
+ pickedTrashedItems:
+ 'Je hebt media-items geselecteerd die op dit ogenblik verwijderd of in the prullenbak\n zijn\n ',
+ trashed: 'Weggegooid',
+ },
+ relatedlinks: {
+ enterExternal: 'Externe link toevoegen',
+ chooseInternal: 'Interne link toevoegen',
+ caption: 'Bijschrift',
+ link: 'Link',
+ newWindow: 'In een nieuw venster openen',
+ captionPlaceholder: 'Voer het bijschrift in',
+ externalLinkPlaceholder: 'Voer de link in',
+ },
+ imagecropper: {
+ reset: 'Uitsnede resetten',
+ updateEditCrop: 'Klaar',
+ undoEditCrop: 'Aanpassingen ongedaan maken',
+ customCrop: 'Gebruiker gedefinieerd',
+ },
+ rollback: {
+ changes: 'Wijzigingen',
+ created: 'Aangemaakt',
+ headline: 'Selecteer een versie om te vergelijken met de huidige versie',
+ currentVersion: 'Huidige versie',
+ diffHelp:
+ 'Hier worden de verschillen getoond tussen de huidige en de geselecteerde versie Rode tekst wordt niet getoond in de geselecteerde versie, groen betekent toegevoegd',
+ documentRolledBack: 'Document is teruggezet',
+ htmlHelp:
+ 'Hiermee wordt de geselecteerde versie als html getoond, als u de verschillen tussen de twee\n versies tegelijk wilt zien, gebruik dan de diff view\n ',
+ rollbackTo: 'Terugzetten naar',
+ selectVersion: 'Selecteer versie',
+ view: 'Bekijk',
+ pagination: 'Toont versie %0% tot %1% van %2% versies',
+ versions: 'Versies',
+ currentDraftVersion: 'Conceptversie',
+ currentPublishedVersion: 'Gepubliceerde versie',
+ },
+ scripts: {
+ editscript: 'Bewerk script-bestand',
+ },
+ sections: {
+ content: 'Inhoud',
+ forms: 'Formulieren',
+ media: 'Media',
+ member: 'Leden',
+ packages: 'Packages',
+ settings: 'Instellingen',
+ translation: 'Vertaling',
+ users: 'Gebruikers',
+ },
+ help: {
+ tours: 'Rondleidingen',
+ theBestUmbracoVideoTutorials: 'De beste Umbraco video tutorials',
+ umbracoForum: 'Bezoek our.umbraco.com',
+ umbracoTv: 'Bezoek umbraco.tv',
+ },
+ settings: {
+ defaulttemplate: 'Standaard template',
+ importDocumentTypeHelp:
+ 'Om een bestaand documenttype te importeren, zoek het betreffende “.udt” bestand\n door op browse en import te klikken. (Je ziet een bevestigingspagina voordat de import start. Als het documenttype\n al bestaat dan wordt het bijgewerkt.)\n ',
+ newtabname: 'Nieuwe tabtitel',
+ nodetype: 'Node type',
+ objecttype: 'Type',
+ stylesheet: 'Stylesheet',
+ script: 'Script',
+ tab: 'Tab',
+ tabname: 'Tab titel',
+ tabs: 'Tabs',
+ contentTypeEnabled: 'Basis inhoudstype ingeschakeld',
+ contentTypeUses: 'Dit inhoudstype gebruikt',
+ noPropertiesDefinedOnTab:
+ 'Geen eigenschappen gedefinieerd op dit tabblad. Klik op de link "voeg een\n nieuwe eigenschap" aan de bovenkant om een nieuwe eigenschap te creëren.\n ',
+ createMatchingTemplate: 'Maak een bijpassende sjabloon',
+ addIcon: 'Icoon toevoegen',
+ },
+ sort: {
+ sortOrder: 'Sorteer volgorde',
+ sortCreationDate: 'Aanmaakdatum',
+ sortDone: 'Sorteren gereed.',
+ sortHelp:
+ "Sleep de pagina's omhoog of omlaag om de volgorde te veranderen. Of klik op de kolomkop om\n alle pagina's daarop te sorteren.\n ",
+ sortPleaseWait: 'Een ogenblik geduld. Paginas worden gesorteerd, dit kan even duren.',
+ sortEmptyState: 'Dit item heeft geen subitems om te sorteren',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Validatie',
+ validationFailedMessage: 'Validatiefouten moeten worden opgelost voor dit item kan worden opgeslagen\n ',
+ operationFailedHeader: 'Mislukt',
+ operationSavedHeader: 'Opgeslagen',
+ operationSavedHeaderReloadUser: 'Opgeslagen. Gelieve uw browser te herladen om de aanpassingen te zien\n ',
+ invalidUserPermissionsText: 'Wegens onvoldoende rechten kon deze handeling kon niet worden uitgevoerd\n ',
+ operationCancelledHeader: 'Geannuleerd',
+ operationCancelledText: 'Uitvoering is geannuleerd door de plugin van een 3e partij',
+ contentTypeDublicatePropertyType: 'Eigenschappentype bestaat al',
+ contentTypePropertyTypeCreated: 'Eigenschappentype aangemaakt',
+ contentTypePropertyTypeCreatedText: 'Naam: %0% Datatype: %1%',
+ contentTypePropertyTypeDeleted: 'Eigenschappentype verwijderd',
+ contentTypeSavedHeader: 'Inhoudstype opgeslagen',
+ contentTypeTabCreated: 'Tab aangemaakt',
+ contentTypeTabDeleted: 'Tab verwijderd',
+ contentTypeTabDeletedText: 'Tab met id: %0% verwijderd',
+ cssErrorHeader: 'Stylesheet niet opgeslagen',
+ cssSavedHeader: 'Stylesheet opgeslagen',
+ cssSavedText: 'Stylesheet opgeslagen zonder fouten',
+ dataTypeSaved: 'Datatype opgeslagen',
+ dictionaryItemSaved: 'Woordenboek item opgeslagen',
+ editContentPublishedHeader: 'Inhoud gepubliceerd',
+ editContentPublishedText: 'en zichtbaar op de website',
+ editMultiContentPublishedText: '%0% documenten gepubliceerd en zichtbaar op de website',
+ editVariantPublishedText: '%0% gepubliceerd en zichtbaar op de website',
+ editMultiVariantPublishedText:
+ '%0% documenten gepubliceerd voor de talen languages %1% en zichtbaar op\n de website\n ',
+ editContentSavedHeader: 'Inhoud opgeslagen',
+ editContentSavedText: 'Vergeet niet te publiceren om de wijzigingen zichtbaar te maken',
+ editContentScheduledSavedText: 'Een planning voor publicatie is bijgewerkt',
+ editVariantSavedText: '%0% bewaard',
+ editContentSendToPublish: 'Verzend voor goedkeuring',
+ editContentSendToPublishText: 'Aanpassingen zijn verstuurd voor goedkeuring',
+ editVariantSendToPublishText: '%0% aanpassingen zijn verstuurd voor goedkeuring',
+ editMediaSaved: 'Media opgeslagen',
+ editMediaSavedText: 'Media opgeslagen zonder fouten',
+ editMemberSaved: 'Lid opgeslagen',
+ editStylesheetPropertySaved: 'Stijlsheet eigenschap opgeslagen',
+ editStylesheetSaved: 'Stijlsheet opgeslagen',
+ editTemplateSaved: 'Template opgeslagen',
+ editUserError: 'Fout bij opslaan gebruiker (zie logboek)',
+ editUserSaved: 'Gebruiker opgeslagen',
+ editUserTypeSaved: 'Gebruikerstype opgeslagen',
+ editUserGroupSaved: 'Gebruikersgroep opgeslagen',
+ editCulturesAndHostnamesSaved: 'Cultuur en hostnaam opgeslagen',
+ editCulturesAndHostnamesError: 'Fout bij opslaan culturen en hostnamen',
+ fileErrorHeader: 'Bestand niet opgeslagen',
+ fileErrorText: 'bestand kon niet worden opgeslagen. Controleer de bestandsbeveiliging',
+ fileSavedHeader: 'Bestand opgeslagen',
+ fileSavedText: 'Bestand opgeslagen zonder fouten',
+ languageSaved: 'Taal opgeslagen',
+ mediaTypeSavedHeader: 'Mediatype opgeslagen',
+ memberTypeSavedHeader: 'Ledentype opgeslagen',
+ memberGroupSavedHeader: 'Ledengroep opgeslagen',
+ memberGroupNameDuplicate: 'Er bestaat al een andere ledengroep met dezelfde naam',
+ templateErrorHeader: 'Sjabloon niet opgeslagen',
+ templateErrorText: 'Controleer dat je geen 2 sjablonen met dezelfde naam hebt',
+ templateSavedHeader: 'Sjabloon opgeslagen',
+ templateSavedText: 'Sjabloon opgeslagen zonder fouten!',
+ contentUnpublished: 'Inhoud gedepubliceerd',
+ contentCultureUnpublished: 'Inhoud variatie %0% gedepubliceerd',
+ contentMandatoryCultureUnpublished:
+ "De verplichte taal '%0%' is gedepubliceerd. Alle talen voor deze\n inhoud zijn nu gedepubliceerd.\n ",
+ partialViewSavedHeader: 'Partial view opgeslagen',
+ partialViewSavedText: 'Partial view opgeslagen zonder fouten!',
+ partialViewErrorHeader: 'Partial view niet opgeslagen',
+ partialViewErrorText: 'Er is een fout opgetreden bij het opslaan van het bestand.',
+ permissionsSavedFor: 'Rechten opgeslagen voor',
+ deleteUserGroupsSuccess: '%0% gebruikersgroepen verwijderd',
+ deleteUserGroupSuccess: '%0% is verwijderd',
+ enableUsersSuccess: '%0% gebruikers geactiveerd',
+ disableUsersSuccess: '%0% gebruikers gedeactiveerd',
+ enableUserSuccess: '%0% is nu geactiveerd',
+ disableUserSuccess: '%0% is nu gedeactiveerd',
+ setUserGroupOnUsersSuccess: 'Gebruikersgroepen zijn ingesteld',
+ unlockUsersSuccess: '%0% gebruikers gedeblokkeerd',
+ unlockUserSuccess: '%0% is nu gedeblokkeerd',
+ memberExportedSuccess: 'Lid is geexporteerd naar een bestand',
+ memberExportedError: 'Er heeft zich een fout voorgedaan tijdens het exporteren van het lid',
+ deleteUserSuccess: 'Gebruiker %0% is verwijderd',
+ resendInviteHeader: 'Gebruiker uitnodigen',
+ resendInviteSuccess: 'Uitnodiging is opnieuw gestuurd naar gebruiker %0%',
+ contentReqCulturePublishError:
+ "Kan het document niet publiceren omdat de vereiste '%0%' niet is\n gepubliceerd\n ",
+ contentCultureValidationError: "Validatie is mislukt voor de taal '%0%'",
+ documentTypeExportedSuccess: 'Documenttype is geëxporteerd naar een bestand',
+ documentTypeExportedError: 'Er is een fout gebeurd tijdens het exporteren van het documenttype',
+ scheduleErrReleaseDate1: 'De publicatiedatum kan niet in het verleden liggen',
+ scheduleErrReleaseDate2:
+ "Kan het document niet plannen voor publicatie omdat de vereiste '%0%' niet is\n gepubliceerd\n ",
+ scheduleErrReleaseDate3:
+ "Kan het document niet plannen voor publicatie omdat de vereiste '%0%' een\n publicatiedatum heeft die later is dan een niet-verplichte taal\n ",
+ scheduleErrExpireDate1: 'De vervaldatum kan niet in het verleden liggen',
+ scheduleErrExpireDate2: 'De vervaldatum kan niet voor de publicatiedatum liggen',
+ },
+ stylesheet: {
+ addRule: 'Stijl toevoegen',
+ editRule: 'Stijl bewerken',
+ editorRules: 'Rich text editor stijlen',
+ editorRulesHelp:
+ 'Definieer de stijlen die beschikbaar moeten zijn in de rich text editor voor deze\n stylesheet\n ',
+ editstylesheet: 'Stylesheet bewerken',
+ editstylesheetproperty: 'Stylesheet eigenschap bewerken',
+ nameHelp: 'Naam waarmee de stijl in de editor te kiezen is',
+ preview: 'Voorbeeld',
+ previewHelp: 'Hoe de tekst er zal uitzien in de rich text editor.',
+ selector: 'Selector',
+ selectorHelp: 'Gebruik CSS syntax, bv. "h1" or ".redHeader"',
+ styles: 'Stijlen',
+ stylesHelp: 'De CSS die moet toegepast worden in de rich text editor, bv. "color:red;"',
+ tabCode: 'Code',
+ tabRules: 'Rich Text Editor',
+ },
+ template: {
+ runtimeModeProduction: 'Inhoud kan niet worden bewerkt in de runtime-modus Production.',
+ deleteByIdFailed: 'Kan sjabloon met ID %0% niet verwijderen',
+ edittemplate: 'Sjabloon aanpassen',
+ insertSections: 'Secties',
+ insertContentArea: 'Inhoudsgebied invoegen',
+ insertContentAreaPlaceHolder: 'Een tijdelijke aanduiding voor het inhoudsgebied invoegen',
+ insert: 'Invoegen',
+ insertDesc: 'Kies wat je wil invoegen in het sjabloon',
+ insertDictionaryItem: 'Woordenboek item invoegen',
+ insertDictionaryItemDesc:
+ 'Een woordenboekitem is een tijdelijke aanduiding voor een vertaalbaar stuk\n tekst, waardoor het gemakkelijk is om ontwerpen voor meertalige websites te maken.\n ',
+ insertMacro: 'Macro invoegen',
+ insertMacroDesc:
+ '\n Een Macro is een configureerbaar component die gebruikt kan worden voor\n herbruikbare delen van je ontwerp, waar je de optie nodig hebt om parameters op te geven,\n zoals bij gallerijen, formulieren en lijsten.\n ',
+ insertPageField: 'Umbraco pagina veld invoegen',
+ insertPageFieldDesc:
+ 'Toont de waarde van een benoemd veld van de huidige pagina, met opties om de waarde\n te wijzigen of terug te vallen op alternatieve waarden.\n ',
+ insertPartialView: 'Partial view',
+ insertPartialViewDesc:
+ '\n Een partial view is een apart sjabloon dat kan gerendered worden in een ander sjabloon,\n het is geschikt voor het hergebruiken van HTML of voor het scheiden van complexe sjablonen in afzonderlijke\n bestanden.\n ',
+ mastertemplate: 'Hoofdsjabloon',
+ noMaster: 'Geen hoofdsjabloon',
+ renderBody: 'Render onderliggend sjabloon',
+ renderBodyDesc:
+ '\n Rendert de inhoud van een onderliggend sjabloon, door\n @RenderBody() in te voegen.\n ',
+ defineSection: 'Definieer een benoemde sectie',
+ defineSectionDesc:
+ '\n Definieert een deel van uw sjabloon als een benoemde sectie door deze in\n @section { ... } te omwikkelen. Dit kan worden weergegeven\n in een specifiek gebied van de bovenliggende sjabloon door @RenderSection te gebruiken.\n ',
+ renderSection: 'Render een benoemde sectie',
+ renderSectionDesc:
+ '\n Rendert een benoemd gebied van een onderliggend sjabloon, door een tijdelijke aanduiding @RenderSection(name) in te voegen.\n This renders an area of a child template which is wrapped in a corresponding @section [name]{ ... } definition.\n ',
+ sectionName: 'Sectienaam',
+ sectionMandatory: 'Sectie is verplicht',
+ sectionMandatoryDesc:
+ '\n Indien verplicht, moet het onderliggend sjabloon @section definiëren, anders wordt een fout getoond.\n ',
+ queryBuilder: 'Querybouwer',
+ itemsReturned: 'items gevonden, in',
+ iWant: 'Ik wil',
+ allContent: 'alle inhoud',
+ contentOfType: 'inhoud van het type "%0%"',
+ from: 'van',
+ websiteRoot: 'mijn website',
+ where: 'waar',
+ and: 'en',
+ is: 'is',
+ isNot: 'is niet',
+ before: 'voor',
+ beforeIncDate: 'voor (inclusief geselecteerde datum)',
+ after: 'na',
+ afterIncDate: 'na (inclusief geselecteerde datum)',
+ equals: 'is gelijk aan',
+ doesNotEqual: 'is niet gelijk aan',
+ contains: 'bevat',
+ doesNotContain: 'bevat niet',
+ greaterThan: 'groter dan',
+ greaterThanEqual: 'groter dan of gelijk aan',
+ lessThan: 'kleiner dan',
+ lessThanEqual: 'kleiner of gelijk aan',
+ id: 'Id',
+ name: 'Naam',
+ createdDate: 'Datum aangemaakt',
+ lastUpdatedDate: 'Datum gewijzigd',
+ orderBy: 'sorteren op',
+ ascending: 'oplopend',
+ descending: 'aflopend',
+ template: 'Sjabloon',
+ },
+ grid: {
+ media: 'Afbeelding',
+ macro: 'Macro',
+ insertControl: 'Item toevoegen',
+ chooseLayout: 'Kies de indeling',
+ addRows: 'Kies een indeling voor deze pagina om content toe te kunnen voegen',
+ addElement: 'Plaats een (extra) content blok',
+ dropElement: 'Drop content',
+ settingsApplied: 'Instellingen toegepast',
+ contentNotAllowed: 'Deze content is hier niet toegestaan',
+ contentAllowed: 'Deze content is hier toegestaan',
+ clickToEmbed: 'Klik om een item te embedden',
+ clickToInsertImage: 'Klik om een afbeelding in te voegen',
+ placeholderWriteHere: 'Typ hier...',
+ gridLayouts: 'Grid lay-outs',
+ gridLayoutsDetail:
+ 'Lay-outs zijn het globale werkgebied voor de grid editor. Je hebt meestal maar één of\n twee verschillende lay-outs nodig\n ',
+ addGridLayout: 'Een grid lay-out toevoegen',
+ editGridLayout: 'Grid lay-out aanpassen',
+ addGridLayoutDetail:
+ 'De lay-out aanpassen door de kolombreedte aan te passen en extra kolommen toe te\n voegen\n ',
+ rowConfigurations: 'Rijconfiguratie',
+ rowConfigurationsDetail: 'Rijen zijn voorgedefinieerde cellen die horizontaal zijn gerangschikt',
+ addRowConfiguration: 'Een rijconfiguratie toevoegen',
+ editRowConfiguration: 'Rijconfiguratie aanpassen',
+ addRowConfigurationDetail:
+ 'De rijconfiguratie aanpassen door de breedte van de cel in te stellen en\n extra cellen toe te voegen\n ',
+ noConfiguration: 'Geen verdere instellingen beschikbaar',
+ columns: 'Kolommen',
+ columnsDetails: 'Het totaal aantal gecombineerde kolommen in de grid layout',
+ settings: 'Instellingen',
+ settingsDetails: 'Configureren welke instellingen de editors kunnen aanpassen',
+ styles: 'Styles',
+ stylesDetails: 'Configureren welke stijlen de editors kunnen aanpassen',
+ allowAllEditors: 'Alle editors toelaten',
+ allowAllRowConfigurations: 'Alle rijconfiguraties toelaten',
+ maxItems: 'Maximale artikelen',
+ maxItemsDescription: 'Laat dit leeg of is ingesteld op -1 voor onbeperkt',
+ setAsDefault: 'Instellen als standaard',
+ chooseExtra: 'Kies extra',
+ chooseDefault: 'Kies standaard',
+ areAdded: 'zijn toegevoegd',
+ youAreDeleting: 'Je gaat de rijconfiguratie verwijderen',
+ deletingARow:
+ '\n Een rijconfiguratienaam verwijderen zal er voor zorgen dat bestaande inhoud verloren gaat die gebaseerd is op deze\n configuratie.\n ',
+ },
+ contentTypeEditor: {
+ compositions: 'Composities',
+ group: 'Groep',
+ noGroups: 'Er zijn nog geen groepen toegevoegd',
+ addGroup: 'Groep toevoegen',
+ inheritedFrom: 'Inherited van',
+ addProperty: 'Eigenschap toevoegen',
+ requiredLabel: 'Verplicht label',
+ enableListViewHeading: 'Lijstweergave inschakelen',
+ enableListViewDescription:
+ 'Laat de onderliggende nodes van het content item zien als een sorteer- en\n doorzoekbare lijstweergave. Deze onderliggende nodes worden dan niet in de boomstructuur getoond.\n ',
+ allowedTemplatesHeading: 'Toegestane Sjablonen',
+ allowedTemplatesDescription:
+ 'Kies welke sjablonen toegestaan zijn om door de editors op dit contenttype\n gebruikt te worden\n ',
+ allowAsRootHeading: 'Sta toe op hoofdniveau',
+ allowAsRootDescription: 'Sta editors toe om inhoud van dit type aan te maken op hoofdniveau',
+ childNodesHeading: 'Toegestane onderliggende node types',
+ childNodesDescription:
+ 'Sta inhoud van een bepaald type toe om onder dit type aangemaakt te kunnen\n worden\n ',
+ chooseChildNode: 'Kies onderliggende node',
+ compositionsDescription:
+ 'Overgeërfde tabs en properties van een bestaand documenttype. Nieuwe tabs\n worden toegevoegd aan het huidige documenttype of samengevoegd als een tab met dezelfde naam al bestaat.\n ',
+ compositionInUse:
+ 'Dit contenttype wordt gebruikt in een compositie en kan daarom niet zelf een\n compositie worden.\n ',
+ noAvailableCompositions: 'Er zijn geen contenttypen beschikbaar om als compositie te gebruiken.',
+ compositionRemoveWarning:
+ 'Een compositie verwijderen zal alle bijbehorende eigenschapsdata ook\n verwijderen. Zodra je het documenttype hebt opgeslagen is er geen weg meer terug.\n ',
+ availableEditors: 'Beschikbare editors',
+ reuse: 'Herbruik',
+ editorSettings: 'Editor instellingen',
+ searchResultSettings: 'Beschikbare configuraties',
+ searchResultEditors: 'Nieuwe configuration aanmaken',
+ configuration: 'Configuratie',
+ yesDelete: 'Ja, verwijder',
+ movedUnderneath: 'is naar onder geplaatst',
+ copiedUnderneath: 'is naar onder gecopierd',
+ folderToMove: 'Selecteer de map om te verplaatsen',
+ folderToCopy: 'Selecteer de map om te kopieren',
+ structureBelow: 'naar de boomstructuur onder',
+ allDocumentTypes: 'Alle Documenttypes',
+ allDocuments: 'Alle documenten',
+ allMediaItems: 'Alle media items',
+ usingThisDocument:
+ 'die gebruik maken van dit documenttype zullen permanent verwijderd worden. Bevestig\n aub dat je deze ook wilt verwijderen.\n ',
+ usingThisMedia:
+ 'die gebruik maken van dit mediatype zullen permanent verwijderd worden. Bevestig aub dat\n je deze ook wilt verwijderen.\n ',
+ usingThisMember:
+ 'die gebruik maken van dit lidtype zullen permanent verwijderd worden. Bevestig aub dat\n je deze ook wilt verwijderen.\n ',
+ andAllDocuments: 'en alle documenten van dit type',
+ andAllMediaItems: 'en alle media items van dit type',
+ andAllMembers: 'en alle leden van dit type',
+ memberCanEdit: 'Lid kan bewerken',
+ memberCanEditDescription: 'Toestaan dat deze eigenschap kan worden gewijzigd door het lid op zijn profiel pagina.',
+ isSensitiveData: 'Omvat gevoelige gegevens',
+ isSensitiveDataDescription:
+ 'Verberg deze eigenschap voor de content editor die geen toegang heeft tot het bekijken van gevoelige informatie.',
+ showOnMemberProfile: 'Toon in het profiel van leden',
+ showOnMemberProfileDescription: 'Toelaten dat deze eigenschap wordt getoond op de profiel pagina van het lid.',
+ tabHasNoSortOrder: 'tab heeft geen sorteervolgorde',
+ compositionUsageHeading: 'Waar wordt deze compositie gebruikt?',
+ compositionUsageSpecification:
+ 'Deze samenstelling wordt momenteel gebruikt bij de samenstelling van de\n volgende inhoudstypen:\n ',
+ variantsHeading: 'Variaties toestaan',
+ cultureVariantHeading: 'Variëren per cultuur toestaan',
+ segmentVariantHeading: 'Segmentatie toestaan',
+ cultureVariantLabel: 'Varieer per cultuur',
+ segmentVariantLabel: 'Varieer per segment',
+ variantsDescription:
+ 'Editors toestaan om nieuwe inhoud aan te maken van dit type in verschillende\n talen.\n ',
+ cultureVariantDescription: 'Editors toestaan om nieuwe inhoud in verschillende talen te creëren',
+ segmentVariantDescription: 'Editors toestaan om nieuwe segmenten van deze inhoud te creëren.',
+ allowVaryByCulture: 'Variaties per cultuur toestaan',
+ allowVaryBySegment: 'Segmentatie toestaan',
+ elementType: 'Elementtype',
+ elementHeading: 'Is een elementtype',
+ elementDescription:
+ 'Een elementtype is bedoeld om bijvoorbeeld in geneste inhoud gebruikt te worden en\n niet in de boomstructuur.\n ',
+ elementCannotToggle:
+ 'Een documenttype kan niet worden gewijzigd in een elementtype nadat het is gebruikt\n om een of meer contentitems te maken.\n ',
+ elementDoesNotSupport: 'Dit is niet van toepassing op een elementtype',
+ propertyHasChanges:
+ 'Je hebt wijzigingen aangebracht aan deze eigenschap. Ben je zeker dat je ze wil\n weggooien?\n ',
+ addTab: 'Tabblad toevoegen',
+ historyCleanupHeading: 'Geschiedenis opschonen',
+ historyCleanupDescription: 'Overschrijf de standaard geschiedenis opschonen instellingen.',
+ historyCleanupKeepAllVersionsNewerThanDays: 'Bewaar alle versies nieuwer dan dagen',
+ historyCleanupKeepLatestVersionPerDayForDays: 'Bewaar de laatste versie per dag voor dagen',
+ historyCleanupPreventCleanup: 'Voorkom opschonen',
+ historyCleanupEnableCleanup: 'Opschonen aanzetten',
+ historyCleanupGloballyDisabled:
+ 'Geschiedenis opschonen is globaal uitgeschakeld. Deze instellingen worden pas van kracht nadat ze zijn ingeschakeld.',
+ },
+ webhooks: {
+ addWebhook: 'Webhook aanmaken',
+ addWebhookHeader: 'Webhook header toevoegen',
+ logs: 'Logboek',
+ addDocumentType: 'Documenttype toevoegen',
+ addMediaType: 'Mediatype toevoegen',
+ },
+ languages: {
+ addLanguage: 'Taal toevoegen',
+ mandatoryLanguage: 'Verplichte taal',
+ mandatoryLanguageHelp:
+ 'Eigenschappen van deze taal moeten worden ingevuld voordat de node kan worden\n gepubliceerd.\n ',
+ defaultLanguage: 'Standaard taal',
+ defaultLanguageHelp: 'Een Umbraco site kan maar één standaardtaal hebben.',
+ changingDefaultLanguageWarning: 'Als u de standaardtaal wijzigt, kan er standaardinhoud ontbreken.',
+ fallsbackToLabel: 'Valt terug naar',
+ noFallbackLanguageOption: 'Geen terugvaltaal',
+ fallbackLanguageDescription:
+ 'Om meertalige inhoud terug te laten vallen naar een andere taal als deze\n niet aanwezig is in de gevraagde taal, selecteert u deze hier.\n ',
+ fallbackLanguage: 'Terugvaltaal',
+ none: 'Geen',
+ },
+ macro: {
+ addParameter: 'Parameter toevoegen',
+ editParameter: 'Parameter bewerken',
+ enterMacroName: 'Macro naam invoeren',
+ parameters: 'Parameters',
+ parametersDescription:
+ 'Definieer de parameters die beschikbaar moeten zijn bij het gebruik van deze\n macro.\n ',
+ selectViewFile: 'Selecteer een partial view macro bestand',
+ },
+ modelsBuilder: {
+ buildingModels: 'Models aan het gereneren',
+ waitingMessage: 'dit kan enige tijd duren, geduld aub',
+ modelsGenerated: 'Models gegenereerd',
+ modelsGeneratedError: 'Models konden niet gegenereerd worden',
+ modelsExceptionInUlog: 'Models generatie is mislukt, kijk in de Umbraco log voor details',
+ },
+ templateEditor: {
+ addDefaultValue: 'Standaardwaarde toevoegen',
+ defaultValue: 'Standaardwaarde',
+ alternativeField: 'Alternatief veld',
+ alternativeText: 'Alternatieve tekst',
+ casing: 'Kapitalisatie',
+ encoding: 'Codering',
+ chooseField: 'Selecteer veld',
+ convertLineBreaks: 'Converteer regelafbreking',
+ convertLineBreaksHelp: 'Vervang regelafbrekingen met HTML-tag ',
+ customFields: 'Aangepaste velden',
+ dateOnly: 'Ja, alleen datum',
+ formatAsDate: 'Opmaken als datum',
+ htmlEncode: 'HTML-encoderen',
+ htmlEncodeHelp: 'Speciale karakters worden geëncodeerd naar HTML.',
+ insertedAfter: 'Zal worden ingevoegd na de veld waarde',
+ insertedBefore: 'Zal worden ingevoegd voor de veld waarde',
+ lowercase: 'Kleine letters',
+ none: 'Geen',
+ outputSample: 'Uitvoervoorbeeld',
+ postContent: 'Invoegen na veld',
+ preContent: 'Invoegen voor veld',
+ recursive: 'Recursief',
+ recursiveDescr: 'Ja, recursief maken',
+ standardFields: 'Standaard velden',
+ uppercase: 'Hoofdletters',
+ urlEncode: 'URL-encoderen',
+ urlEncodeHelp: "Speciale karakters in URL's worden geëncodeerd",
+ usedIfAllEmpty: 'Zal alleen worden gebruikt waneer de bovenstaande veldwaardes leeg zijn',
+ usedIfEmpty: 'Dit veld zal alleen worden gebruikt als het primaire veld leeg is',
+ withTime: 'Ja, met tijd. Scheidingsteken:',
+ },
+ translation: {
+ details: 'Details van vertaling',
+ DownloadXmlDTD: 'Download xml DTD',
+ fields: 'Velden',
+ includeSubpages: "Inclusief onderliggende pagina's",
+ mailBody:
+ "\n Hallo %0%\n\n Dit is een geautomatiseerde mail om u op de hoogte te brengen dat document '%1%'\n is aangevraagd voor vertaling naar '%5%' door %2%.\n\n Ga naar http://%3%/translation/details.aspx?id=%4% om te bewerken.\n\t Of log in bij Umbraco om een overzicht te krijgen van al jouw vertalingen.\n\n\n Met vriendelijke groet!\n\n\n De Umbraco Robot\n ",
+ noTranslators:
+ "Geen vertaal-gebruikers gevonden. Maak eerst een vertaal-gebruiker aan voordat je\n pagina's voor vertaling verstuurt\n ",
+ pageHasBeenSendToTranslation: "De pagina '%0%' is verstuurd voor vertaling",
+ sendToTranslate: 'Stuur voor vertaling',
+ totalWords: 'Totaal aantal woorden',
+ translateTo: 'Vertaal naar',
+ translationDone: 'Vertaling voltooid.',
+ translationDoneHelp:
+ "Je kan een voorbeeld van vertaalde pagina's bekijken door hieronder te klikken. Als\n de originele pagina gevonden werd, wordt een vergelijking van beide pagina's getoond.\n ",
+ translationFailed: 'Vertalen niet gelukt, het XML-bestand is mogelijk beschadigd.',
+ translationOptions: 'Vertalingsopties',
+ translator: 'Vertaler',
+ uploadTranslationXml: 'Vertaald XML-document uploaden',
+ },
+ treeHeaders: {
+ content: 'Inhoud',
+ contentBlueprints: 'Inhoudssjablonen',
+ media: 'Media',
+ cacheBrowser: 'Cachebrowser',
+ contentRecycleBin: 'Prullenbak',
+ createdPackages: 'Gemaakte packages',
+ dataTypes: 'Datatypes',
+ dictionary: 'Woordenboek',
+ installedPackages: 'Geïnstalleerde packages',
+ installSkin: 'Installeer skin',
+ installStarterKit: 'Installeer starter kit',
+ languages: 'Talen',
+ localPackage: 'Installeer een lokale package',
+ macros: "Macro's",
+ mediaTypes: 'Mediatypes',
+ member: 'Leden',
+ memberGroups: 'Ledengroepen',
+ memberRoles: 'Rollen',
+ memberTypes: 'Ledentypes',
+ documentTypes: 'Documenttypes',
+ relationTypes: 'Relatietypes',
+ packager: 'Packages',
+ packages: 'Packages',
+ partialViews: 'Partial Views',
+ partialViewMacros: 'Partial View Macro Bestanden',
+ repositories: 'Installeer vanuit repository',
+ runway: 'Installeer Runway',
+ runwayModules: 'Runway modules',
+ scripting: 'Script bestanden',
+ scripts: 'Scripts',
+ stylesheets: 'Stylesheets',
+ templates: 'Sjablonen',
+ logViewer: 'Logboeken',
+ users: 'Gebruikers',
+ settingsGroup: 'Instellingen',
+ templatingGroup: 'Sjabloon',
+ thirdPartyGroup: 'Derde partij',
+ webhooks: 'Webhooks',
+ },
+ update: {
+ updateAvailable: 'Nieuwe update beschikbaar',
+ updateDownloadText: '%0% is gereed, klik hier om te downloaden',
+ updateNoServer: 'Er is geen verbinding met de server',
+ updateNoServerError:
+ 'Er is een fout opgetreden bij het zoeken naar een update. Bekijk de trace-stack\n voor verdere informatie.\n ',
+ },
+ user: {
+ access: 'Toegang',
+ accessHelp:
+ "Gebaseerd op de gebruikersgroepen en startpagina's heeft de gebruiker toegang tot de\n volgende pagina's\n ",
+ assignAccess: 'Toegang geven',
+ administrators: 'Beheerders',
+ categoryField: 'Categorieveld',
+ createDate: 'Gebruiker aangemaakt',
+ changePassword: 'Verander je wachtwoord',
+ changePhoto: 'Wijzig je foto',
+ newPassword: 'Wijzig je wachtwoord',
+ newPasswordFormatLengthTip: 'Nog minimaal %0% teken(s) te gaan!',
+ noLockouts: 'is niet gedeblokkeerd',
+ noPasswordChange: 'Het wachtwoord is niet gewijzigd',
+ confirmNewPassword: 'Bevestig nieuw wachtwoord',
+ changePasswordDescription:
+ "Je kunt je wachtwoord veranderen door onderstaand formulier in te vullen en\n op de knop 'Verander wachtwoord' te klikken\n ",
+ contentChannel: 'Inhoudskanaal',
+ createAnotherUser: 'Nog een gebruiker aanmaken',
+ createUserHelp:
+ 'Maak nieuwe gebruikers aan om hun toegang te geven tot Umbraco. Wanneer een nieuwe\n gebruiker wordt aangemaakt wordt er een wachtwoord gegenereerd dat je met hun kan delen.\n ',
+ descriptionField: 'Omschrijving',
+ disabled: 'Geblokkeerde gebruiker',
+ documentType: 'Documenttype',
+ editors: 'Editor',
+ excerptField: 'Samenvattingsveld',
+ failedPasswordAttempts: 'Foute wachtwoord pogingen',
+ goToProfile: 'Ga naar gebruikersprofiel',
+ groupsHelp: 'Voeg gebruikersgroepen toe om rechten in te stellen',
+ inviteAnotherUser: 'Nog een gebruiker uitnodigen',
+ inviteUserHelp:
+ 'Nodig gebruikers uit om hen toegang te geven to Umbraco. Een uitnodiging wordt via\n e-mail verstuurd met instructies hoe de gebruiker kan inloggen.\n ',
+ language: 'Taal',
+ languageHelp: "Stel de taal in die gebruiker zal zien in menu's en dialoogvensters",
+ lastLockoutDate: 'Laatst geblokkeerd datum',
+ lastLogin: 'Laatste keer ingelogd',
+ lastPasswordChangeDate: 'Laatste keer wachtwoord gewijzigd',
+ loginname: 'Loginnaam',
+ mediastartnode: 'Startnode in Mediabibliotheek',
+ mediastartnodehelp: 'Beperk de mediabibliotheek tot een specifieke startnode',
+ mediastartnodes: 'Startnodes in Mediabibliotheek',
+ mediastartnodeshelp: 'Beperk de mediabibliotheek tot een specifieke startnode',
+ modules: 'Secties',
+ noConsole: 'Blokkeer Umbraco toegang',
+ noLogin: 'heeft nog niet ingelogd',
+ oldPassword: 'Oude wachtwoord',
+ password: 'Wachtwoord',
+ resetPassword: 'Reset wachtwoord',
+ passwordChanged: 'Je wachtwoord is veranderd!',
+ passwordChangedGeneric: 'Wachtwoord aangepast',
+ passwordConfirm: 'Herhaal nieuwe wachtwoord',
+ passwordEnterNew: 'Voer nieuwe wachtwoord in',
+ passwordIsBlank: 'Je nieuwe wachtwoord mag niet leeg zijn!',
+ passwordCurrent: 'Huidig wachtwoord',
+ passwordInvalid: 'Ongeldig huidig wachtwoord',
+ passwordIsDifferent: 'Beide wachtwoorden waren niet hetzelfde. Probeer opnieuw!',
+ passwordMismatch: 'Beide wachtwoorden zijn niet hetzelfde!',
+ permissionReplaceChildren: 'Vervang rechten op de subitems',
+ permissionSelectedPages: "U bent momenteel rechten aan het aanpassen voor volgende pagina's:",
+ permissionSelectPages: "Selecteer pagina's om hun rechten aan te passen",
+ removePhoto: 'Verwijder je foto',
+ permissionsDefault: 'Standaard rechten',
+ permissionsGranular: 'Specifieke rechten',
+ permissionsGranularHelp: 'Geef rechten op specifieke nodes',
+ profile: 'Profiel',
+ searchAllChildren: 'Doorzoek alle subitems',
+ sectionsHelp: 'Geef de gebruiker toegang tot secties',
+ languagesHelp: 'Beperk de talen die gebruikers mogen bewerken',
+ allowAccessToAllLanguages: 'Toegang tot alle talen toestaan',
+ selectUserGroups: 'Selecteer een gebruikersgroep',
+ noStartNode: 'Geen startnode geselecteerd',
+ noStartNodes: 'Geen startnodes geselecteerd',
+ startnode: 'Startnode in Inhoud',
+ startnodehelp: 'Beperk de content toegang tot een specifieke startnode',
+ startnodes: 'Startnodes in Inhoud',
+ startnodeshelp: 'Beperk de Inhoud tot specifieke startnodes',
+ updateDate: 'Laatste keer bijgewerkt',
+ userCreated: 'is aangemaakt',
+ userCreatedSuccessHelp:
+ 'De gebruiker is aangemaakt. Om in te loggen in Umbraco gebruik je onderstaand\n wachtwoord.\n ',
+ userManagement: 'Gebruikers beheren',
+ username: 'Gebruikersnaam',
+ userPermissions: 'Gebruikersrechten',
+ usergroup: 'Gebruikersgroep',
+ userInvited: 'is uitgenodigd',
+ userInvitedSuccessHelp:
+ 'Een uitnodiging is gestuurd naar de nieuwe gebruiker met informatie over hoe in\n te loggen in Umbraco\n ',
+ userinviteWelcomeMessage:
+ 'Hallo en welkom in Umbraco! Binnen ongeveer één minuut kan je aan de slag. Je\n moet enkel je wachtwoord instellen.\n ',
+ userinviteExpiredMessage:
+ 'Welkom bij Umbraco! Helaas is je uitnodiging vervallen. Vraag aan je\n administrator om de uitnodiging opnieuw te versturen.\n ',
+ writer: 'Auteur',
+ configureTwoFactor: 'Configureer tweestapsverificatie',
+ change: 'Wijzig',
+ yourProfile: 'Je profiel',
+ yourHistory: 'Je recente historie',
+ sessionExpires: 'Sessie verloopt over',
+ inviteUser: 'Gebruiker uitnodigen',
+ createUser: 'Gebruiker aanmaken',
+ sendInvite: 'Uitnodiging versturen',
+ backToUsers: 'Terug naar gebruikers',
+ inviteEmailCopySubject: 'Umbraco: Uitnodiging',
+ inviteEmailCopyFormat:
+ "\n \n\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t
\n\t\t\t\n ",
+ defaultInvitationMessage: 'Uitnodiging opnieuw aan het versturen...',
+ deleteUser: 'Verwijder gebruiker',
+ deleteUserConfirmation: 'Weet je zeker dat je deze gebruiker wil verwijderen?',
+ stateAll: 'Alles',
+ stateActive: 'Actief',
+ stateDisabled: 'Uitgeschakeld',
+ stateLockedOut: 'Vergrendeld',
+ stateInvited: 'Uitgenodigd',
+ stateInactive: 'Inactief',
+ sortNameAscending: 'Naam (A-Z)',
+ sortNameDescending: 'Naam (Z-A)',
+ sortCreateDateAscending: 'Oudste',
+ sortCreateDateDescending: 'Nieuwste',
+ sortLastLoginDateDescending: 'Laatste login',
+ noUserGroupsAdded: 'Er zijn geen gebruikersgroepen toegevoegd',
+ },
+ validation: {
+ validation: 'Validatie',
+ validateAsEmail: 'Valideer als e-mailadres',
+ validateAsNumber: 'Valideer als nummer',
+ validateAsUrl: 'Valideer als URL',
+ enterCustomValidation: '...of gebruik aangepaste validatie',
+ fieldIsMandatory: 'Veld is verplicht',
+ mandatoryMessage: 'Voer een foutmelding in voor de aangepaste validatie (optioneel)',
+ validationRegExp: 'Voer een reguliere expressie in',
+ validationRegExpMessage: 'Voer een foutmelding in voor de aangepaste validatie (optioneel)',
+ minCount: 'Je hebt minstens',
+ maxCount: 'Je mag maximum',
+ addUpTo: 'Geef maximum',
+ items: 'items',
+ urls: 'URL(s)',
+ urlsSelected: 'URL(s) geselecteerd',
+ itemsSelected: 'items geselecteerd',
+ invalidDate: 'Ongeldige datum',
+ invalidNumber: 'Geen nummer',
+ invalidEmail: 'Ongeldig e-mailadres',
+ invalidNull: 'Waarde mag niet null zijn',
+ invalidEmpty: 'Waarde mag niet leeg zijn',
+ invalidPattern: 'Ongeldige waarde, het komt niet overeen met het correcte patroon',
+ customValidation: 'Aangepaste validatie',
+ entriesShort: 'Minimum %0% items, nog %1% nodig.',
+ entriesExceed: 'Maximum %0% items, %1% te veel.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Waarde is insteld naar the aanbevolen waarde: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "De verwachte waarde voor '%2%' is '%1%' in configuratiebestand\n '%3%', maar is '%0%'.\n ",
+ checkErrorMessageUnexpectedValue:
+ "Onverwachte waarde '%0%' gevonden voor '%2%' in configuratiebestand\n '%3%'.\n ",
+ macroErrorModeCheckSuccessMessage: "Macro foutmeldingen zijn ingesteld op'%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Macro foutmeldingen zijn ingesteld op '%0%'. Dit zal er voor zorgen dat\n bepaalde, of alle, pagina's van de website niet geladen kunnen worden als er errors in een Macro zitten.\n Corrigeren zal deze waarde aanpassen naar '%1%'.\n ",
+ httpsCheckValidCertificate: 'Het cerficaat van de website is ongeldig.',
+ httpsCheckInvalidCertificate: "Cerficaat validatie foutmelding: '%0%'",
+ httpsCheckExpiredCertificate: 'Het SSL certificaat van de website is vervallen.',
+ httpsCheckExpiringCertificate: 'Het SSL certificaat van de website zal vervallen binnen %0% dagen.',
+ healthCheckInvalidUrl: "Fout bij pingen van URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'De site wordt momenteel %0% bekeken via HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Debug compilatie mode staat uit.',
+ compilationDebugCheckErrorMessage:
+ 'Debug compilatie mode staat momenteel aan. Wij raden aan deze\n instelling uit te zetten voor livegang.\n ',
+ clickJackingCheckHeaderFound:
+ 'De X-Frame-Options header of meta-tag om IFRAMEing door andere websites te voorkomen is aanwezig!',
+ clickJackingCheckHeaderNotFound:
+ 'De X-Frame-Options header of meta-tag om IFRAMEing door andere websites te voorkomen is NIET aanwezig.',
+ noSniffCheckHeaderFound:
+ 'De header of meta-tag X-Content-Type-Options die beveiligt tegen MIME sniffing kwetsbaarheden is gevonden.',
+ noSniffCheckHeaderNotFound:
+ 'De header of meta-tag X-Content-Type-Options die beveiligt tegen MIME sniffing kwetsbaarheden is niet gevonden.',
+ hSTSCheckHeaderFound:
+ 'De Strict-Transport-Security header, ook bekend als de HSTS-header, is gevonden.',
+ hSTSCheckHeaderNotFound: 'De Strict-Transport-Securityheader is niet gevonden.',
+ xssProtectionCheckHeaderFound: 'De header X-XSS-Protection is gevonden.',
+ xssProtectionCheckHeaderNotFound: 'De header X-XSS-Protection is niet gevonden.',
+ excessiveHeadersFound:
+ 'De volgende headers die informatie tonen over de gebruikte website technologieën zijn aangetroffen: %0%.',
+ excessiveHeadersNotFound:
+ 'Er zijn geen headers gevonden die informatie vrijgeven over de gebruikte\n website technologie!\n ',
+ smtpMailSettingsConnectionSuccess: 'SMTP instellingen zijn correct ingesteld en werken zoals verwacht.\n ',
+ notificationEmailsCheckSuccessMessage: 'Notificatie e-mail is verzonden naar %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Notificatie e-mail staat nog steeds op de standaard waarde van %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Resultaten van de geplande Umbraco Health Checks uitgevoerd op %0% op %1%:
De health checker evalueert verschillende delen van de website voor best practice instellingen, configuratie, mogelijke problemen, enzovoort. U kunt problemen eenvoudig oplossen met een druk op de knop.\n U kunt uw eigen health checks toevoegen, kijk even naar de documentatie voor meer informatie over aangepaste health checks.
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'URL tracker uitschakelen',
+ enableUrlTracker: 'URL tracker inschakelen',
+ culture: 'Cultuur',
+ originalUrl: 'Originele URL',
+ redirectedTo: 'Doorgestuurd naar',
+ redirectUrlManagement: 'Redirect Url Beheer',
+ panelInformation: 'De volgende URLs verwijzen naar dit content item:',
+ noRedirects: 'Er zijn geen redirects',
+ noRedirectsDescription:
+ 'Er wordt automatisch een redirect aangemaakt als een gepubliceerde pagina\n hernoemd of verplaatst wordt.\n ',
+ redirectRemoved: 'Redirect URL verwijderd.',
+ redirectRemoveError: 'Fout bij verwijderen redirect URL.',
+ redirectRemoveWarning: 'Dit zal de redirect verwijderen',
+ confirmDisable: 'Weet je zeker dat je de URL tracker wilt uitzetten?',
+ disabledConfirm: 'URL tracker staat nu uit.',
+ disableError:
+ 'Fout bij het uitzetten van de URL Tracker. Meer informatie kan gevonden worden in de log\n file.\n ',
+ enabledConfirm: 'URL tracker staat nu aan.',
+ enableError:
+ 'Fout bij het aanzetten van de URL tracker. Meer informatie kan gevonden worden in de log\n file.\n ',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Geen woordenboekitems om uit te kiezen',
+ },
+ textbox: {
+ characters_left: '%0% karakters resterend.',
+ characters_exceed: 'Maximum %0% karakters, %1% te veel.',
+ },
+ recycleBin: {
+ contentTrashed: 'Content verwijderd met id : {0} gerelateerd aan aan bovenliggend item met Id: {1}',
+ mediaTrashed: 'Media verwijderd met id: {0} gerelateerd aan aan bovenliggend item met Id: {1}',
+ itemCannotBeRestored: 'Kan dit item niet automatisch herstellen',
+ itemCannotBeRestoredHelpText:
+ 'Er is geen locatie waar dit item automatisch kan worden hersteld. U kunt\n het item handmatig verplaatsen met behulp van de onderstaande boomstructuur.\n ',
+ wasRestored: 'was hersteld onder',
+ },
+ relationType: {
+ direction: 'Richting',
+ parentToChild: 'Bovenliggend naar onderliggend',
+ bidirectional: 'Bidirectioneel',
+ parent: 'Bovenliggend',
+ child: 'Onderliggend',
+ count: 'Aantal',
+ relations: 'Relaties',
+ created: 'Gemaakt',
+ comment: 'Commentaar',
+ name: 'Naam',
+ noRelations: 'Geen relaties voor dit relatietype.',
+ tabRelationType: 'Relatietype',
+ tabRelations: 'Relaties',
+ isDependency: 'Is Afhankelijkheid',
+ dependency: 'Ja',
+ noDependency: 'Nee',
+ },
+ dashboardTabs: {
+ contentIntro: 'Aan de slag',
+ contentRedirectManager: 'Redirect URL Beheer',
+ mediaFolderBrowser: 'Inhoud',
+ settingsWelcome: 'Welkom',
+ settingsExamine: 'Examine Beheer',
+ settingsPublishedStatus: 'Publicatiestatus',
+ settingsModelsBuilder: 'Models Builder',
+ settingsHealthCheck: 'Gezondheidscontrole',
+ settingsProfiler: 'Profilering',
+ memberIntro: 'Aan de slag',
+ formsInstall: 'Umbraco Forms installeren',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Terug',
+ activeListLayout: 'Actieve layout:',
+ jumpTo: 'Spring naar',
+ group: 'groep',
+ passed: 'geslaagd',
+ warning: 'Waarschuwing',
+ failed: 'mislukt',
+ suggestion: 'suggestie',
+ checkPassed: 'Controle geslaagd',
+ checkFailed: 'Controle mislukt',
+ openBackofficeSearch: 'Backoffice zoeken openen',
+ openCloseBackofficeHelp: 'Backoffice help openen/sluiten',
+ openCloseBackofficeProfileOptions: 'Jouw profiel opties openen/sluiten',
+ assignDomainDescription: 'Cultuur en Hostnamen instellen voor %0%',
+ createDescription: 'Nieuwe node aanmaken onder %0%',
+ protectDescription: 'Openbare toegang instellen op %0%',
+ rightsDescription: 'Rechten instellen op %0%',
+ sortDescription: 'Sorteervolgorde wijzigen voor %0%',
+ createblueprintDescription: 'Maak een Inhoudssjabloon op basis van %0%',
+ openContextMenu: 'Open context menu voor',
+ currentLanguage: 'Huidige taal',
+ switchLanguage: 'Taal wijzigen naar',
+ createNewFolder: 'Map aanmaken',
+ newPartialView: 'Partial View',
+ newPartialViewMacro: 'Partial View Macro',
+ newMember: 'Lid',
+ newDataType: 'Datatype',
+ redirectDashboardSearchLabel: 'Zoeken in het redirect dashboard',
+ userGroupSearchLabel: 'Zoeken in de gebruikersgroep sectie',
+ userSearchLabel: 'Zoeken in de gebruikers sectie',
+ createItem: 'Item aanmaken',
+ create: 'Aanmaken',
+ edit: 'Bewerken',
+ name: 'Naam',
+ addNewRow: 'Rij toevoegen',
+ tabExpand: 'Bekijk meer opties',
+ hasTranslation: 'Vertaling aanwezig',
+ noTranslation: 'Vertaling ontbreekt',
+ dictionaryListCaption: 'Woordenboek items',
+ },
+ references: {
+ tabName: 'Referenties',
+ DataTypeNoReferences: 'Dit Datatype heeft geen referenties.',
+ labelUsedByDocumentTypes: 'Gebruikt in Documenttypes',
+ labelUsedByMediaTypes: 'Gebruikt in Mediatypes',
+ labelUsedByMemberTypes: 'Gebruikt in Ledentypes',
+ usedByProperties: 'Gebruikt door',
+ labelUsedByItems: 'Heeft verwijzingen vanuit de volgende items',
+ labelUsedByDocuments: 'Gebruikt in Documenten',
+ labelUsedByMembers: 'Gebruikt in Leden',
+ labelUsedByMedia: 'Gebruikt in Media',
+ },
+ logViewer: {
+ deleteSavedSearch: 'Opgeslagen zoekopdracht verwijderen',
+ logLevels: 'Log Niveaus',
+ selectAllLogLevelFilters: 'Selecteer alles',
+ deselectAllLogLevelFilters: 'Deselecteer alles',
+ savedSearches: 'Opgeslagen Zoekopdrachten',
+ saveSearch: 'Zoekopdracht opslaan',
+ saveSearchDescription: 'Enter a friendly name for your search query',
+ filterSearch: 'Zoekopdracht filteren',
+ totalItems: 'Aantal items',
+ timestamp: 'Tijdstempel',
+ level: 'Niveau',
+ machine: 'Machine',
+ message: 'Bericht',
+ exception: 'Uitzondering',
+ properties: 'Eigenschappen',
+ searchWithGoogle: 'Zoeken Met Google',
+ searchThisMessageWithGoogle: 'Dit bericht met Google opzoeken',
+ searchWithBing: 'Zoeken Met Bing',
+ searchThisMessageWithBing: 'Dit bericht met Bing opzoeken',
+ searchOurUmbraco: 'Zoeken in Our Umbraco',
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Search this message on Our Umbraco forums and docs',
+ searchOurUmbracoWithGoogle: 'Our Umbraco met Google doorzoeken',
+ searchOurUmbracoForumsUsingGoogle: 'Our Umbraco forums met Google doorzoeken',
+ searchUmbracoSource: 'Umbraco broncode doorzoeken',
+ searchWithinUmbracoSourceCodeOnGithub: 'Zoeken in Umbraco broncode op Github',
+ searchUmbracoIssues: 'Umbraco Issues doorzoeken',
+ searchUmbracoIssuesOnGithub: 'Umbraco Issues op Github doorzoeken',
+ deleteThisSearch: 'Zoekopdracht verwijderen',
+ findLogsWithRequestId: 'Logs met Request ID zoeken',
+ findLogsWithNamespace: 'Logs met Namespace zoeken',
+ findLogsWithMachineName: 'Logs met Machine Naam zoeken',
+ open: 'Openen',
+ polling: 'Peilen',
+ every2: 'Elke 2 seconden',
+ every5: 'Elke 5 seconden',
+ every10: 'Elke 10 seconden',
+ every20: 'Elke 20 seconden',
+ every30: 'Elke 30 seconden',
+ pollingEvery2: 'Elke 2s peilen',
+ pollingEvery5: 'Elke 5s peilen',
+ pollingEvery10: 'Elke 10s peilen',
+ pollingEvery20: 'Elke 20s peilen',
+ pollingEvery30: 'Elke 30s peilen',
+ },
+ clipboard: {
+ labelForCopyAllEntries: 'Kopieer %0%',
+ labelForArrayOfItemsFrom: '%0% van %1%',
+ labelForRemoveAllEntries: 'Alle items verwijderen',
+ labelForClearClipboard: 'Klembord leegmaken',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Eigenschapsacties openen',
+ tooltipForPropertyActionsMenuClose: 'Eigenschapsacties sluiten',
+ },
+ nuCache: {
+ refreshStatus: 'Status vernieuwen',
+ memoryCache: 'Geheugencache',
+ memoryCacheDescription:
+ '\n Deze knop vernieuwt de cache in het geheugen, door het volledig uit de cache in de database\n te laden (maar het bouwt de cache in de database niet opnieuw op). Dit is relatief snel.\n Gebruik het wanneer je denkt dat de geheugencache niet goed is vernieuwd nadat\n enkele gebeurtenissen waren geactiveerd—wat zou duiden op een klein Umbraco-probleem.\n (let op: activeert het herladen op alle servers in een LB-omgeving).\n ',
+ reload: 'Vernieuwen',
+ databaseCache: 'Database Cache',
+ databaseCacheDescription:
+ '\n Met deze knop kunt u de databasecache opnieuw opbouwen, dwz de inhoud van de cmsContentNu-tabel.\n Opnieuw bouwen kan duur zijn.\n Gebruik het wanneer herladen niet genoeg is en u denkt dat de databasecache niet correct\n is gegenereerd—wat zou duiden op een kritiek Umbraco-probleem.\n ',
+ rebuild: 'Opnieuw bouwen',
+ internals: 'Interne onderdelen',
+ internalsDescription:
+ '\n Met deze knop activeer je een ophaling van NuCache-snapshots (na het uitvoeren van een fullCLR GC).\n Tenzij je weet wat dat betekent, hoef je het waarschijnlijk niet te gebruiken.\n ',
+ collect: 'Verzamelen',
+ publishedCacheStatus: 'Gepubliceerde Cachestatus',
+ caches: 'Caches',
+ },
+ profiling: {
+ performanceProfiling: 'Prestatieprofilering',
+ performanceProfilingDescription:
+ "\n
\n Umbraco wordt uitgevoerd in de foutopsporingsmodus. Dit betekent dat u de ingebouwde prestatieprofiler kunt gebruiken om de prestaties te beoordelen bij het renderen van pagina's.\n
\n
\n Als je de profiler voor een specifieke paginaweergave wilt activeren, voeg je umbDebug=true toe aan de querystring wanneer je de pagina opvraagt.\n
\n
\n Als je wil dat de profiler standaard wordt geactiveerd voor alle paginaweergaven, kun je de onderstaande schakelaar gebruiken.\n Het plaatst een cookie in je browser, die vervolgens de profiler automatisch activeert.\n Met andere woorden, de profiler zal alleen voor jouw browser actief zijn, niet voor andere bezoekers.\n
\n ",
+ activateByDefault: 'Activeer de profiler standaard',
+ reminder: 'Vriendelijke herinnering',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: "Je bent slechts een klik verwijderd van uren aan Umbraco trainingvideo's.",
+ trainingDescription:
+ '\n
Wil je Umbraco onder de knie krijgen? Besteed een paar minuten aan het leren van enkele best practices door een van deze video\'s over het gebruik van Umbraco te bekijken. Bezoek umbraco.tv voor meer Umbraco videos
\n ',
+ getStarted: 'Om je op weg te helpen',
+ },
+ settingsDashboard: {
+ start: 'Start hier',
+ startDescription:
+ 'Deze sectie bevat de bouwstenen voor jouw Umbraco-site. Volg de onderstaande links\n voor meer informatie over het werken met de items in de sectie Instellingen\n ',
+ more: 'Meer te weten komen',
+ bulletPointOne:
+ '\n Lees meer over het werken met de items in de sectie Instellingen in het Documentatiegedeelte van Our Umbraco\n ',
+ bulletPointTwo:
+ '\n Stel een vraag op het Community Forum\n ',
+ bulletPointThree:
+ '\n Bekijk onze instructievideo\'s (sommige zijn gratis, andere vereisen een abonnement)\n ',
+ bulletPointFour:
+ '\n Lees meer over onze productiviteitsverhogende programma\'s en commerciële ondersteuning\n ',
+ bulletPointFive:
+ '\n Lees meer over real-life training en certificering opportuniteiten\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: 'Welkom bij Het Vriendelijke CMS',
+ fallbackDescription:
+ 'Bedankt om voor Umbraco te kiezen - We denken dat dit het begin van iets moois is.\n Hoewel het in het begin misschien overweldigend aanvoelt, hebben we er veel aan gedaan om de leercurve zo soepel\n en snel mogelijk te laten verlopen.\n ',
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Forms',
+ formsDescription:
+ 'Maak formulieren met behulp van een intuïtieve interface. Van eenvoudige\n contactformulieren die e-mails versturen tot geavanceerde vragenlijsten die integreren met CRM-systemen. Je\n klanten zullen er dol op zijn!\n ',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Nieuwe blok aanmaken',
+ headlineAddSettingsElementType: 'Instellingensectie toevoegen',
+ headlineAddCustomView: 'Weergave selecteren',
+ headlineAddCustomStylesheet: 'Stylesheet selecteren',
+ headlineAddThumbnail: 'Miniatuur kiezen',
+ labelcreateNewElementType: 'Nieuwe aanmaken',
+ labelCustomStylesheet: 'Aangepaste stylesheet',
+ addCustomStylesheet: 'Stylesheet toevoegen',
+ headlineEditorAppearance: 'Editor uiterlijk',
+ headlineDataModels: 'Data modellen',
+ headlineCatalogueAppearance: 'Catalogus uiterlijk',
+ labelBackgroundColor: 'Achtergrondkleur',
+ labelIconColor: 'Icoon kleur',
+ labelContentElementType: 'Inhoud model',
+ labelLabelTemplate: 'Label',
+ labelCustomView: 'Aangepaste weergave',
+ labelCustomViewInfoTitle: 'Aangepaste weergave-omschrijving tonen',
+ labelCustomViewDescription:
+ 'Overschrijf hoe dit blok wordt weergegeven in de\n BackOffice-gebruikersinterface. Kies een .html-bestand met je presentatie.\n ',
+ labelSettingsElementType: 'Instellingen model',
+ labelEditorSize: 'Grootte van overlay-editor',
+ addCustomView: 'Aangepaste weergave toevoegen',
+ addSettingsElementType: 'Instellingen toevoegen',
+ confirmDeleteBlockMessage: 'Weet je zeker dat je blok %0% wil verwijderen?',
+ confirmDeleteBlockTypeMessage: 'Weet je zeker dat je blok instellingen %0% wil verwijderen?',
+ confirmDeleteBlockTypeNotice:
+ 'De inhoud van dit blok is nog steeds aanwezig, bewerken van deze inhoud is\n niet langer mogelijk en wordt weergegeven als niet-ondersteunde inhoud.\n ',
+ blockConfigurationOverlayTitle: "Configuratie van '%0%'",
+ thumbnail: 'Miniatuur',
+ addThumbnail: 'Miniatuur toevoegen',
+ tabCreateEmpty: 'Lege aanmaken',
+ tabClipboard: 'Klembord',
+ tabBlockSettings: 'Instellingen',
+ headlineAdvanced: 'Geavanceerd',
+ forceHideContentEditor: 'Inhoudseditor geforceerd verbergen',
+ blockHasChanges: 'Je hebt aanpassingen gemaakt aan deze inhoud. Wil je deze wijzigingen verwerpen?',
+ confirmCancelBlockCreationHeadline: 'Wijzigingen opslaan?',
+ confirmCancelBlockCreationMessage: 'Ben je zeker dat je deze wijzigingen wil verwerpen?',
+ elementTypeDoesNotExistHeadline: 'Fout!',
+ elementTypeDoesNotExistDescription: 'Het Elementtype van dit blok bestaat niet meer',
+ addBlock: 'Inhoud toevoegen',
+ addThis: 'Voeg %0% toe',
+ propertyEditorNotSupported:
+ "Eigenschap '%0%' gebruikt editor '%1%' die niet ondersteund wordt in\n blokken.\n ",
+ focusParentBlock: 'Geef focus aan het container blok',
+ areaIdentification: 'Identificatie',
+ areaValidation: 'Validatie',
+ areaValidationEntriesShort: '%0% moet minimaal %2% keer aanwezig zijn.',
+ areaValidationEntriesExceed: '%0%mag maximaal %3% keer aanwezig zijn.',
+ areaNumberOfBlocks: 'Hoeveelheid blokken',
+ areaDisallowAllBlocks: 'Sta alleen specifiek bloktype toe',
+ areaAllowedBlocks: 'Toegestane bloktypes',
+ areaAllowedBlocksHelp:
+ 'Definieer de type blokken die zijn toegestaan in dit gebied, en optioneel hoeveel van ieder type aanwezig moet zijn.',
+ confirmDeleteBlockAreaMessage: 'Weet je zeker dat je dit gebied wilt verwijderen?',
+ confirmDeleteBlockAreaNotice: 'Alle blokken op dit moment aangemaakt binnen dit gebied zullen worden verwijderd.',
+ layoutOptions: 'Lay-out opties',
+ structuralOptions: 'Structuur',
+ sizeOptions: 'Afmetingen',
+ sizeOptionsHelp: 'Definiëer een of meer afmetingen, dit maakt het mogelijk blokken te vergroten/verkleinen',
+ allowedBlockColumns: 'Beschikbare kolommen',
+ allowedBlockColumnsHelp:
+ 'Definieer de verschillende aantal kolombreedtes dat dit blok mag in nemen. Dit voorkomt niet dat blokken in gebieden met kleine kolombreedtes kan worden geplaatst.',
+ allowedBlockRows: 'Beschikbare rijen',
+ allowedBlockRowsHelp: 'Definiëer de verschillende aantal rijen dat dit blok mag innemen.',
+ allowBlockInRoot: 'Sta toe in root',
+ allowBlockInRootHelp: 'Maak dit blok beschikbaar in de root van de lay-out',
+ allowBlockInAreas: 'Sta toe in gebieden',
+ block: 'Blok',
+ tabBlock: 'Blokken',
+ tabBlockTypeSettings: 'Instellingen',
+ allowBlockInAreasHelp:
+ 'Maak dit blok standaard beschikbaar binnen de gebieden van andere blokken (behalve wanneer expliciete rechten zijn gezet voor deze gebieden).',
+ areaAllowedBlocksEmpty: 'Indien leeg kunnen alle blokken toegestaand in gebieden worden toegevoegd. ',
+ areasLayoutColumns: 'Grid Kolommen voor Gebieden.',
+ areasLayoutColumnsHelp:
+ 'Definiëer hoeveel kolommen beschikbaar zijn in gebiede. Indien niet gedefinieerd wordt het aantal kolommen gedefinieerd voor de gehele lay-out gebruikt.',
+ areasConfigurations: 'Gebieden',
+ areasConfigurationsHelp:
+ 'Om het nesten van blokken binnen-in dit blok toe te staan, definieer een of meer gebieden voor blokken om binnenin te nesten. Gebieden volgen hun eigen lay-out welke gedefinieerd is bij de Grid Kolommen voor Gebieden. Elk Gebied kolombreedte can worden gewijzigd door het gebruik van de schaal in de hoek rechtsonderin ',
+ invalidDropPosition: '%0% is niet toegestaan op deze locatie.',
+ defaultLayoutStylesheet: 'Standaard lay-out stylesheet',
+ confirmPasteDisallowedNestedBlockHeadline: 'Niet-toegestane content is geweigerd',
+ confirmPasteDisallowedNestedBlockMessage:
+ 'De toegevoegde content bevat niet-toegestaande content, welke niet is aangemaakt. Wil je de rest van de content bewaren?',
+ scaleHandlerButtonTitle: 'Sleep om te vergroten/verkleinen',
+ areaCreateLabelTitle: 'Maak Button Label',
+ areaCreateLabelHelp: 'Overschrijf het label van de create button van dit Gebied.',
+ showSizeOptions: 'Toon vergroot/verklein opties',
+ addBlockType: 'Voeg Blok toe',
+ addBlockGroup: 'Voeg groep toep',
+ pickSpecificAllowance: 'Selecteer groep of Blok',
+ allowanceMinimum: 'Zet een minimale vereiste',
+ areas: 'Gebieden',
+ tabAreas: 'Gebieden',
+ tabAdvanced: 'Geadvanceerd',
+ headlineAllowance: 'Rechten',
+ getSampleHeadline: 'Installeer Voorbeeld Configuratie',
+ getSampleButton: 'Installeer',
+ actionEnterSortMode: 'Sorteer mode',
+ actionExitSortMode: 'Sluit sorteer mode',
+ areaAliasIsNotUnique: "Dit Gebieds' Alias moet uniek zijn ten opzichte van andere Gebieden in dit Blok.",
+ configureArea: 'Configureer gebied',
+ deleteArea: 'Verwijder gebied',
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'Wat zijn Inhoudssjablonen?',
+ whatDescription:
+ 'Inhoudssjablonen is vooraf gedefinieerde inhoud die kan worden geselecteerd bij het\n maken van een nieuwe node.\n ',
+ createHeadline: 'Hoe maak ik een Inhoudssjabloon?',
+ createDescription:
+ '\n
Er zijn 2 manieren om Inhoudssjablonen te maken:
\n
\n
Klik met de rechtermuisknop op een inhoudsnode en selecteer "Inhoudssjabloon aanmaken" om een nieuwe Inhoudssjabloon te maken.
\n
Klik met de rechtermuisknop op Inhoudssjablonen in de boomstructuur in de sectie Instellingen en selecteer het documenttype waarvoor je een Inhoudssjabloon wilt maken.
\n
\n
Nadat de Inhoudssjabloon een naam heeft, kunnen redacteuren ze gaan gebruiken als basis voor hun nieuwe pagina.
\n ',
+ manageHeadline: 'Hoe beheer ik Inhoudssjablonen?',
+ manageDescription:
+ 'U kunt Inhoudssjablonen bewerken en verwijderen vanuit de boomstructuur\n "inhoudssjablonen" in de sectie Instellingen. Vouw het documenttype uit waarop de Inhoudssjabloon is gebaseerd en\n klik erop om het te bewerken of te verwijderen.\n ',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/pl-pl.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/pl-pl.ts
new file mode 100644
index 0000000000..cd22efb437
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/pl-pl.ts
@@ -0,0 +1,1308 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: pl
+ * Language Int Name: Polish (PL)
+ * Language Local Name: polski (PL)
+ * Language LCID: 21
+ * Language Culture: pl-PL
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Zarządzanie hostami',
+ auditTrail: 'Historia zmian',
+ browse: 'Przeglądaj węzeł',
+ changeDocType: 'Zmień typ dokumentu',
+ copy: 'Kopiuj',
+ create: 'Utwórz',
+ createPackage: 'Stwórz zbiór',
+ createGroup: 'Stwórz grupę',
+ delete: 'Usuń',
+ disable: 'Deaktywuj',
+ emptyrecyclebin: 'Opróżnij kosz',
+ enable: 'Aktywuj',
+ exportDocumentType: 'Eksportuj typ dokumentu',
+ importdocumenttype: 'Importuj typ dokumentu',
+ importPackage: 'Importuj zbiór',
+ liveEdit: 'Edytuj na stronie',
+ logout: 'Wyjście',
+ move: 'Przenieś',
+ notify: 'Powiadomienia',
+ protect: 'Publiczny dostęp',
+ publish: 'Opublikuj',
+ unpublish: 'Cofnij publikację',
+ refreshNode: 'Odśwież węzeł',
+ republish: 'Opublikuj ponownie całą stronę',
+ rename: 'Zmień nazwę',
+ restore: 'Przywróć',
+ chooseWhereToMove: 'Wybierz dokąd przenieść',
+ toInTheTreeStructureBelow: 'W strukturze drzewa poniżej',
+ rights: 'Uprawnienia',
+ rollback: 'Cofnij',
+ sendtopublish: 'Wyślij do publikacji',
+ sendToTranslate: 'Wyślij do tłumaczenia',
+ setGroup: 'Ustaw grupę',
+ sort: 'Sortuj',
+ translate: 'Przetłumacz',
+ update: 'Aktualizuj',
+ setPermissions: 'Ustaw uprawnienia',
+ unlock: 'Odblokuj',
+ createblueprint: 'Stwórz Szablon Zawartości',
+ },
+ actionCategories: {
+ content: 'Zawartość',
+ administration: 'Administracja',
+ structure: 'Struktura',
+ other: 'Inne',
+ },
+ actionDescriptions: {
+ assignDomain: 'Zezwól na dostęp do przydzielenia języka i hostów',
+ auditTrail: 'Zezwól na dostęp do wglądu w historię logów węzła',
+ browse: 'Zezwól na dostęp do widoku węzła',
+ changeDocType: 'Zezwól na dostęp do zmiany typu dokumentu dla węzła',
+ copy: 'Zezwól na dostęp do skopiowania węzła',
+ create: 'Zezwól na dostęp do stworzenia węzłów',
+ delete: 'Zezwól na dostęp do usunięcia węzłóws',
+ move: 'Zezwól na dostęp do przeniesienia węzła',
+ protect: 'Zezwól na dostęp do ustawienia i zmiany publicznego dostępu węzła',
+ publish: 'Zezwól na dostęp do publikacji węzła',
+ rights: 'Zezwól na dostęp do zmiany uprawnień węzła',
+ rollback: 'Zezwól na dostęp do cofnięcia węzła do poprzedniego stanu',
+ sendtopublish: 'Zezwól na dostęp do wysłania węzła do akceptacji przed publikacją',
+ sendToTranslate: 'Zezwól na dostęp do wysłania węzła do tłumaczenia',
+ sort: 'Zezwól na dostęp do zmiany kolejności sortowania węzłów',
+ translate: 'Zezwól na dostęp do tłumaczenia węzła',
+ update: 'Zezwól na dostęp do zapisania węzła',
+ createblueprint: 'Zezwól na dostęp do utworzenia Szablonu Zawartości',
+ },
+ assignDomain: {
+ permissionDenied: 'Brak odpowiednich uprawnień',
+ addNew: 'Dodaj nową domenę',
+ remove: 'Usuń domenę',
+ invalidNode: 'Niepoprawny węzeł',
+ invalidDomain: 'Niepoprawny format domeny.',
+ duplicateDomain: 'Domena została już przydzielona.',
+ language: 'Język',
+ domain: 'Domena',
+ domainCreated: "Domena '%0%' została utworzona",
+ domainDeleted: "Domena '%0%' została skasowana",
+ domainExists: "Domena '%0%' jest aktualnie przypisana",
+ domainUpdated: "Domena '%0%' została zaktualizowana",
+ orEdit: 'Edytuj Aktualne Domeny',
+ inherit: 'Odziedziczona',
+ setLanguage: 'Język',
+ setLanguageHelp:
+ 'Wybierz język dla węzła, lub wybierz dziedziczenie języka z węzła rodzica. Zostanie to zastosowane \n także do obecnego węzła, o ile poniższa domena również do niego należy.',
+ setDomains: 'Domeny',
+ },
+ auditTrails: {
+ atViewingFor: 'Wyświetlane dla',
+ },
+ buttons: {
+ clearSelection: 'Wyczyść sekcję',
+ select: 'Wybierz',
+ somethingElse: 'Zrób coś innego',
+ bold: 'Pogrubienie',
+ deindent: 'Zmniejsz wcięcie',
+ formFieldInsert: 'Wstaw z pola',
+ graphicHeadline: 'Wstaw graficzną linię nagłówka',
+ htmlEdit: 'Podgląd HTML',
+ indent: 'Zwiększ wcięcie',
+ italic: 'Kursywa',
+ justifyCenter: 'Wyśrodkuj',
+ justifyLeft: 'Wyrównaj do lewej',
+ justifyRight: 'Wyrównaj do prawej',
+ linkInsert: 'Wstaw link',
+ linkLocal: 'Wstaw link wewnętrzny',
+ listBullet: 'Wypunktowanie',
+ listNumeric: 'Numerowanie',
+ macroInsert: 'Wstawianie makra',
+ pictureInsert: 'Wstawianie obrazka',
+ relations: 'Edycja relacji',
+ returnToList: 'Powrót do listy',
+ save: 'Zapisz',
+ saveAndPublish: 'Zapisz i publikuj',
+ saveToPublish: 'Zapisz i wyślij do zaakceptowania',
+ saveListView: 'Zapisz widok listy',
+ saveAndPreview: 'Podgląd',
+ showPageDisabled: 'Podgląd jest wyłączony, ponieważ żaden szablon nie został przydzielony',
+ styleChoose: 'Wybierz styl',
+ styleShow: 'Pokaż style',
+ tableInsert: 'Wstaw tabelę',
+ saveAndGenerateModels: 'Zapisz i wygeneruj modele',
+ undo: 'Cofnij',
+ redo: 'Powtórz',
+ },
+ content: {
+ isPublished: 'Jest Opublikowany',
+ about: 'O tej stronie',
+ alias: 'Link alternatywny',
+ alternativeTextHelp: '(jakbyś opisał obrazek nad telefonem)',
+ alternativeUrls: 'Alternatywne linki',
+ clickToEdit: 'Kliknij, aby edytować ten element',
+ createBy: 'Utworzone przez',
+ createByDesc: 'Pierwotny autor',
+ updatedBy: 'Zaktualizowane przez',
+ createDate: 'Data utworzenia',
+ createDateDesc: 'Data/czas stworzenia tego dokumentu',
+ documentType: 'Rodzaj dokumentu',
+ editing: 'Edytowanie',
+ expireDate: 'Usuń w',
+ itemChanged: 'Ten element został zmieniony po publikacji',
+ itemNotPublished: 'Element nie jest opublikowany',
+ lastPublished: 'Opublikowane',
+ noItemsToShow: 'Nie ma żadnych elementów do wyświetlenia',
+ listViewNoItems: 'Nie ma żadnych elementów do wyświetlenia w liście.',
+ listViewNoContent: 'Nie dodano żadnej zawartości',
+ listViewNoMembers: 'Nie dodano żadnych członków',
+ mediatype: 'Typ mediów',
+ mediaLinks: 'Link do elementu(ów) mediów',
+ membergroup: 'Członek grupy',
+ memberrole: 'Rola',
+ membertype: 'Typ członka',
+ noDate: 'Brak daty',
+ nodeName: 'Tytuł strony',
+ otherElements: 'Właściwości',
+ parentNotPublished:
+ "Ten dokument jest opublikowany, ale jest niewidoczny, ponieważ jego rodzic '%0%' nie jest opublikowany",
+ parentNotPublishedAnomaly: 'Ten dokument jest opublikowany, ale nie jest w cache.',
+ getUrlException: 'Nie znaleziono URL',
+ routeError: 'Ten dokument jest opublikowany ale jego URL kolidowałby z elementem treści %0%',
+ publish: 'Publikuj',
+ publishStatus: 'Status publikacji',
+ releaseDate: 'Opublikuj',
+ unpublishDate: 'Cofnij publikację',
+ removeDate: 'Data usunięcia',
+ sortDone: 'Porządek się zmienił',
+ sortHelp:
+ 'Aby posortować gałęzie, po prostu przeciągnij gałąż lub kliknij na jednym z nagłówków kolumn. Możesz wybrać kilka gałęzi poprzez przytrzymanie klawisza "shift" lub "control" podczas zaznaczania',
+ statistics: 'Statystyki',
+ titleOptional: 'Tytuł (opcjonalny)',
+ altTextOptional: 'Alternatywny tekst (opcjonalny)',
+ type: 'Typ',
+ unpublish: 'Cofnij publikację',
+ updateDate: 'Ostatnio edytowany',
+ updateDateDesc: 'Data/czas edycji dokumentu',
+ uploadClear: 'Usuń plik(i)',
+ urls: 'Link do dokumentu',
+ memberof: 'Członek grupy (grup)',
+ notmemberof: 'Nie jest członkiem grupy (grup)',
+ childItems: 'Elementy dzieci',
+ target: 'Cel',
+ scheduledPublishServerTime: 'Oznacza to następującą godzinę na serwerze:',
+ scheduledPublishDocumentation:
+ 'Co to oznacza?',
+ nestedContentDeleteItem: 'Czy na pewno chcesz usunąć ten element?',
+ nestedContentEditorNotSupported: 'Właściwość %0% używa edytora %1%, który nie jest wspierany przez Nested Content.',
+ addTextBox: 'Dodaj kolejne pole tekstowe',
+ removeTextBox: 'Usuń te pole tekstowe',
+ contentRoot: 'Korzeń zawartości',
+ saveModalTitle: 'Zapisz',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Stwórz nowy Szablon Zawartości z %0%',
+ blankBlueprint: 'Pusty',
+ selectBlueprint: 'Wybierz Szablon Zawartości',
+ createdBlueprintHeading: 'Szablon Zawartości został stworzony',
+ createdBlueprintMessage: "Szablon Zawartości został stworzony z '%0%'",
+ duplicateBlueprintMessage: 'Szablon Zawartości o tej samej nazwie już istnieje',
+ blueprintDescription:
+ 'Szablon Zawartości to predefiniowana zawartość, którą edytor może wybrać, aby użyć jej jako podstawę do stworzenia nowej zawartości',
+ },
+ media: {
+ clickToUpload: 'Kliknij, aby załadować plik',
+ orClickHereToUpload: 'lub kliknij tutaj, aby wybrać pliki',
+ disallowedFileType: 'Nie można załadować pliku, typ pliku nie jest akceptowany',
+ maxFileSize: 'Maksymalny rozmiar pliku to',
+ mediaRoot: 'Korzeń mediów',
+ },
+ member: {
+ createNewMember: 'Stwórz nowego członka',
+ allMembers: 'Wszyscy członkowie',
+ },
+ create: {
+ chooseNode: 'Gdzie chcesz stworzyć nowy %0%?',
+ createUnder: 'Utwórz w',
+ createContentBlueprint: 'Wybierz typ dokumentu, dla którego chcesz stworzyć szablon zawartości',
+ updateData: 'Wybierz rodzaj oraz tytuł',
+ noDocumentTypes:
+ 'Brak dostępnych dozwolonych typów dokumentów. Należy włączyć je w ustawieniach sekcji pod "typy dokumentów".',
+ noMediaTypes:
+ 'Brak dostępnych dozwolonych typów mediów. Należy włączyć je w ustawieniach sekcji pod "typy mediów".',
+ documentTypeWithoutTemplate: 'Typ Dokumentu bez szablonu',
+ newFolder: 'Nowy folder',
+ newDataType: 'Nowy typ danych',
+ newJavascriptFile: 'Nowy plik javascript',
+ newEmptyPartialView: 'Nowy pusty Częściowy Widok',
+ newPartialViewMacro: 'Nowy Częściowy Widok makro',
+ newPartialViewFromSnippet: 'Nowy Częściowy Widok ze snippeta',
+ newPartialViewMacroFromSnippet: 'Nowy Częściowy Widok makro ze snippeta',
+ newPartialViewMacroNoMacro: 'Nowy Częściowy Widok makro (bez makro)',
+ },
+ dashboard: {
+ browser: 'Przeglądaj swoją stronę',
+ dontShowAgain: '- Ukryj',
+ nothinghappens:
+ 'Jeśli Umbraco się nie otwiera, prawdopodobnie musisz zezwolić tej stronie na otwieranie wyskakujących okienek',
+ openinnew: 'zostało otwarte w nowym oknie',
+ restart: 'Restartuj',
+ visit: 'Odwiedź',
+ welcome: 'Witaj',
+ },
+ prompt: {
+ stay: 'Zostań',
+ discardChanges: 'Odrzuć zmiany',
+ unsavedChanges: 'Masz niezapisane zmiany',
+ unsavedChangesWarning: 'Jesteś pewien, że chcesz wyjść ze strony? - masz niezapisane zmiany',
+ },
+ bulk: {
+ done: 'Wykonane',
+ deletedItem: 'Usunięto %0% element',
+ deletedItems: 'Usunięto %0% elementy(ów)',
+ deletedItemOfItem: 'Usunięto %0% z %1% elementu',
+ deletedItemOfItems: 'Usunięto %0% z %1% elementów',
+ publishedItem: 'Opublikowano %0% element',
+ publishedItems: 'Opublikowano %0% elementy(ów)',
+ publishedItemOfItem: 'Opublikowano %0% z %1% elementu',
+ publishedItemOfItems: 'Opublikowano %0% z %1% elementów',
+ unpublishedItem: 'Cofnięto publikację %0% elementu',
+ unpublishedItems: 'Cofnięto publikację %0% elementy(ów)',
+ unpublishedItemOfItem: 'Cofnięto publikację %0% z %1% elementu',
+ unpublishedItemOfItems: 'Cofnięto publikację %0% z %1% elementów',
+ movedItem: 'Przeniesiono %0% element',
+ movedItems: 'Przeniesiono %0% elementy(ów)',
+ movedItemOfItem: 'Przeniesiono %0% z %1% elementu',
+ movedItemOfItems: 'Przeniesiono %0% z %1% elementów',
+ copiedItem: 'Skopiowano %0% element',
+ copiedItems: 'Skopiowano %0% elementy(ów)',
+ copiedItemOfItem: 'Skopiowano %0% z %1% elementu',
+ copiedItemOfItems: 'Skopiowano %0% z %1% elementów',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Tytuł linku',
+ urlLinkPicker: 'Link',
+ anchorInsert: 'Nazwa',
+ assignDomain: 'Zarządzaj nazwami hostów',
+ closeThisWindow: 'Zamknij to okno',
+ confirmdelete: 'Jesteś pewny, że chcesz usunąć',
+ confirmdisable: 'Jesteś pewny, że chcesz wyłączyć',
+ confirmlogout: 'Jesteś pewny?',
+ confirmSure: 'Jesteś pewny?',
+ cut: 'Wytnij',
+ editDictionary: 'Edytuj element słownika',
+ editLanguage: 'Edytuj język',
+ insertAnchor: 'Wstaw link wewnętrzny',
+ insertCharacter: 'Wstaw znak',
+ insertgraphicheadline: 'Wstaw graficzny nagłówek',
+ insertimage: 'Wstaw zdjęcie',
+ insertlink: 'Wstaw link',
+ insertMacro: 'Wstaw makro',
+ inserttable: 'Wstaw tabelę',
+ lastEdited: 'Ostatnio edytowane',
+ link: 'Link',
+ linkinternal: 'Link wewnętrzny',
+ linklocaltip: 'Kiedy używasz odnośników lokalnych, wstaw znak "#" na początku linku',
+ linknewwindow: 'Otworzyć w nowym oknie?',
+ macroDoesNotHaveProperties: 'To makro nie posiada żadnych właściwości, które można edytować',
+ paste: 'Wklej',
+ permissionsEdit: 'Edytuj Uprawnienia dla',
+ permissionsSet: 'Ustaw uprawnienia dla',
+ permissionsSetForGroup: 'Ustaw uprawnienia dla %0% dla grupy użytkownika %1%',
+ permissionsHelp: 'Wybierz grupy użytkowników, dla których chcesz ustawić uprawnienia',
+ recycleBinDeleting:
+ 'Zawartość kosza jest teraz usuwana. Proszę nie zamykać tego okna do momentu zakończenia procesu.',
+ recycleBinIsEmpty: 'Zawartość kosza została usunięta',
+ recycleBinWarning: 'Usunięcie elementów z kosza powoduje ich trwałe i nieodwracalne skasowanie',
+ regexSearchError:
+ "Serwis regexlib.com aktualnie nie jest dostępny, na co nie mamy wpływu. Bardzo przepraszamy za te utrudnienia.",
+ regexSearchHelp:
+ "Przeszukaj dla wyrażeń regularnych, aby dodać regułę sprawdzającą do formularza. Np. 'email' 'URL'",
+ removeMacro: 'Usuń Makro',
+ requiredField: 'Pole wymagane',
+ sitereindexed: 'Strona została przeindeksowana',
+ siterepublished:
+ 'Cache strony zostało odświeżone. Cała opublikowana zawartość jest teraz aktualna. Natomiast cała nieopublikowana zawartość ciągle nie jest widoczna',
+ siterepublishHelp:
+ 'Cache strony zostanie odświeżone. Cała zawartość opublikowana będzie aktualna, lecz nieopublikowana zawartość pozostanie niewidoczna',
+ tableColumns: 'Liczba kolumn',
+ tableRows: 'Liczba wierszy',
+ thumbnailimageclickfororiginal: 'Kliknij na obrazie, aby zobaczyć go w pełnym rozmiarze',
+ treepicker: 'Wybierz element',
+ viewCacheItem: 'Podgląd elementów Cache',
+ relateToOriginalLabel: 'Odnieś się do oryginału',
+ includeDescendants: 'Zawrzyj potomków',
+ theFriendliestCommunity: 'Najbardziej przyjacielska społeczność',
+ linkToPage: 'Link do strony',
+ openInNewWindow: 'Otwórz zlinkowany dokument w nowym oknie lub zakładce',
+ linkToMedia: 'Link do mediów',
+ selectContentStartNode: 'Wybierz węzeł początkowy zawartości',
+ selectMedia: 'Wybierz media',
+ selectIcon: 'Wybierz ikonę',
+ selectItem: 'Wybierz element',
+ selectLink: 'Wybierz link',
+ selectMacro: 'Wybierz makro',
+ selectContent: 'Wybierz zawartość',
+ selectMediaStartNode: 'Wybierz węzeł początkowy mediów',
+ selectMember: 'Wybierz członka',
+ selectMemberGroup: 'Wybierz członka grupy',
+ selectNode: 'Wybierz węzeł',
+ selectSections: 'Wybierz sekcje',
+ selectUsers: 'Wybierz użytkowników',
+ noIconsFound: 'Nie znaleziono ikon',
+ noMacroParams: 'Te makro nie ma żadnych właściwości',
+ noMacros: 'Brak dostępnych makro do wstawienia',
+ externalLoginProviders: 'Zewnętrzni dostawcy logowania',
+ exceptionDetail: 'Sczegóły Wyjątku',
+ stacktrace: 'Stacktrace',
+ innerException: 'Wewnętrzny wyjątek',
+ linkYour: 'Zlinkuj swój',
+ unLinkYour: 'Odlinkuj swój',
+ account: 'konto',
+ selectEditor: 'Wybierz edytora',
+ selectSnippet: 'Wybierz snippet',
+ },
+ dictionaryItem: {
+ description:
+ 'Edytuj różne wersje językowe dla elementu słownika \'%0%\' poniżej. Możesz dodać dodatkowe języki w menu "Języki" po lewej stronie.',
+ displayName: 'Nazwa języka',
+ changeKeyError: "Klucz '%0%' już istnieje.",
+ },
+ placeholders: {
+ username: 'Wpisz nazwę użytkownika',
+ password: 'Wpisz hasło',
+ confirmPassword: 'Potwierdź hasło',
+ nameentity: 'Nazwij %0%...',
+ entername: 'Wpisz nazwę...',
+ enteremail: 'Wpisz adres e-mail...',
+ enterusername: 'Wpisz nazwę użytkownika...',
+ label: 'Etykieta...',
+ enterDescription: 'Wpisz opis...',
+ search: 'Wpisz, aby wyszukać...',
+ filter: 'Wpisz, aby filtrować...',
+ enterTags: 'Wpisz, aby dodać tagi (naciśnij enter po każdym tagu)...',
+ email: 'Wpisz adres e-mail',
+ enterMessage: 'Wpisz wiadomość...',
+ usernameHint: 'Twoja nazwa użytkownika to przeważnie Twój adres e-mail',
+ },
+ editcontenttype: {
+ createListView: 'Stwórz niestandardowy widok listy',
+ removeListView: 'Usuń niestandardowy widok listy',
+ },
+ editdatatype: {
+ addPrevalue: 'Dodaj wartość',
+ dataBaseDatatype: 'Typ bazy danych',
+ guid: 'Edytor GUID',
+ renderControl: 'Renderuj kontrolkę',
+ rteButtons: 'Przyciski',
+ rteEnableAdvancedSettings: 'Włącz ustawienia zaawansowane dla',
+ rteEnableContextMenu: 'Włącz menu podręczne',
+ rteMaximumDefaultImgSize: 'Maksymalny dozwolony rozmiar wstawianego obrazu',
+ rteRelatedStylesheets: 'Powiązane arkusze stylów',
+ rteShowLabel: 'Pokaż etykietę',
+ rteWidthAndHeight: 'Szerokość i wysokość',
+ selectFolder: 'Wybierz folder do przeniesienia',
+ inTheTree: 'do w strukturze drzewa poniżej',
+ wasMoved: 'został przeniesiony poniżej',
+ },
+ errorHandling: {
+ errorButDataWasSaved: 'Dane zostały zapisane, lecz wystąpiły błędy, które musisz poprawić przed publikacją strony:',
+ errorChangingProviderPassword:
+ "Bieżący dostawca członkowstwa nie obsługuje zmiany hasła (EnablePasswordRetrieval musi mieć wartość 'true')",
+ errorExistsWithoutTab: '%0% już istnieje',
+ errorHeader: 'Wystąpiły błędy:',
+ errorHeaderWithoutTab: 'Wystąpiły błędy:',
+ errorInPasswordFormat: 'Hasło powinno mieć minimum %0% znaków, i zawierać co najmniej %1% niealfanumeryczny znak',
+ errorIntegerWithoutTab: '%0% musi być liczbą całkowitą',
+ errorMandatory: '%0% (%1%) to pole wymagane',
+ errorMandatoryWithoutTab: '%0% to pole wymagane',
+ errorRegExp: '%0% w %1% nie jest w odpowiednim formacie',
+ errorRegExpWithoutTab: '%0% nie jest w odpowiednim formacie',
+ },
+ errors: {
+ receivedErrorFromServer: 'Otrzymano błąd serwera',
+ dissallowedMediaType: 'Określony typ pliku został ustawiony jako niedozwolony przez administratora',
+ codemirroriewarning:
+ 'Pomimo tego, że CodeMirror jest włączony w konfiguracji, jest on wyłączony w Internet Explorerze ze względu na swoją niestabilność.',
+ contentTypeAliasAndNameNotNull: 'Proszę uzupełnij zarówno alias, jak i nazwę dla nowego typu właściwości',
+ filePermissionsError: 'Wystąpił problem podczas zapisu/odczytu wymaganego pliku lub folderu',
+ macroErrorLoadingPartialView: 'Wystąpił błąd podczas ładowania skryptu Częściowego Widoku (plik: %0%)',
+ missingTitle: 'Proszę podać tytuł',
+ missingType: 'Proszę wybrać typ',
+ pictureResizeBiggerThanOrg:
+ 'Chcesz utworzyć obraz większy niż rozmiar oryginalny. Czy na pewno chcesz kontynuować?',
+ startNodeDoesNotExists: 'Węzeł początkowy usunięto, proszę skontaktować się z administratorem',
+ stylesMustMarkBeforeSelect: 'Proszę zaznaczyć zawartość przed zmianą stylu',
+ stylesNoStylesOnPage: 'Brak dostępnych aktywnych stylów',
+ tableColMergeLeft: 'Proszę ustaw kursor po lewej stronie dwóch komórek, które chcesz połączyć',
+ tableSplitNotSplittable: 'Nie możesz podzielić komórki, która nie była wcześniej połączona.',
+ },
+ general: {
+ about: 'O...',
+ action: 'Akcja',
+ actions: 'Akcje',
+ add: 'Dodaj',
+ alias: 'Alias',
+ all: 'Wszystkie',
+ areyousure: 'Czy jesteś pewny?',
+ back: 'Wstecz',
+ border: 'Ramka',
+ by: 'przez',
+ cancel: 'Anuluj',
+ cellMargin: 'Marginesy komórki',
+ choose: 'Wybierz',
+ close: 'Zamknij',
+ closewindow: 'Zamknij okno',
+ comment: 'Komentarz',
+ confirm: 'Potwierdzenie',
+ constrain: 'Zachowaj',
+ constrainProportions: 'Zachowaj proporcje',
+ continue: 'Kontynuuj',
+ copy: 'Kopiuj',
+ create: 'Utwórz',
+ database: 'Baza danych',
+ date: 'Data',
+ default: 'Domyślne',
+ delete: 'Usuń',
+ deleted: 'Usunięto',
+ deleting: 'Usuwanie...',
+ design: 'Wygląd',
+ dictionary: 'Słownik',
+ dimensions: 'Rozmiary',
+ down: 'Dół',
+ download: 'Pobierz',
+ edit: 'Edytuj',
+ edited: 'Edytowane',
+ elements: 'Elementy',
+ email: 'Email',
+ error: 'Błąd',
+ findDocument: 'Znajdź',
+ first: 'Pierwszy',
+ height: 'Wysokość',
+ help: 'Pomoc',
+ icon: 'Ikona',
+ import: 'Importuj',
+ innerMargin: 'Margines wewnętrzny',
+ insert: 'Wstaw',
+ install: 'Instaluj',
+ invalid: 'Nieprawidłowe',
+ justify: 'Wyrównaj',
+ language: 'Język',
+ last: 'Ostatni',
+ layout: 'Układ',
+ loading: 'Ładowanie',
+ locked: 'Zablokowany',
+ login: 'Zaloguj',
+ logoff: 'Wyloguj',
+ logout: 'Wyloguj',
+ macro: 'Makro',
+ mandatory: 'Obowiązkowy',
+ move: 'Przenieś',
+ name: 'Nazwa',
+ new: 'Nowy',
+ next: 'Dalej',
+ no: 'Nie',
+ of: 'z',
+ ok: 'OK',
+ open: 'Otwórz',
+ or: 'lub',
+ password: 'Hasło',
+ path: 'Ścieżka',
+ pleasewait: 'Proszę czekać...',
+ previous: 'Poprzedni',
+ properties: 'Właściwości',
+ reciept: 'E-mail, aby otrzymywać dane z formularzy',
+ recycleBin: 'Kosz',
+ remaining: 'Pozostało',
+ remove: 'Usuń',
+ rename: 'Zmień nazwę',
+ renew: 'Odnów',
+ required: 'Wymagany',
+ retrieve: 'Odzyskaj',
+ retry: 'Ponów próbę',
+ rights: 'Uprawnienia',
+ search: 'Szukaj',
+ searchNoResult: 'Przepraszamy, ale nie możemy znaleźć tego, czego szukasz',
+ noItemsInList: 'Elementy nie zostały dodane',
+ server: 'Serwer',
+ show: 'Pokaż',
+ showPageOnSend: 'Pokaż stronę "wyślij"',
+ size: 'Rozmiar',
+ sort: 'Sortuj',
+ submit: 'Zatwierdź',
+ type: 'Typ',
+ typeToSearch: 'Wpisz, aby wyszukać...',
+ up: 'W górę',
+ update: 'Aktualizacja',
+ upgrade: 'Aktualizacja',
+ upload: 'Wyślij plik',
+ url: 'URL',
+ user: 'Użytkownik',
+ username: 'Nazwa użytkownika',
+ value: 'Wartość',
+ view: 'Widok',
+ welcome: 'Witaj...',
+ width: 'Szerokość',
+ yes: 'Tak',
+ folder: 'Folder',
+ searchResults: 'Wyniki wyszukiwania',
+ reorder: 'Zmień kolejność',
+ reorderDone: 'Kolejność została zmieniona',
+ preview: 'Podgląd',
+ changePassword: 'Zmień hasło',
+ to: 'do',
+ listView: 'Widok listy',
+ saving: 'Zapisywanie...',
+ current: 'bieżący',
+ embed: 'Osadzony',
+ selected: 'wybrany',
+ },
+ colors: {
+ blue: 'Niebieski',
+ },
+ shortcuts: {
+ addGroup: 'Dodaj zakładkę',
+ addProperty: 'Dodaj właściwość',
+ addEditor: 'Dodaj edytora',
+ addTemplate: 'Dodaj szablon',
+ addChildNode: 'Dodaj węzeł dziecka',
+ addChild: 'Dodaj dziecko',
+ editDataType: 'Edytuj typ danych',
+ navigateSections: 'Nawiguj sekcje',
+ shortcut: 'Skróty',
+ showShortcuts: 'Pokaż skróty',
+ toggleListView: 'Przełącz widok listy',
+ toggleAllowAsRoot: 'Przełącznik możliwy jako korzeń',
+ commentLine: 'Komentuj/Odkomentuj linie',
+ removeLine: 'Usuń linię',
+ copyLineUp: 'Kopiuj linie do góry',
+ copyLineDown: 'Kopiuj linie w dół',
+ moveLineUp: 'Przenieś linie w górę',
+ moveLineDown: 'Przenieś linie w dół',
+ generalHeader: 'Ogólne',
+ editorHeader: 'Edytor',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Kolor tła',
+ bold: 'Pogrubienie',
+ color: 'Kolor tekstu',
+ font: 'Font',
+ text: 'Tekst',
+ },
+ headers: {
+ page: 'Strona',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Instalator nie mógł połączyć się z bazą danych.',
+ databaseFound: 'Twoja baza danych została znaleziona i zidentyfikowana jako',
+ databaseHeader: 'Konfiguracja bazy danych',
+ databaseInstall: '\nNaciśnij przycisk instaluj, aby zainstalować bazę danych Umbraco %0%\n',
+ databaseInstallDone:
+ 'Umbraco %0% zostało skopiowane do Twojej bazy danych. Naciśnij Dalej, aby kontynuować.',
+ databaseText:
+ 'Aby zakończyć ten etap instalacji, będziesz musiał podać parametry połączenia do Twojego serwera baz danych ("connection string"). \n Skontaktuj się z Twoim dostawą usług internetowych jeśli zajdzie taka potrzeba.\n W przypadku instalacji na lokalnej maszynie lub serwerze możesz potrzebować pomocy administratora.',
+ databaseUpgrade:
+ '\n
\n Naciśnij przycisk aktualizuj, aby zaktualizować swoją bazę danych do Umbraco %0%
\n
\n Bez obaw - żadne dane nie zostaną usunięte i wszystko będzie działać jak należy!\n
\n ',
+ databaseUpgradeDone:
+ 'Twoja baza danych została zaktualizowana do wersji %0%. Naciśnij przycisk Dalej, aby\n kontynuować.',
+ databaseUpToDate:
+ 'Twoja baza danych nie wymaga aktualizacji! Naciśnij przycisk Dalej, aby kontynuować kreatora instalacji.',
+ defaultUserChangePass: 'Hasło domyślnego użytkownika musi zostać zmienione!',
+ defaultUserDisabled:
+ 'Konto domyślnego użytkownika zostało wyłączone lub nie ma on dostępu do Umbraco!
Żadne dodatkowe czynności nie są konieczne. Naciśnij Dalej, aby kontynuować.',
+ defaultUserPassChanged:
+ 'Hasło domyślnego użytkownika zostało zmienione od czasu instalacji!
Żadne dodatkowe czynności nie są konieczne. Naciśnij Dalej, aby kontynuować.',
+ defaultUserPasswordChanged: 'Hasło zostało zmienione!',
+ greatStart: 'Aby szybko wejść w świat Umbraco, obejrzyj nasze filmy wprowadzające',
+ None: 'Nie zainstalowane.',
+ permissionsAffectedFolders: 'Zmienione pliki i foldery',
+ permissionsAffectedFoldersMoreInfo: 'Więcej informacji na temat ustalania pozwoleń dla Umbraco znajdziesz tutaj',
+ permissionsAffectedFoldersText: 'Musisz zezwolić procesowi ASP.NET na zmianę poniższych plików/folderów',
+ permissionsAlmostPerfect:
+ 'Twoje ustawienia uprawnień są prawie idealne!
\n Umbraco będzie działało bez problemów, ale nie będzie możliwa instalacja pakietów, które są rekomendowane, aby w pełni wykorzystać możliwości Umbraco.',
+ permissionsHowtoResolve: 'Jak to Rozwiązać',
+ permissionsHowtoResolveLink: 'Kliknij tutaj, aby przeczytać wersję tekstową',
+ permissionsHowtoResolveText:
+ 'Obejrzyj nasz samouczek, pokazujący jak ustawić uprawnienia dostępu do folderów dla Umbraco, albo przeczytaj wersję tekstową.',
+ permissionsMaybeAnIssue:
+ 'Twoje ustawienia uprawnień mogą stanowić problem!\n
\n Umbraco będzie działało bez problemów, ale nie będzie możliwa instalacja pakietów, które są rekomendowane, aby w pełni wykorzystać możliwości Umbraco.',
+ permissionsNotReady:
+ 'Twoje ustawienia uprawnień nie są gotowe na Umbraco!\n
\n Aby Umbraco mogło działać musisz uaktualnić swoje ustawienia zabezpieczeń.',
+ permissionsPerfect:
+ 'Twoje ustawienia uprawnień są idealne!
\n Umbraco będzie działać bez problemów i będzie można instalować pakiety!',
+ permissionsResolveFolderIssues: 'Rozwiązywanie problemów z folderami',
+ permissionsResolveFolderIssuesLink:
+ 'Kliknij ten link, aby uzyskać więcej informacji na temat problemów z ASP.NET i tworzeniem folderów.',
+ permissionsSettingUpPermissions: 'Ustawianie uprawnień dostępu do folderów',
+ permissionsText:
+ '\n Umbraco potrzebuje uprawnień do zapisu/odczytu pewnych katalogów w celu przechowywania plików jak obrazki i PDFy.\n Umbraco przechowuje także tymczasowe dane (aka: cache), aby zwiększyć wydajność Twojej strony.\n ',
+ runwayFromScratch: 'Chcę zacząć od zera',
+ runwayFromScratchText:
+ '\n Twoja strona jest obecnie pusta. To idealna sytuacja, jeśli chcesz zacząć od zera i stworzyć własne typy dokumentów i szablony.\n (dowiedz się jak)\n Ciągle możesz wybrać, aby zainstalować Runway w późniejszym terminie. W tym celu przejdź do sekcji Deweloper i wybierz Pakiety.\n ',
+ runwayHeader: 'Właśnie stworzyłeś czystą instalację platformy Umbraco. Co chcesz zrobić teraz?',
+ runwayInstalled: 'Pakiet Runway został zainstalowany pomyślnie',
+ runwayInstalledText:
+ '\n Twoje fundamenty są postawione właściwie. Wybierz, które moduły chcesz na nich zainstalować. \n To jest nasza lista rekomendowanych modułów. Zaznacz te, które chcesz zainstalować lub wyświetl pełną listę modułów\n ',
+ runwayOnlyProUsers: 'Rekomendowane tylko dla doświadczonych użytkowników',
+ runwaySimpleSite: 'Chcę rozpocząć z prostą stroną',
+ runwaySimpleSiteText:
+ '\n
\n Pakiet "Runway" to prosta strona, dostarczająca kilku podstawowych typów dokumentów i szablonów. Instalator może automatycznie zainstalować pakiet Runway za Ciebie,\n ale możesz w łatwy sposób edytować, rozszerzyć lub usunąć go. Nie jest on potrzebny i możesz doskonale używać Umbraco bez niego.\n Jednakże pakiet Runway oferuje łatwą podstawę, bazującą na najlepszych praktykach, która pozwolić Ci rozpocząć pracę w mgnieniu oka.\n Jeśli zdecydujesz się zainstalować pakiet Runway, możesz opcjonalnie wybrać podstawowe klocki zwane Modułami Runway, aby poprawić swoje strony.\n
\n \n Dołączone z pakietem Runway: Strona domowa, strona Jak rozpocząć pracę, strona Instalowanie Modułów. \n Opcjonalne moduły:Górna nawigacja, Mapa strony, Formularz kontaktowy, Galeria.\n \n ',
+ runwayWhatIsRunway: 'Co to jest pakiet Runway',
+ step1: 'Krok 1/5 Akceptacja licencji',
+ step2: 'Krok 2/5: Konfiguracja bazy danych',
+ step3: 'Krok 3/5: Sprawdzanie uprawnień plików',
+ step4: 'Krok 4/5: Sprawdzanie zabezpieczeń Umbraco',
+ step5: 'Krok 5/5: Umbraco jest gotowe do pracy',
+ thankYou: 'Dziękujemy za wybór Umbraco',
+ theEndBrowseSite:
+ '
Przeglądaj swoją nową stronę
\n Pakiet Runway został zainstalowany, zobacz zatem jak wygląda Twoja nowa strona.',
+ theEndFurtherHelp:
+ '
Dalsza pomoc i informacje
\n Zaczerpnij pomocy z naszej nagrodzonej społeczności, przeglądaj dokumentację lub obejrzyj niektóre darmowe filmy o tym, jak budować proste strony, jak używać pakietów i szybki przewodnik po terminologii Umbraco',
+ theEndHeader: 'Umbraco %0% zostało zainstalowane i jest gotowe do użycia',
+ theEndInstallSuccess:
+ 'Możesz rozpocząć natychmiast klikając przycisk "Uruchom Umbraco" poniżej. Jeżeli jesteś nowy dla Umbraco\n znajdziesz mnóstwo materiałów na naszych stronach "jak rozpocząć".',
+ theEndOpenUmbraco:
+ '
Uruchom Umbraco
\n Aby zarządzać swoją stroną po prostu otwórz zaplecze Umbraco i zacznij dodawać treść, aktualizować szablony i style lub dodawaj nową funkcjonalność',
+ Unavailable: 'Połączenie z bazą danych nie zostało ustanowione.',
+ Version3: 'Umbraco wersja 3',
+ Version4: 'Umbraco wersja 4',
+ watch: 'Zobacz',
+ welcomeIntro:
+ 'Ten kreator przeprowadzi Cię przez proces konfiguracji Umbraco %0% dla świeżej instalacji lub aktualizacji z wersji 3.0.\n
',
+ forgottenPassword: 'Zapomniałeś hasła?',
+ forgottenPasswordInstruction: 'E-mail z linkiem do zresetowania hasła zostanie wysłany na podany adres',
+ requestPasswordResetConfirmation:
+ 'E-mail z instrukcjami do zresetowania hasła zostanie wysłany, jeśli zgadza się z naszą bazą danych',
+ returnToLogin: 'Powrót do formularza logowania',
+ setPasswordInstruction: 'Proszę wpisać nowe hasło',
+ setPasswordConfirmation: 'Twoje hasło zostało zmienione',
+ resetCodeExpired: 'Link, na który kliknąłeś jest niewłaściwy lub wygasł',
+ resetPasswordEmailCopySubject: 'Umbraco: Resetowanie hasła',
+ resetPasswordEmailCopyFormat:
+ '
Twoja nazwa użytkownika do zalogowania się w Umbraco backoffice to: %0%
Kliknij tutaj, aby zresetować Twoje hasło lub kopiuj/wklej ten URL w przeglądarce:
%1%
',
+ },
+ main: {
+ dashboard: 'Panel zarządzania',
+ sections: 'Sekcje',
+ tree: 'Zawartość',
+ },
+ moveOrCopy: {
+ choose: 'Wybierz stronę powyżej...',
+ copyDone: '%0% zostało skopiowane do %1%',
+ copyTo: 'Wybierz, gdzie dokument %0% ma zostać skopiowany',
+ moveDone: '%0% został przeniesiony do %1%',
+ moveTo: 'Wskaż gdzie dokument %0% ma zostać przeniesiony',
+ nodeSelected: "został wybrany jako korzeń nowej zawartości, kliknik 'ok' poniżej.",
+ noNodeSelected: 'Nie wskazano węzła, proszę wybrać węzeł z listy powyżej przed kliknięciem "ok"',
+ notAllowedByContentType: 'Typ bieżącego węzła nie jest dozwolony dla wybranego węzła',
+ notAllowedByPath: 'Bieżący węzeł nie może być przeniesiony do jednej z jego podstron',
+ notAllowedAtRoot: 'Bieżący węzeł nie może istnieć w korzeniu',
+ notValid:
+ 'Działanie jest niedozwolone, ponieważ nie masz odpowiednich uprawnień w 1 lub więcej dokumentach dzieci.',
+ relateToOriginal: 'Powiąż skopiowane elementy z oryginalnymi',
+ },
+ notifications: {
+ editNotifications: 'Edytuj powiadomienie dla %0%',
+ notificationsSavedFor: 'Zapisano powiadomienia dla %0%',
+ notifications: 'Powiadomienie',
+ },
+ packager: {
+ chooseLocalPackageText:
+ '\n Wskaż pakiet z Twojego komputera, poprzez kliknięcie na przycisk "Przeglądaj" \n i wskaż gdzie jest zapisany. Pakiety Umbraco przeważnie posiadają rozszerzenie ".umb" lub ".zip".\n ',
+ packageLicense: 'Licencja',
+ installedPackages: 'Zainstalowane pakiety',
+ noPackages: 'Nie masz żadnych zainstalowanych pakietów',
+ noPackagesDescription:
+ "Nie masz żadnych zainstalowanych pakietów. Zainstaluj lokalny pakiet poprzez wybranie go ze swojego komputera lub przeglądaj dostępne pakiety, używając ikony 'Pakiety' w prawym górnym rogu ekranu",
+ packageSearch: 'Szukaj pakietów',
+ packageSearchResults: 'Wyniki dla',
+ packageNoResults: 'Nie mogliśmy znaleźć niczego dla',
+ packageNoResultsDescription: 'Spróbuj wyszukać kolejny pakiet lub przeszukaj kategorie pakietów',
+ packagesPopular: 'Popularne',
+ packagesNew: 'Nowe wydania',
+ packageHas: 'ma',
+ packageKarmaPoints: 'punktów karmy',
+ packageInfo: 'Informacja',
+ packageOwner: 'Właściciel',
+ packageContrib: 'Kontrybutor',
+ packageCreated: 'Utworzone',
+ packageCurrentVersion: 'Obecna wersja',
+ packageNetVersion: 'wersja .NET',
+ packageDownloads: 'Pobrania',
+ packageLikes: 'Polubienia',
+ packageCompatibility: 'Zgodność',
+ packageCompatibilityDescription:
+ 'Według raportów członków społeczności, ten pakiet jest zgodny z następującymi wersjami Umbraco. Pełna zgodność nie może być zagwarantowana dla wersji zaraportowanych poniżej 100%',
+ packageExternalSources: 'Zewnętrzne źródła',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Dokumentacja',
+ packageMetaData: 'Metadane pakietu',
+ packageName: 'Nazwa pakietu',
+ packageNoItemsHeader: 'Pakiet nie zawiera żadnych elementów',
+ packageNoItemsText:
+ 'Ten plik pakietu nie zawiera żadnych elementów do odinstalowania
\n Możesz bezpiecznie go usunąć z systemu poprzez kliknięcie na przycisku "odinstaluj pakiet"',
+ packageOptions: 'Opcje pakietu',
+ packageReadme: 'Opis pakietu',
+ packageRepository: 'Repozytorium pakietu',
+ packageUninstallConfirm: 'Potwierdź odinstalowanie',
+ packageUninstalledHeader: 'Pakiet został odinstalowany',
+ packageUninstalledText: 'Pakiet został pomyślnie odinstalowany',
+ packageUninstallHeader: 'Odinstaluj pakiet',
+ packageUninstallText:
+ 'Poniżej możesz odznaczyć elementy, których nie chcesz usunąć tym razem. Kiedy klikniesz "potwierdź odinstalowanie", wszystkie zaznaczone elementy zostaną usunięte. \n Uwaga: wszystkie elementy, media, itp. w zależności od elementów, które usuwasz, przestaną działać i mogą spowodować niestabilność systemu,\n więc odinstalowuj z uwagą. W przypadku problemów skontaktuj się z autorem pakietu.',
+ packageVersion: 'Wersja pakietu',
+ },
+ paste: {
+ doNothing: 'Wklej z zachowaniem formatowania (Nie zalecane)',
+ errorMessage:
+ 'Tekst, który wklejasz zawiera specjalne znaki formatujące. Prawdopodobnie tekst pochodzi z programu Microsoft Word. Umbraco może usunąć specjalne znaki lub formatowanie automatycznie, więc skopiowana treść będzie lepiej dopasowana do wyświetlania w Internecie.',
+ removeAll: 'Wklej sam tekst, bez żadnego formatowania',
+ removeSpecialFormattering: 'Wklej, usuwając formatowanie (zalecane)',
+ },
+ publicAccess: {
+ paAdvanced: 'Ochrona w oparciu o role',
+ paAdvancedHelp:
+ 'Jeśli chcesz kontrolować dostęp do strony przy użyciu uwierzytelniania opartego na rolach, użyj grup członkowskich Umbraco ',
+ paAdvancedNoGroups: 'Musisz utworzyć grupę przed użyciem uwierzytelniania opartego na rolach',
+ paErrorPage: 'Strona błędu',
+ paErrorPageHelp: 'Używana, kiedy użytkownicy są zalogowani, ale nie posiadają dostępu',
+ paHowWould: 'Wybierz sposób ograniczenia dostępu do tej strony',
+ paIsProtected: '%0% jest teraz zabezpieczona',
+ paIsRemoved: 'Ze strony %0% usunięto zabezpieczenia dostępu',
+ paLoginPage: 'Strona logowania',
+ paLoginPageHelp: 'Wybierz stronę z formularzem logowania',
+ paRemoveProtection: 'Usuń ochronę',
+ paSelectPages: 'Wybierz strony, które zawierają formularz logowania i komunikaty o błędach',
+ paSelectRoles: 'Wybierz role, które mają mieć dostęp do tej strony',
+ paSetLogin: 'Ustaw nazwę użytkownika i hasło dla tej strony',
+ paSimple: 'Ochrona pojedynczego użytkownika',
+ paSimpleHelp: 'Jeżeli chcesz ustawić prostą ochronę używając pojedynczej nazwy użytkownika i hasła',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n %0% nie może zostać opublikowany, ponieważ element nie został zaplanowany do wydania.\n ',
+ contentPublishedFailedExpired: '\n %0% nie może zostać opublikowany, ponieważ element wygasł.\n ',
+ contentPublishedFailedInvalid:
+ '\n %0% nie może zostać opublikowany, ponieważ następujące właściwości: %1% nie przeszły zasad walidacji.\n ',
+ contentPublishedFailedByEvent:
+ '\n %0% nie może zostać opublikowany ze względu na odwołanie akcji przez rozszerzenie firm trzecich\n ',
+ contentPublishedFailedByParent:
+ '\n %0% nie może zostać opublikowany, ponieważ rodzic nie jest opublikowany.\n ',
+ includeUnpublished: 'Dołącz nieopublikowane węzły pochodne (dzieci)',
+ inProgress: 'Publikacja w toku - proszę czekać...',
+ inProgressCounter: 'Opublikowano %0% z %1% stron...',
+ nodePublish: '%0% został opublikowany',
+ nodePublishAll: '%0% oraz podstrony zostały opublikowane',
+ publishAll: 'Publikuj %0% ze wszytkimi podstronami',
+ publishHelp:
+ 'Kliknij OK em>, aby publikować % 0% strong> i spowodować upublicznienie całej zawartości.
\n Możesz opublikować tą stronę wraz ze wszystkimi podstronami zaznaczając poniżej publikuj wszystkie węzły pochodne\n ',
+ },
+ colorpicker: {
+ noColors: 'Nie skonfigurowałeś żadnych zaakceptowanych kolorów',
+ },
+ relatedlinks: {
+ enterExternal: 'Wpisz link zewnętrzny',
+ chooseInternal: 'Wybierz link wewnętrzny',
+ caption: 'Podpis',
+ link: 'Link',
+ newWindow: 'Otwórz w nowym oknie',
+ captionPlaceholder: 'Wpisz nowy podpis',
+ externalLinkPlaceholder: 'Wpisz link',
+ },
+ imagecropper: {
+ reset: 'Resetuj',
+ },
+ rollback: {
+ diffHelp:
+ 'Tu pokazane są różnice pomiędzy bieżącą oraz wybraną wersją Czerwony tekst nie będzie pokazany w wybranej wersji, zielony tekst został dodany',
+ documentRolledBack: 'Dokument został przywrócony',
+ htmlHelp:
+ 'Tu widać wybraną wersję jako html, jeżeli chcesz zobaczyć różnicę pomiędzy 2 wersjami w tym samym czasie, użyj podglądu różnic',
+ rollbackTo: 'Cofnij do',
+ selectVersion: 'Wybierz wersję',
+ view: 'Zobacz',
+ },
+ scripts: {
+ editscript: 'Edytuj skrypt',
+ },
+ sections: {
+ concierge: 'Concierge',
+ content: 'Treść',
+ courier: 'Kurier',
+ developer: 'Deweloper',
+ installer: 'Konfigurator Umbraco',
+ media: 'Media',
+ member: 'Członkowie',
+ newsletters: 'Biuletyny',
+ settings: 'Ustawienia',
+ statistics: 'Statystyki',
+ translation: 'Tłumaczenie',
+ users: 'Użytkownicy',
+ help: 'Pomoc',
+ forms: 'Formularze',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'Najlepsze filmy-samouczki Umbraco',
+ },
+ settings: {
+ defaulttemplate: 'Domyślny szablon',
+ importDocumentTypeHelp:
+ 'By zaimportować typ dokumentu, wskaż plik ".udt" na swoim komputerze, klikając przycisk "Przeglądaj" i kliknij "Importuj" (zostaniesz poproszony o potwierdzenie w następnym kroku)',
+ newtabname: 'Nazwa nowej zakładki',
+ nodetype: 'Typ węzła',
+ objecttype: 'Typ',
+ stylesheet: 'Arkusz styli',
+ script: 'Skrypt',
+ tab: 'Zakładka',
+ tabname: 'Nazwa zakładki',
+ tabs: 'Zakładki',
+ contentTypeEnabled: 'Włączono Główny Typ Treści',
+ contentTypeUses: 'Ten Typ Treści używa',
+ noPropertiesDefinedOnTab:
+ 'Żadne właściwości nie zostały zdefiniowane dla tej zakładki. Kliknij w link "dodaj nową właściwość", który znajduje się na górze strony, aby stworzyć nową właściwość.',
+ addIcon: 'Dodaj ikonę',
+ },
+ sort: {
+ sortOrder: 'Porządek sortowania',
+ sortCreationDate: 'Data utworzenia',
+ sortDone: 'Sortowanie zakończone.',
+ sortHelp:
+ 'Przesuń poszczególne elementy w górę oraz w dół aż będą w odpowiedniej kolejności lub kliknij na nagłówku kolumny, aby posortować całą kolekcję elementów',
+ sortPleaseWait: 'Proszę czekać. Trwa sortowanie elementów.',
+ },
+ speechBubbles: {
+ validationFailedHeader: 'Walidacja',
+ validationFailedMessage: 'Błędy walidacji muszą zostać naprawione zanim element będzie mógł być zapisany',
+ operationFailedHeader: 'Nie powiodło się',
+ invalidUserPermissionsText: 'Niewystarczające uprawnienia użytkownika, nie można zakończyć operacji',
+ operationCancelledHeader: 'Anulowane',
+ operationCancelledText: 'Operacja została anulowana przez dodatek firmy trzeciej',
+ contentPublishedFailedByEvent: 'Publikacja została przerwana poprzez dodatek firmy trzeciej',
+ contentTypeDublicatePropertyType: 'Właściwość typu już istnieje',
+ contentTypePropertyTypeCreated: 'Właściwość typu została utworzona',
+ contentTypePropertyTypeCreatedText: 'Nazwa: %0% typ danych: %1%',
+ contentTypePropertyTypeDeleted: 'Właściwość typu została usunięta',
+ contentTypeSavedHeader: 'Zakładka została zapisana',
+ contentTypeTabCreated: 'Zakładkę utworzono',
+ contentTypeTabDeleted: 'Zakładkę usunięto',
+ contentTypeTabDeletedText: 'Usunięto zakładkę o ID:%0%',
+ cssErrorHeader: 'Arkusz stylów nie został zapisany',
+ cssSavedHeader: 'Arkusz stylów został zapisany',
+ cssSavedText: 'Arkusz stylów został zapisany bez żadnych błędów',
+ dataTypeSaved: 'Typ danych został zapisany',
+ dictionaryItemSaved: 'Element słownika został zapisany',
+ editContentPublishedFailedByParent: 'Publikacja nie powiodła się, ponieważ rodzic węzła nie jest opublikowany',
+ editContentPublishedHeader: 'Treść została opublikowana',
+ editContentPublishedText: 'i jest widoczna na stronie',
+ editContentSavedHeader: 'Treść została zapisana',
+ editContentSavedText: 'Pamiętaj, aby opublikować, aby zmiany były widoczne',
+ editContentSendToPublish: 'Wysłano do zatwierdzenia',
+ editContentSendToPublishText: 'Zmiany zostały wysłane do akceptacji',
+ editMediaSaved: 'Media zostały zapisane',
+ editMediaSavedText: 'Media zostały poprawnie zapisane',
+ editMemberSaved: 'Członek został zapisany',
+ editStylesheetPropertySaved: 'Właściwość arkusza stylów została zapisana',
+ editStylesheetSaved: 'Arkusz stylów został zapisany',
+ editTemplateSaved: 'Szablon został zapisany',
+ editUserError: 'Błąd przy zapisie danych użytkownika (sprawdź log)',
+ editUserSaved: 'Użytkownik został zapisany',
+ editUserTypeSaved: 'Typ użytkownika został zapisany',
+ fileErrorHeader: 'Plik nie został zapisany',
+ fileErrorText: 'Plik nie został zapisany. Sprawdź uprawnienia dostępu do pliku',
+ fileSavedHeader: 'Plik został zapisany',
+ fileSavedText: 'Plik został zapisany bez żadnych błędów',
+ languageSaved: 'Język został zapisany',
+ mediaTypeSavedHeader: 'Typ mediów został zapisany',
+ memberTypeSavedHeader: 'Typ członka został zapisany',
+ templateErrorHeader: 'Szablon nie został zapisany',
+ templateErrorText: 'Proszę się upewnić że nie ma dwóch szablonów o tym samym aliasie',
+ templateSavedHeader: 'Szablon został zapisany',
+ templateSavedText: 'Szablon został zapisany bez żadnych błędów!',
+ contentUnpublished: 'Cofnięto publikację treści',
+ partialViewSavedHeader: 'Częściowy Widok został zapisany',
+ partialViewSavedText: 'Częściowy Widok został zapisany bez błędów!',
+ partialViewErrorHeader: 'Częściowy Widok nie został zapisany',
+ partialViewErrorText: 'Wystąpił błąd podczas zapisywania pliku.',
+ },
+ stylesheet: {
+ aliasHelp: 'Używaj składni CSS np.: h1, .czerwonyNaglowek, .niebieskiTekst',
+ editstylesheet: 'Edytuj arkusz stylów',
+ editstylesheetproperty: 'Edytuj właściwość arkusza stylów',
+ nameHelp: 'Nazwa dla znalezienia właściwości stylu w edytorze',
+ preview: 'Podgląd',
+ styles: 'Style',
+ },
+ template: {
+ edittemplate: 'Edytuj szablon',
+ insertSections: 'Sekcje',
+ insertContentArea: 'Wstaw obszar zawartości',
+ insertContentAreaPlaceHolder: 'Wstaw miejsce dla obszaru zawartości',
+ insert: 'Wstaw',
+ insertDesc: 'Wybierz, co chcesz wstawić do swojego szablonu',
+ insertDictionaryItem: 'Wstaw element słownika',
+ insertDictionaryItemDesc:
+ 'Element słownika to miejsce, gdzie można wstawić przetłumaczony tekst, co ułatwia tworzenie projektów dla wielojęzycznych stron.',
+ insertMacro: 'Makro',
+ insertMacroDesc:
+ '\n Makro to konfigurowalny komponent, który sprawdzi się\n przy wielokrotnie używanych częściach Twojego projektu, kiedy potrzebujesz opcji dostarczenia parametrów,\n takich jak galerie, formularze, czy listy.\n ',
+ insertPageField: 'Wartość',
+ insertPageFieldDesc:
+ 'Wyświetla wartość danego pola z bieżącej strony z opcjami modyfikacji wartości lub powrotu do alernatywnych wartości.',
+ insertPartialView: 'Częściowy Widok',
+ insertPartialViewDesc:
+ '\n Częściowy Widok to oddzielny szablon pliku, który może być renderowany wewnątrz innego\n szablonu, sprawdzi się w ponownym używaniu markupu lub oddzielaniu złożonych szablonów do oddzielnych plików.\n ',
+ mastertemplate: 'Główny szablon',
+ noMaster: 'Brak głównego',
+ renderBody: 'Renderuj szablon dziecka',
+ renderBodyDesc:
+ '\n Renderuje zawartość szablonu dziecka, poprzez wstawienie zastępczego\n @RenderBody().\n ',
+ defineSection: 'Zdefiniuj nazwaną sekcję',
+ defineSectionDesc:
+ '\n Definiuje część Twojego szablonu jako nazwaną sekcję poprzez opakowanie jej w\n @section { ... }. Może być to renderowane w\n określonym obszarze rodzica tego szablonu, poprzez użycie @RenderSection.\n ',
+ renderSection: 'Renderuj nazwaną sekcję',
+ renderSectionDesc:
+ '\n Renderuje nazwany obszar szablonu dziecka, poprze wstawienie zastępczego @RenderSection(name).\n To renderuje obszar w szablonie dziecka, który jest opakowany w odpowiednią definicję @section [name]{ ... }.\n ',
+ sectionName: 'Nazwa Sekcji',
+ sectionMandatory: 'Sekcja jest wymagana',
+ sectionMandatoryDesc:
+ '\n Jeśli wymagana, szablon dziecka musi zawierać definicję @section, w przeciwnym przypadku wystąpi błąd.\n ',
+ queryBuilder: 'Konstruktor zapytań',
+ itemsReturned: 'Element zwrócony, w',
+ iWant: 'Chcę',
+ allContent: 'całą zawartość',
+ contentOfType: 'zawartość typu "%0%"',
+ from: 'z',
+ websiteRoot: 'mojej strony',
+ where: 'gdzie',
+ and: 'i',
+ is: 'jest',
+ isNot: 'nie jest',
+ before: 'przed',
+ beforeIncDate: 'przed (włączając wybraną datę)',
+ after: 'po',
+ afterIncDate: 'po (włączając wybraną datę)',
+ equals: 'równa się',
+ doesNotEqual: 'nie równa się',
+ contains: 'zawiera',
+ doesNotContain: 'nie zawiera',
+ greaterThan: 'większe niż',
+ greaterThanEqual: 'większe lub równe niż',
+ lessThan: 'mniejsze niż',
+ lessThanEqual: 'mniejsze lub równe niż',
+ id: 'ID',
+ name: 'Nazwa',
+ createdDate: 'Data Utworzenia',
+ lastUpdatedDate: 'Data Ostatniej Aktualizacji',
+ orderBy: 'sortuj',
+ ascending: 'rosnąco',
+ descending: 'malejąco',
+ template: 'Szablon',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Wybierz typ treści',
+ chooseLayout: 'Wybierz układ',
+ addRows: 'Dodaj wiersz',
+ addElement: 'Dodaj zawartość',
+ dropElement: 'Upuść zawartość',
+ settingsApplied: 'Zastosowano ustawienia',
+ contentNotAllowed: 'Ta zawartość nie jest tu dozwolona',
+ contentAllowed: 'Ta zawartość jest tu dozwolona',
+ clickToEmbed: 'Kliknij, żeby osadzić',
+ clickToInsertImage: 'Kliknij, żeby dodać obraz',
+ placeholderWriteHere: 'Pisz tutaj...',
+ gridLayouts: 'Układy Siatki',
+ gridLayoutsDetail:
+ 'Układy to ogólne pole pracy dla edytora siatki, przeważnie będziesz potrzebować tylko jednego lub dwóch różnych układów',
+ addGridLayout: 'Dodaj Układ Siatki',
+ addGridLayoutDetail: 'Dostosuj układ przez ustawienie szerokości kolumn i dodanie dodatkowych sekcji',
+ rowConfigurations: 'Konfiguracja rzędów',
+ rowConfigurationsDetail: 'Rzędy to predefiniowane komórki ułożone poziomo',
+ addRowConfiguration: 'Dodaj konfigurację rzędu',
+ addRowConfigurationDetail: 'Dostosuj rząd poprzez ustawienie szerokości komórki i dodanie dodatkowych komórek',
+ columns: 'Kolumny',
+ columnsDetails: 'Całkowita liczba wszystkich kolumn w układzie siatki',
+ settings: 'Ustawienia',
+ settingsDetails: 'Konfiguruj jakie ustawienia może zmieniać edytor',
+ styles: 'Style',
+ stylesDetails: 'Konfiguruj jakie style może zmieniać edytor',
+ allowAllEditors: 'Zezwól wszystkim edytorom',
+ allowAllRowConfigurations: 'Zezwól na konfigurację wszystkich rzędów',
+ setAsDefault: 'Ustaw jako domyślne',
+ chooseExtra: 'Wybierz dodatkowe',
+ chooseDefault: 'Wybierz domyślne',
+ areAdded: 'zostały dodane',
+ },
+ contentTypeEditor: {
+ compositions: 'Kompozycje',
+ noGroups: 'Nie dodałeś żadnych zakładek',
+ inheritedFrom: 'Odziedziczone z',
+ addProperty: 'Dodaj właściwość',
+ requiredLabel: 'Wymagana etykieta',
+ enableListViewHeading: 'Włącz widok listy',
+ enableListViewDescription:
+ 'Konfiguruje element treści, aby pokazać sortowaną i możliwą do przeszukiwania listę jego dzieci, dzieci nie będą wyświetlone w drzewie',
+ allowedTemplatesHeading: 'Dozwolone Szablony',
+ allowedTemplatesDescription: 'Wybierz, które szablony edytorzy będą mogli używać dla zawartości tego typu',
+ allowAsRootHeading: 'Zezwól jako korzeń',
+ allowAsRootDescription: 'Zezwól edytorom na tworzenie zawartości tego typu w korzeniu drzewa treści',
+ childNodesHeading: 'Dozwolone typy węzłów dzieci',
+ childNodesDescription: 'Zezwól na tworzenie zawartości określonych typów pod zawartością tego typu',
+ chooseChildNode: 'Wybierz węzeł dziecka',
+ compositionsDescription:
+ 'Odziedzicz zakładki i właściwości z istniejącego typu dokumentu. Nowe zakładki będą dodane do bieżącego typu dokumentu lub złączone jeśli zakładka z identyczną nazwą już istnieje.',
+ compositionInUse: 'Ten typ zawartości jest używany w kompozycji, przez co sam nie może być złożony.',
+ noAvailableCompositions: 'Brak możliwych typów zawartości do użycia jako kompozycja.',
+ availableEditors: 'Dostępni edytorzy',
+ reuse: 'Użyj ponownie',
+ editorSettings: 'Ustawienia edytora',
+ configuration: 'Konfiguracja',
+ yesDelete: 'Tak, usuń',
+ movedUnderneath: 'zostało przeniesione poniżej',
+ copiedUnderneath: 'zostało skopiowane poniżej',
+ folderToMove: 'Wybierz folder do przeniesienia',
+ folderToCopy: 'Wybierz folder do skopiowania',
+ structureBelow: 'do w strukturze drzewa poniżej',
+ allDocumentTypes: 'Wszystkie typy Dokumentów',
+ allDocuments: 'Wszystkie Dokumenty',
+ allMediaItems: 'Wszystkie elementy mediów',
+ usingThisDocument:
+ 'używający tego typu dokumentu zostanie usunięty na stałe, proszę potwierdź czy chcesz usunąć także te.',
+ usingThisMedia: 'używający tych mediów zostanie usunięty na stałe, proszę potwierdź czy chcesz usunąć także te.',
+ usingThisMember:
+ 'używający tego typu członka zostanie usunięty na stałe, proszę potwierdź czy chcesz usunąć także te',
+ andAllDocuments: 'i wszystkie dokumenty, używające tego typu',
+ andAllMediaItems: 'i wszystkie media, używające tego typu',
+ andAllMembers: 'i wszyscy członkowie, używający tego typu',
+ memberCanEdit: 'Członek może edytować',
+ showOnMemberProfile: 'Pokaż na profilu członka',
+ },
+ templateEditor: {
+ addDefaultValue: 'Dodaj domyślną wartość',
+ defaultValue: 'Domyślna wartość',
+ alternativeField: 'Pole alternatywne',
+ alternativeText: 'Tekst alternatywny',
+ casing: 'Wielkość liter',
+ encoding: 'Kodowanie',
+ chooseField: 'Wybierz pole',
+ convertLineBreaks: 'Konwertuj złamania wiersza',
+ convertLineBreaksHelp: 'Zamienia złamania wiersza na html-tag <br>',
+ customFields: 'Niestandardowe Pola',
+ dateOnly: 'Tak, tylko data',
+ formatAsDate: 'Formatuj jako datę',
+ htmlEncode: 'Kodowanie HTML',
+ htmlEncodeHelp: 'Zamienia znaki specjalne na ich odpowiedniki HTML',
+ insertedAfter: 'Zostanie wstawione za wartością pola',
+ insertedBefore: 'Zostanie wstawione przed wartością pola',
+ lowercase: 'małe znaki',
+ none: 'Nic',
+ outputSample: 'Próbka danych wyjściowych',
+ postContent: 'Wstaw za polem',
+ preContent: 'Wstaw przed polem',
+ recursive: 'Rekurencyjne',
+ recursiveDescr: 'Tak, spraw, aby było to rekurencyjne',
+ standardFields: 'Standardowe Pola',
+ uppercase: 'Wielkie litery',
+ urlEncode: 'Kodowanie URL',
+ urlEncodeHelp: 'Formatuje znaki specjalne w URLach',
+ usedIfAllEmpty: 'Zostanie użyte tylko wtedy, gdy wartość pola jest pusta',
+ usedIfEmpty: 'To pole jest używane tylko wtedy, gdy główne pole jest puste',
+ withTime: 'Tak, z czasem. Separator:',
+ },
+ translation: {
+ details: 'Szczegóły tłumaczenia',
+ DownloadXmlDTD: 'Pobierz XML DTD',
+ fields: 'Pola',
+ includeSubpages: 'Włączając podstrony',
+ mailBody:
+ "\n Witaj %0%\n\n To jest automatyczny e-mail informujący, że dokument '%1%'\n został zgłoszony jako wymagający tłumaczenia na '%5%' przez %2%.\n\n Wejdź na http://%3%/translation/details.aspx?id=%4% aby edytować.\n\n Lub zaloguj się do Umbraco, aby zobaczyć wszystkie zadania do tłumaczenia\n http://%3%.\n\n Życzę miłego dnia!\n\n Umbraco robot\n ",
+ noTranslators: 'Nie znaleziono tłumaczy. Proszę utwórz tłumacza przed wysłaniem zawartości do tłumaczenia',
+ pageHasBeenSendToTranslation: "Strona '%0%' została wysłana do tłumaczenia",
+ sendToTranslate: "Wyślij stronę '%0%' do tłumaczenia",
+ totalWords: 'Liczba słów',
+ translateTo: 'Przetłumacz na',
+ translationDone: 'Tłumaczenie zakończone.',
+ translationDoneHelp:
+ 'Możesz podejrzeć stronę, którą właśnie przetłumaczyłeś, poprzez kliknięcie poniżej. Jeżeli strona oryginalna istnieje, możesz porównać obie wersje',
+ translationFailed: 'Błąd tłumaczenia, plik XML może być uszkodzony',
+ translationOptions: 'Opcje tłumaczeń',
+ translator: 'Tłumacz',
+ uploadTranslationXml: 'Załaduj przetłumaczony XML',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Cache przeglądarki',
+ contentRecycleBin: 'Kosz',
+ createdPackages: 'Utworzone pakiety',
+ dataTypes: 'Typy danych',
+ dictionary: 'Słownik',
+ installedPackages: 'Zainstalowane pakiety',
+ installSkin: 'Zainstaluj skórkę',
+ installStarterKit: 'Zainstaluj Starter Kit',
+ languages: 'Języki',
+ localPackage: 'Zainstaluj pakiet lokalny',
+ macros: 'Makra',
+ mediaTypes: 'Typy mediów',
+ member: 'Członkowie',
+ memberGroups: 'Grupy członków',
+ memberRoles: 'Role',
+ memberTypes: 'Typ członka',
+ documentTypes: 'Typy dokumentów',
+ relationTypes: 'Typy relacji',
+ packager: 'Pakiety',
+ packages: 'Pakiety',
+ repositories: 'Zainstaluj z repozytorium',
+ runway: 'Zainstaluj Runway',
+ runwayModules: 'Moduły Runway',
+ scripting: 'Pliki skryptowe',
+ scripts: 'Skrypty',
+ stylesheets: 'Arkusze stylów',
+ templates: 'Szablony',
+ partialViews: 'Częściowe Widoki',
+ partialViewMacros: 'Pliki Makro Częściowych Widoków',
+ },
+ update: {
+ updateAvailable: 'Aktualizacja jest gotowa',
+ updateDownloadText: 'Gotowe jest %0%, kliknij tutaj, aby pobrać',
+ updateNoServer: 'Brak połączenia z serwerem',
+ updateNoServerError:
+ 'Wystąpił błąd podczas sprawdzania aktualizacji. Przeglądnij trace-stack dla dalszych informacji',
+ },
+ user: {
+ administrators: 'Administrator',
+ categoryField: 'Pole kategorii',
+ changePassword: 'Zmień hasło!',
+ newPassword: 'Nowe hasło',
+ confirmNewPassword: 'Potwierdź nowe hasło',
+ changePasswordDescription:
+ 'Możesz zmienić swoje hasło w Umbraco backoffice przez wypełnienie formularza poniżej i kliknięcie przycisku "Zmień hasło"',
+ contentChannel: 'Kanał zawartości',
+ descriptionField: 'Opis',
+ disabled: 'Wyłącz użytkownika',
+ documentType: 'Typ dokumentu',
+ editors: 'Edytor',
+ excerptField: 'Wypis',
+ language: 'Język',
+ loginname: 'Login',
+ mediastartnode: 'Węzeł początkowy w bibliotece mediów',
+ modules: 'Sekcje',
+ noConsole: 'Wyłącz dostęp do Umbraco',
+ oldPassword: 'Stare hasło',
+ password: 'Hasło',
+ resetPassword: 'Zresetuj hasło',
+ passwordChanged: 'Twoje hasło zostało zmienione!',
+ passwordConfirm: 'Proszę potwierdź nowe hasło!',
+ passwordEnterNew: 'Wprowadź nowe hasło',
+ passwordIsBlank: 'Nowe hasło nie może byc puste!',
+ passwordCurrent: 'Bieżące hasło',
+ passwordInvalid: 'Bieżące hasło jest nieprawidłowe',
+ passwordIsDifferent: 'Nowe hasło i potwierdzenie nowego hasła nie są identyczne. Spróbuj ponownie!',
+ passwordMismatch: 'Potwierdzone hasło nie jest identyczne z nowym hasłem!',
+ permissionReplaceChildren: 'Zastąp prawa dostępu dla węzłów potomnych',
+ permissionSelectedPages: 'Aktualnie zmieniasz uprawnienia dostępu do stron:',
+ permissionSelectPages: 'Wybierz strony, którym chcesz zmienić prawa dostępu',
+ searchAllChildren: 'Przeszukaj wszystkie węzły potomne',
+ startnode: 'Węzeł początkowy w zawartości',
+ username: 'Nazwa użytkownika',
+ userPermissions: 'Prawa dostępu użytkownika',
+ writer: 'Pisarz',
+ change: 'Zmień',
+ yourProfile: 'Twój profil',
+ yourHistory: 'Twoja historia',
+ sessionExpires: 'Sesja wygaśnie za',
+ },
+ validation: {
+ validation: 'Walidacja',
+ validateAsEmail: 'Waliduj jako e-mail',
+ validateAsNumber: 'Waliduj jako numer',
+ validateAsUrl: 'Waliduj jako URL',
+ enterCustomValidation: '...lub wpisz niestandardową walidację',
+ fieldIsMandatory: 'Pole jest wymagane',
+ validationRegExp: 'Wprowadź wyrażenie regularne',
+ minCount: 'Musisz dodać przynajmniej',
+ maxCount: 'Możesz mieć jedynie',
+ items: 'elementy',
+ itemsSelected: 'wybrane elementy',
+ invalidDate: 'Niepoprawna data',
+ invalidNumber: 'To nie jest numer',
+ invalidEmail: 'Niepoprawny e-mail',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Wartość jest ustawiona na rekomendowaną wartość: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Oczekiwana jest wartość '%1%' dla '%2%' w pliku konfiguracyjnym '%3%', ale znaleziono '%0%'.",
+ checkErrorMessageUnexpectedValue: "Znaleziono nieoczekiwaną wartość '%0%' dla '%2%' w pliku konfiguracyjnym '%3%'.",
+ macroErrorModeCheckSuccessMessage: "MacroErrors są ustawione na '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "MacroErrors są ustawione na '%0%' co uniemożliwi częściowe lub całkowite załadowanie stron w Twojej witrynie jeśli wystąpią jakiekolwiek błędy w makro. Korekta ustawi wartość na '%1%'.",
+ httpsCheckValidCertificate: 'Certifikat Twojej strony jest poprawny.',
+ httpsCheckInvalidCertificate: "Błąd walidacji certyfikatu: '%0%'",
+ httpsCheckExpiredCertificate: 'Certyfikat SSL Twojej strony wygasł.',
+ httpsCheckExpiringCertificate: 'Certyfikat SSL Twojej strony wygaśnie za %0% dni.',
+ healthCheckInvalidUrl: "Błąd pingowania adresu URL %0% - '%1%'",
+ httpsCheckIsCurrentSchemeHttps: 'Oglądasz %0% stronę używając HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Tryb kompilacji debugowania jest wyłączony.',
+ compilationDebugCheckErrorMessage:
+ 'Tryb kompilacji debugowania jest obecnie włączony. Zaleca się wyłączenie tego ustawienia przed wypuszczeniem strony na produkcję.',
+ clickJackingCheckHeaderFound:
+ "Nagłówek lub meta-tag X-Frame-Options używany do kontrolowania czy strona może być IFRAME'owana przez inną został znaleziony.",
+ clickJackingCheckHeaderNotFound:
+ "Nagłówek lub meta-tag X-Frame-Options używany do kontrolowania czy strona może być IFRAME'owana przez inną nie został znaleziony.",
+ excessiveHeadersFound:
+ 'Znaleziono następujące nagłówki, ujawniające informacje o technologii strony: %0%.',
+ excessiveHeadersNotFound: 'Nie znaleziono żadnych nagłówków, ujawniających informacji o technologii strony.',
+ smtpMailSettingsConnectionSuccess: 'Ustawienia SMTP są skonfigurowane poprawnie i serwis działa według oczekiwań.',
+ notificationEmailsCheckSuccessMessage: 'E-mail z powiadomieniem został wysłany do %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'E-mail do powiadomień jest nadal ustawiony na domyślną wartość %0%.',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Wyłącz śledzenie URL',
+ enableUrlTracker: 'Włącz śledzenie URL',
+ originalUrl: 'Oryginalny URL',
+ redirectedTo: 'Przekierowane do',
+ noRedirects: 'Nie stworzono żadnych przekierowań',
+ noRedirectsDescription:
+ 'Kiedy nazwa opublikowanej strony zostanie zmieniona lub zostanie ona przeniesiona, zostanie stworzone automatyczne przekierowanie na nową stronę.',
+ redirectRemoved: 'Przekierowanie URL zostało usunięte.',
+ redirectRemoveError: 'Wystąpił błąd podczas usuwania przekierowania URL.',
+ confirmDisable: 'Czy jesteś pewien, że chcesz wyłączyć śledzenie URL?',
+ disabledConfirm: 'Śledzenie URL zostało wyłączone.',
+ disableError: 'Wystąpił błąd podczas wyłączania śledzenia URL, więcej informacji znajdziesz w pliku z logami.',
+ enabledConfirm: 'Śledzenie URL zostało włączone.',
+ enableError: 'Wystąpił błąd podczas włączania śledzenia URL, więcej informacji znajdziesz w pliku z logami.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Brak elementów słownika do wyboru',
+ },
+ textbox: {
+ characters_left: 'pozostało znaków',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Zaznacz wszystko',
+ deselectAllLogLevelFilters: 'Odznacz wszystkie',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/pt-br.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/pt-br.ts
new file mode 100644
index 0000000000..49e374abb5
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/pt-br.ts
@@ -0,0 +1,817 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: pt
+ * Language Int Name: Portuguese (BR)
+ * Language Local Name: português (BR)
+ * Language LCID:
+ * Language Culture: pt-BR
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Gerenciar hostnames',
+ auditTrail: 'Caminho de Auditoria',
+ browse: 'Navegar o Nó',
+ copy: 'Copiar',
+ create: 'Criar',
+ createPackage: 'Criar Pacote',
+ delete: 'Remover',
+ disable: 'Desabilitar',
+ emptyrecyclebin: 'Esvaziar Lixeira',
+ exportDocumentType: 'Exportar Tipo de Documento',
+ importdocumenttype: 'Importar Tipo de Documento',
+ importPackage: 'Importar Pacote',
+ liveEdit: 'Editar na Tela',
+ logout: 'Sair',
+ move: 'Mover',
+ notify: 'Notificações',
+ protect: 'Acesso público',
+ publish: 'Publicar',
+ refreshNode: 'Recarregar nós',
+ republish: 'Republicar site inteiro',
+ rights: 'Permissões',
+ rollback: 'Reversão',
+ sendtopublish: 'Enviar para Publicação',
+ sendToTranslate: 'Enviar para Tradução',
+ sort: 'Classificar',
+ translate: 'Traduzir',
+ update: 'Atualizar',
+ },
+ assignDomain: {
+ addNew: 'Adicionar novo Domínio',
+ domain: 'Domínio',
+ domainCreated: "Novo domínio '%0%' foi criado",
+ domainDeleted: "Domínio '%0%' foi removido",
+ domainExists: "Domínio '%0%' já foi designado",
+ domainUpdated: "Domínio '%0%' foi atualizado",
+ orEdit: 'Editar Domínios Atuais',
+ },
+ auditTrails: {
+ atViewingFor: 'Visão para',
+ },
+ buttons: {
+ bold: 'Negrito',
+ deindent: 'Remover Travessão de Parágrafo',
+ formFieldInsert: 'Inserir campo de formulário',
+ graphicHeadline: 'Inserir manchete de gráfico',
+ htmlEdit: 'Editar Html',
+ indent: 'Travessão de Parágrafo',
+ italic: 'Itálico',
+ justifyCenter: 'Centro',
+ justifyLeft: 'Justificar à Esquerda',
+ justifyRight: 'Justificar à Direita',
+ linkInsert: 'Inserir Link',
+ linkLocal: 'Inserir link local (âncora)',
+ listBullet: 'Lista de tópicos',
+ listNumeric: 'Lista numérica',
+ macroInsert: 'Inserir macro',
+ pictureInsert: 'Inserir figura',
+ relations: 'Editar relacionamentos',
+ save: 'Salvar',
+ saveAndPublish: 'Salvar e publicar',
+ saveToPublish: 'Salvar e mandar para aprovação',
+ saveAndPreview: 'Prévia',
+ styleChoose: 'Escolha estilo',
+ styleShow: 'Mostrar estilos',
+ tableInsert: 'Inserir tabela',
+ },
+ content: {
+ about: 'Sobre esta página',
+ alias: 'Link alternativo',
+ alternativeTextHelp: '(como você descreveria a imagem pelo telefone)',
+ alternativeUrls: 'Links Alternativos',
+ clickToEdit: 'Clique para editar este item',
+ createBy: 'Criado por',
+ createDate: 'Criado',
+ documentType: 'Tipo de Documento',
+ editing: 'Editando',
+ expireDate: 'Remover em',
+ itemChanged: 'Este item foi alterado após a publicação',
+ itemNotPublished: 'Este item não está publicado',
+ lastPublished: 'Última publicação',
+ mediatype: 'Tipo de Mídia',
+ membergroup: 'Grupo do Membro',
+ memberrole: 'Função',
+ membertype: 'Tipo de Membro',
+ noDate: 'Nenhuma data escolhida',
+ nodeName: 'Título da Página',
+ otherElements: 'Propriedades',
+ parentNotPublished: "Este documento está publicado mas não está visível porque o pai '%0%' não está publicado",
+ publish: 'Publicar',
+ publishStatus: 'Status da Publicação',
+ releaseDate: 'Publicado em ',
+ removeDate: 'Remover Data',
+ sortDone: 'Ordem de classificação está atualizada',
+ sortHelp:
+ "Para classificar os nós simplesmente arraste os nós ou clique em um dos títulos de colunas. Você pode selecionar múltiplos nós ao pressionar e segurar 'shift' ou 'control' durante a seleção",
+ statistics: 'Estatísticas',
+ titleOptional: 'Título (opcional)',
+ type: 'Tipo',
+ unpublish: 'Des-Publicar',
+ updateDate: 'Última edição',
+ uploadClear: 'Remover arquivo',
+ urls: 'Link ao documento',
+ saveModalTitle: 'Salvar',
+ },
+ create: {
+ chooseNode: 'Onde você quer criar seu novo(a) %0%',
+ createUnder: 'Criado em',
+ updateData: 'Escolha um tipo e um título',
+ },
+ dashboard: {
+ browser: 'Navegue seu site',
+ dontShowAgain: '- Esconder',
+ nothinghappens: 'Se Umbraco não estiver abrindo talvez você precise hablitar pop-ups para este site',
+ openinnew: 'foi aberto em uma nova janela',
+ restart: 'Reiniciar',
+ visit: 'Visitar',
+ welcome: 'Bem Vindo(a)',
+ },
+ prompt: {
+ stay: 'Stay',
+ discardChanges: 'Discard changes',
+ unsavedChanges: 'You have unsaved changes',
+ unsavedChangesWarning: 'Are you sure you want to navigate away from this page? - you have unsaved changes',
+ },
+ bulk: {
+ done: 'Done',
+ deletedItem: 'Deleted %0% item',
+ deletedItems: 'Deleted %0% items',
+ deletedItemOfItem: 'Deleted %0% out of %1% item',
+ deletedItemOfItems: 'Deleted %0% out of %1% items',
+ publishedItem: 'Published %0% item',
+ publishedItems: 'Published %0% items',
+ publishedItemOfItem: 'Published %0% out of %1% item',
+ publishedItemOfItems: 'Published %0% out of %1% items',
+ unpublishedItem: 'Unpublished %0% item',
+ unpublishedItems: 'Unpublished %0% items',
+ unpublishedItemOfItem: 'Unpublished %0% out of %1% item',
+ unpublishedItemOfItems: 'Unpublished %0% out of %1% items',
+ movedItem: 'Moved %0% item',
+ movedItems: 'Moved %0% items',
+ movedItemOfItem: 'Moved %0% out of %1% item',
+ movedItemOfItems: 'Moved %0% out of %1% items',
+ copiedItem: 'Copied %0% item',
+ copiedItems: 'Copied %0% items',
+ copiedItemOfItem: 'Copied %0% out of %1% item',
+ copiedItemOfItems: 'Copied %0% out of %1% items',
+ },
+ defaultdialogs: {
+ anchorInsert: 'Nome',
+ assignDomain: 'Gerenciar hostnames',
+ closeThisWindow: 'Fechar esta janela',
+ confirmdelete: 'Certeza em remover',
+ confirmdisable: 'Certeza em desabilitar',
+ confirmlogout: 'Tem certeza',
+ confirmSure: 'Tem certeza?',
+ cut: 'Cortar',
+ editDictionary: 'Editar Item de Dicionário',
+ editLanguage: 'Editar Linguagem',
+ insertAnchor: 'Inserir link local',
+ insertCharacter: 'Inserir charactere',
+ insertgraphicheadline: 'Inserir manchete de gráfico',
+ insertimage: 'Inserir figura',
+ insertlink: 'Inserir Link',
+ insertMacro: 'Inserir Macro',
+ inserttable: 'Inserir tabela',
+ lastEdited: 'Última Edição',
+ link: 'Link',
+ linkinternal: 'Link interno',
+ linklocaltip: 'Ao usar links locais insira "#" na frente do link',
+ linknewwindow: 'Abrir em nova janela?',
+ macroDoesNotHaveProperties: 'Este macro não contém nenhuma propriedade que possa ser editada',
+ paste: 'Colar',
+ permissionsEdit: 'Editar Permissões para',
+ recycleBinDeleting:
+ 'Os itens na lixeira agora estão sendo removidos. Favor não fechar esta janela enquanto este processo é concluído',
+ recycleBinIsEmpty: 'A lixeira agora está vazia',
+ recycleBinWarning: 'Quando itens são removidos da lixeira estes somem para sempre',
+ regexSearchError:
+ "O serviço web regexlib.com está no momento sofrendo dificuldades dos quais não temos controle. Pedimos desculpas pela inconveniência.",
+ regexSearchHelp:
+ "Busque por uma expressão regular para adicionar validação à um campo de formulário. Exemplo: 'email', 'zip-code' (código postal), 'URL'",
+ removeMacro: 'Remover Macro',
+ requiredField: 'Campo obrigatório',
+ sitereindexed: 'Site foi re-indexado',
+ siterepublished:
+ 'O cache do website foi atualizado. Todo conteúdo publicado está atualizado agora. No entanto, todo conteúdo não publicado ainda permanecerá invisível',
+ siterepublishHelp:
+ 'O cache do website será atualizado. Todo conteúdo publicado será atualizado, enquanto o conteúdo que não foi publicado permanecerá invisível',
+ tableColumns: 'Número de colunas',
+ tableRows: 'Número de linhas',
+ thumbnailimageclickfororiginal: 'Clique para ver a imagem em seu tamanho original',
+ treepicker: 'Escolha item',
+ viewCacheItem: 'Ver Item em Cache',
+ },
+ dictionaryItem: {
+ description:
+ "Editar as diferente versões de linguagem para o item de dicionário '%0%' abaixo. Você pode adicionar mais linguagens sob 'linguagens' no menu à esquerda.",
+ displayName: 'Nome da Cultura',
+ },
+ editdatatype: {
+ addPrevalue: 'Adicionar valor prévio',
+ dataBaseDatatype: 'Tipo de Dados do Banco de Dados',
+ guid: 'GUID do Editor de Propriedades',
+ renderControl: 'Editor de Propriedades',
+ rteButtons: 'Botões',
+ rteEnableAdvancedSettings: 'Habilitar configurações avançadas para',
+ rteEnableContextMenu: 'Habilitar menu de contexto',
+ rteMaximumDefaultImgSize: 'Tamanho padrão máximo para imagens inseridas',
+ rteRelatedStylesheets: 'Stylesheets relacionadas',
+ rteShowLabel: 'Mostrar Rótulo',
+ rteWidthAndHeight: 'Largura e altura',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Seus dados foram salvos mas antes que possa publicar esta página existem alguns erros que precisam ser concertados:',
+ errorChangingProviderPassword:
+ 'O provedor de membros (Membership provider) atual não suporta alterações de senha (EnablePasswordRetrieval tem que estar definica como true)',
+ errorExistsWithoutTab: '%0% já existe',
+ errorHeader: 'Houve erros:',
+ errorHeaderWithoutTab: 'Houve erros:',
+ errorInPasswordFormat:
+ 'A senha deve ter no mínimo %0% caracteres e conter pelo menos %1% caractere(s) não alfa-númérico',
+ errorIntegerWithoutTab: '%0% tem que ser um inteiro',
+ errorMandatory: 'O campo %0% na guia %1% é mandatório',
+ errorMandatoryWithoutTab: '%0% é um campo mandatório',
+ errorRegExp: '%0% em %1% não está no formato correto',
+ errorRegExpWithoutTab: '%0% não está em um formato correto',
+ },
+ errors: {
+ codemirroriewarning:
+ 'NOTA! Mesmo que CodeMirror esteja habilitado pela configuração o mesmo foi desabilitado em Internet Explorer pois não é estável o suficiente.',
+ contentTypeAliasAndNameNotNull: 'Favor preencher ambos apelidos e nome na sua nova propriedade de tipo!',
+ filePermissionsError: 'Houve um erro com o acesso de ler/escrever em um arquivo ou pasta específica',
+ missingTitle: 'Favor digitar um título',
+ missingType: 'Favor escolher um tipo',
+ pictureResizeBiggerThanOrg:
+ 'Você está prestes a tornar esta figura maior que o tamanho original. Tem certeza que deseja proceguir?',
+ startNodeDoesNotExists: 'Nó inicial removido, favor entrar em contato com seu administrador',
+ stylesMustMarkBeforeSelect: 'Favor marcar conteúdo antes de alterar o estilo',
+ stylesNoStylesOnPage: 'Nenhum estilo ativo disponível',
+ tableColMergeLeft: 'Favor colocar o cursos à esquerda das duas células que deseja mesclar',
+ tableSplitNotSplittable: 'Você não pode dividir uma célula que não foi mesclada.',
+ },
+ general: {
+ about: 'Sobre',
+ action: 'Ação',
+ add: 'Adicionar',
+ alias: 'Apelido',
+ areyousure: 'Tem certeza?',
+ border: 'Borda',
+ by: 'por',
+ cancel: 'Cancelar',
+ cellMargin: 'Margem da célula',
+ choose: 'Escolher',
+ close: 'Fechar',
+ closewindow: 'Fechar Janela',
+ comment: 'Comentário',
+ confirm: 'Confirmar',
+ constrainProportions: 'Restrições de proporções',
+ continue: 'Continuar',
+ copy: 'Copiar',
+ create: 'Criar',
+ database: 'Banco de Dados',
+ date: 'Data',
+ default: 'Padrão',
+ delete: 'Remover',
+ deleted: 'Removido',
+ deleting: 'Removendo...',
+ design: 'Desenho',
+ dimensions: 'Dimensões',
+ down: 'Abaixo',
+ download: 'Download',
+ edit: 'Editar',
+ edited: 'Editado',
+ elements: 'Elementos',
+ email: 'Email',
+ error: 'Erro',
+ findDocument: 'Buscar',
+ height: 'Altura',
+ help: 'Ajuda',
+ icon: 'Ícone',
+ import: 'Importar',
+ innerMargin: 'Margem interna',
+ insert: 'Inserir',
+ install: 'Instalar',
+ justify: 'Justificar',
+ language: 'Idioma',
+ layout: 'Esboço',
+ loading: 'Carregando',
+ locked: 'Travado',
+ login: 'Login',
+ logoff: 'Sair',
+ logout: 'Logout',
+ macro: 'Macro',
+ move: 'Mover',
+ name: 'Nome',
+ new: 'Novo',
+ next: 'Próximo',
+ no: 'Não',
+ of: 'de',
+ ok: 'OK',
+ open: 'Abrir',
+ or: 'ou',
+ password: 'Senha',
+ path: 'Caminho',
+ pleasewait: 'Um momento por favor...',
+ previous: 'Prévio',
+ properties: 'Propriedades',
+ reciept: 'Email para receber dados do formulário',
+ recycleBin: 'Lixeira',
+ remaining: 'Remanescentes',
+ rename: 'Renomear',
+ renew: 'Renovar',
+ retry: 'Tentar novamente',
+ rights: 'Permissões',
+ search: 'Busca',
+ server: 'Servidor',
+ show: 'Mostrar',
+ showPageOnSend: 'Mostrar página durante envio',
+ size: 'Tamanho',
+ sort: 'Classificar',
+ submit: 'Submit',
+ type: 'Tipo',
+ typeToSearch: 'Digite para buscar...',
+ up: 'Acima',
+ update: 'Atualizar',
+ upgrade: 'Atualizar',
+ upload: 'Subir (Upload)',
+ url: 'URL',
+ user: 'Usuário',
+ username: 'Usuário',
+ value: 'Valor',
+ view: 'Ver',
+ welcome: 'Bem Vindo(a)...',
+ width: 'Largura',
+ yes: 'Sim',
+ reorder: 'Reorder',
+ reorderDone: 'I am done reordering',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Cor de fundo',
+ bold: 'Negrito',
+ color: 'Cor do Texto',
+ font: 'Fonte',
+ text: 'Texto',
+ },
+ headers: {
+ page: 'Página',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'O instalador não pôde conectar-se ao banco de dados.',
+ databaseFound: 'Seu banco de dados foi encontrado e identificado como',
+ databaseHeader: 'Configuração do Banco de Dados',
+ databaseInstall: 'Pressione o botão instalar para instalar o banco de dados do Umbraco %0%',
+ databaseInstallDone:
+ 'Umbraco %0% agora foi copiado para seu banco de dados. Pressione Próximo para prosseguir.',
+ databaseText:
+ 'Para completar este passo, você deve saber algumas informações relativas ao seu servidor de banco de dados ("connection string"). Favor contatar seu provedor de internet ou hospedagem web se necessário. Se você estiver instalando em uma máquina ou servidor local é possível que você precise dessas informações por um administrador de sistema.',
+ databaseUpgrade:
+ '
\n Pressione o botão atualizar para atualizar seu banco de dados para Umbraco %0%
\n
\n Não se preocupe - nenhum conteúdo será removido e tudo estará funcionando depois disto!
\n\n ',
+ databaseUpgradeDone:
+ 'Seu banco de dados foi atualizado para última versão %0%. Pressione Próximo para prosseguir.',
+ databaseUpToDate:
+ 'Seu banco de dados atual está desatualizado! Clique próximo para continuar com o assistente de configuração',
+ defaultUserChangePass: 'A senha do usuário padrão precisa ser alterada!',
+ defaultUserDisabled:
+ 'O usuário padrão foi desabilitado ou não tem acesso à Umbraco!
Nenhuma ação posterior precisa ser tomada. Clique Próximo para prosseguir.',
+ defaultUserPassChanged:
+ 'A senha do usuário padrão foi alterada com sucesso desde a instalação!
Nenhuma ação posterior é necessária. Clique Próximo para prosseguir.',
+ defaultUserPasswordChanged: 'Senha foi alterada!',
+ greatStart: 'Comece com o pé direito, assista nossos vídeos introdutórios',
+ None: 'Nenhum instalado ainda.',
+ permissionsAffectedFolders: 'Pastas e arquivos afetados',
+ permissionsAffectedFoldersMoreInfo: 'Mais informações em como configurar permissões para Umbraco aqui',
+ permissionsAffectedFoldersText:
+ 'Você precisa conceder permissão de modificação ASP.NET aos seguintes arquivos/pastas',
+ permissionsAlmostPerfect:
+ 'Suas permissões estão quase perfeitas!
\nVocê pode correr Umbraco sem problemas, mas não vai ser capaz de instalar pacotes que são recomendados para tirar total vantagem de Umbraco.',
+ permissionsHowtoResolve: 'Como Resolver',
+ permissionsHowtoResolveLink: 'Clique aqui para ler a versão texto',
+ permissionsHowtoResolveText:
+ 'Assista nosso vídeo tutorial sobre configuração de permissões de pastas para Umbraco ou leia a versão texto.',
+ permissionsMaybeAnIssue:
+ 'Suas permissões podem ser um problema!\n
\nVocê pode correr Umbraco sem problemas mas não será capaz de criar pastas ou instalar pacotes que são recomendados para tirar total vantagem de Umbraco.',
+ permissionsNotReady:
+ 'Suas permissões não estão prontas para Umbraco!\n
\nPara correr Umbraco você vai precisar atualizar as configurações de permissões.',
+ permissionsPerfect:
+ 'Suas configurações de permissões estão perfeitas!
Você está pronto para correr o Umbraco e instalar pacotes!',
+ permissionsResolveFolderIssues: 'Resolvendo problemas de pastas',
+ permissionsResolveFolderIssuesLink:
+ 'Siga este link para mais informações sobre problemas com ASP.NET e criação de pastas',
+ permissionsSettingUpPermissions: 'Configurando permissões de pastas',
+ permissionsText:
+ 'Umbraco necessita acesso ler/escrever à certos diretórios para que possa guardar arquivos como fotos e PDFs.\nTambém guarda informações temporárias (cache) para melhorar a performance do seu website.',
+ runwayFromScratch: 'Eu quero começar do zero',
+ runwayFromScratchText:
+ 'Seu site está completamente vazio no momento, então isso é perfeito se você deseja começar do zero e criar seus próprios documentos e modelos.\n (learn how)\n Você ainda pode escolher instalar Runway mais tarde. Favor ir à seção Desenvolvedor e selecione pacotes.',
+ runwayHeader: 'Você acabou de configurar uma plataforma Umbraco limpa. O que deseja fazer a seguir?',
+ runwayInstalled: 'Runway está instalado',
+ runwayInstalledText:
+ 'Você tem uma fundação instalada. Selecione quais módulos deseja instalar além do básico. \nEsta é nossa lista de módulos recomendados, selecione os que gostaria de instalar, ou veja a lista completa de módulos',
+ runwayOnlyProUsers: 'Somente recomendado para usuários experientes',
+ runwaySimpleSite: 'Eu quero começar com um site simples',
+ runwaySimpleSiteText:
+ '
\n "Runway" é um website simples que provê alguns documentos básicos e modelos. O instalador pode configurar Runway automaticamente mas você pode editar facilmente, extender ou removê-lo. Não é necessário e você pode perfeitamente usar Umbraco sem ele.\nNo entanto, Runway oferece uma fundação básica sobre melhores práticas em como começar o mais rápido possível.\nSe escolher instalar Runway você pode opcionalmente selecionar blocos de construção básicos chamados módulos Runway para melhorar suas páginas Runway.
\n \n Incluso com Runway: Página Inicial, Começando, Instalando Módulos. \n Módulos Opcionais: Navegação de Topo, Mapa de Site, Contato, Galeria.\n \n\n ',
+ runwayWhatIsRunway: 'O que é Runway',
+ step1: 'Passo 1/5 Aceitar Licença',
+ step2: 'Passo 2/5: Configuração do Banco de Dados',
+ step3: 'Passo 3/5: Validando Permissões de Arquivos',
+ step4: 'Passo 4/5: Checar segurança Umbraco',
+ step5: 'Passo 5/5: Umbraco está pronto para ser usado',
+ thankYou: 'Obrigado por escolher Umbraco',
+ theEndBrowseSite: '
Navegue seu site
\nVocê instalou Runway, então por que não ver como é seu novo website.',
+ theEndFurtherHelp:
+ '
Ajuda adicional e informações
\nConsiga ajuda de nossa comunidade ganhadora de prêmios, navegue a documentação e assista alguns vídeos grátis sobre como construir um site simples, como usar pacotes e um guia prático sobre a terminologia Umbraco',
+ theEndHeader: 'Umbraco %0% está instalado e pronto para uso',
+ theEndInstallSuccess:
+ 'Você pode iniciar instantâneamente clicando em "Lançar Umbraco" abaixo. Se você é novo com Umbraco você pode encontrar vários recursos em nossa página para iniciantes.',
+ theEndOpenUmbraco:
+ '
Lançar Umbraco
\nPara gerenciar seu website, simplesmente abra a área administrativa do Umbraco para começar adicionando conteúdo, atualizando modelos e stylesheets e adicionando nova funcionalidade',
+ Unavailable: 'Conexão ao banco falhou.',
+ Version3: 'Umbraco Versão 3',
+ Version4: 'Umbraco Versão 4',
+ watch: 'Assistir',
+ welcomeIntro:
+ 'Este assistente irá guiá-lo pelo processo de configuração do Umbraco %0% para uma nova instalação ou atualizando desde verão 3.0.\n
',
+ },
+ main: {
+ dashboard: 'Painel',
+ sections: 'Seções',
+ tree: 'Conteúdo',
+ },
+ moveOrCopy: {
+ choose: 'Escolha página acima...',
+ copyDone: '%0% foi copiado para %1%',
+ copyTo: 'Selecione onde o documento %0% deve ser copiado abaixo',
+ moveDone: '%0% foi movido para %1%',
+ moveTo: 'Selecione onde o documento %0% dever ser movido abaixo',
+ nodeSelected: "foi selecionado como raíz do seu novo conteúdo, clique 'ok' abaixo.",
+ noNodeSelected: "Nenhum nó selecionado, favor selecionar um nó na lista acima antes de clicar em 'ok'",
+ notAllowedByContentType: 'O nó atual não é permitido embaixo do nó escolhido por causa de seu tipo',
+ notAllowedByPath: 'O nó atual não pode ser movido para uma de suas sub-páginas',
+ notValid:
+ "TRANSLATE ME: 'The action isn't allowed since you have insufficient permissions on 1 or more child documents.'",
+ },
+ notifications: {
+ editNotifications: 'Editar sua notificação para %0%',
+ notificationsSavedFor: 'Notificações salvas para %0%',
+ notifications: 'Notificações',
+ },
+ packager: {
+ chooseLocalPackageText:
+ 'Selecione o pacote em sua máquina clicando no botão Navegar e localizando o pacote. Pacotes Umbraco tem extensão ".umb" ou ".zip".',
+ packageAuthor: 'Autor',
+ packageDocumentation: 'Documentação',
+ packageMetaData: 'Dado meta do pacote',
+ packageName: 'Nome do pacote',
+ packageNoItemsHeader: 'Pacote não contém nenhum item',
+ packageNoItemsText:
+ 'Este arquivo de pacote não contém nenhum item a ser desinstalado.
\nVocê pode remover com segurança do seu sistema clicando em "desinstalar pacote" abaixo.',
+ packageOptions: 'Oções do pacote',
+ packageReadme: 'Leia-me do pacote',
+ packageRepository: 'Repositório do pacote',
+ packageUninstallConfirm: 'Confirmar desinstalação',
+ packageUninstalledHeader: 'Pacote foi desinstalado',
+ packageUninstalledText: 'O pacote foi desinstalado com sucesso',
+ packageUninstallHeader: 'Desinstalar pacote',
+ packageUninstallText:
+ 'Você pode de-selecionar itens que não deseja remover neste momento, abaixo. Quando clicar em "confirmar desinstalação" todos os itens selecionados serão removido. \nAviso: quaisquer documentos, mídia, etc dependentes dos itens que forem removidos vão parar de funcionar e podem levar à instabilidade do sistema. Então desinstale com cuidado. Se tiver dúvidas, contate o autor do pacote',
+ packageVersion: 'Versão do pacote',
+ },
+ paste: {
+ doNothing: 'Colar com formatação completa (Não recomendado)',
+ errorMessage:
+ 'O texto que você está tentando colar contém caracteres ou formatação especial. Isto pode ser causado ao copiar textos diretamente do Microsoft Word. Umbraco pode remover os caracteres ou formatação especial automaticamente para que o conteúdo colado seja mais adequado para a internet.',
+ removeAll: 'Colar como texto crú sem nenhuma formatação',
+ removeSpecialFormattering: 'Colar, mas remover formatação (Recomendado)',
+ },
+ publicAccess: {
+ paAdvanced: 'Proteção baseada em função',
+ paAdvancedHelp:
+ 'Se você deseja controlar o acesso à página usando autenticação baseada em funções, usando grupos de membros do Umbraco.',
+ paAdvancedNoGroups:
+ 'Você precisa criar um grupo de membros antes que possa usar autenticação baseada em função.',
+ paErrorPage: 'Página de Erro',
+ paErrorPageHelp: 'Usado quando as pessoas estão logadas, mas não para ter acesso',
+ paHowWould: 'Escolha como restringir o acesso à esta página',
+ paIsProtected: '%0% agora está protegido',
+ paIsRemoved: 'Proteção removida de %0%',
+ paLoginPage: 'Página de Login',
+ paLoginPageHelp: 'Escolha a página que tem o formulário de login',
+ paRemoveProtection: 'Remover Proteção',
+ paSelectPages: 'Selecione as páginas que contém o formulário de login e mensagens de erro',
+ paSelectRoles: 'Escolha as funções que terão acesso à esta página',
+ paSetLogin: 'Defina o login e senha para esta página',
+ paSimple: 'Proteção à um usuário específico',
+ paSimpleHelp: 'Se você deseja configurar proteção simples usando somente um usuário e senha',
+ },
+ publish: {
+ contentPublishedFailedByEvent: '%0% não pode ser publicado devido à uma extensão de terceiros que cancelou a ação.',
+ includeUnpublished: 'Incluir páginas filhas ainda não publicadas',
+ inProgress: 'Publicação em progresso - favor aguardar...',
+ inProgressCounter: '%0% de %1% páginas foram publicadas...',
+ nodePublish: '%0% foi publicada',
+ nodePublishAll: '%0% e sub-páginas foram publicadas',
+ publishAll: 'Publicar %0% e todoas suas sub-páginas',
+ publishHelp:
+ 'Clique em ok para publicar %0% e assim fazer com que seu conteúdo se torne disponível.
\nVocê pode publicar esta página e todas suas sub-páginas ao selecionar publicar todos filhos abaixo.',
+ },
+ relatedlinks: {
+ addExternal: 'Adicionar link externo',
+ addInternal: 'Adicionar link interno',
+ addlink: 'Adicionar',
+ caption: 'Legenda',
+ internalPage: 'Página interna',
+ linkurl: 'URL',
+ modeDown: 'Mover Abaixo',
+ modeUp: 'Mover Acima',
+ newWindow: 'Abrir em nova janela',
+ removeLink: 'Remover Link',
+ },
+ rollback: {
+ diffHelp:
+ 'Isto mostra as diferenças entre a versão atual e a versão selecionada Texto vermelho não será mostrado na versão selecionada; verde significa adicionado',
+ documentRolledBack: 'Documento foi revertido',
+ htmlHelp:
+ 'Isto mostra a versão selecionada como html se você deseja ver as diferenças entre as 2 versões ao mesmo tempo use a visão em diff',
+ rollbackTo: 'Reverter à',
+ selectVersion: 'Selecione versão',
+ view: 'Ver',
+ },
+ scripts: {
+ editscript: 'Editar arquivo de script',
+ },
+ sections: {
+ concierge: 'Porteiro',
+ content: 'Conteúdo',
+ courier: 'Mensageiro',
+ developer: 'Desenvolvedor',
+ installer: 'Assistente de Configuração Umbraco',
+ media: 'Mídia',
+ member: 'Membros',
+ newsletters: 'Boletins Informativos',
+ settings: 'Configurações',
+ statistics: 'Estatísticas',
+ translation: 'Tradução',
+ users: 'Usuários',
+ },
+ settings: {
+ defaulttemplate: 'Modelo padrão',
+ importDocumentTypeHelp:
+ 'Para importar um tipo de documento encontre o arquivo ".udt" em seu computador clicando em "Navegar" e depois clicando em "Importar"(você pode confirmar na próxima tela)',
+ newtabname: 'Novo Título da Guia',
+ nodetype: 'Tipo de Nó',
+ objecttype: 'Tipo',
+ stylesheet: 'Stylesheet',
+ tab: 'Guia',
+ tabname: 'Título da Guia',
+ tabs: 'Guias',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'Classificação concluída.',
+ sortHelp:
+ 'Arraste os diferentes itens para cima ou para baixo para definir como os mesmos serão arranjados. Ou clique no título da coluna para classificar a coleção completa de itens',
+ sortPleaseWait: 'Favor esperar. Itens estão sendo classificados, isto pode demorar um tempo.',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: 'Publicação foi cancelada por add-in de terceiros',
+ contentTypeDublicatePropertyType: 'Tipo de propriedade já existe',
+ contentTypePropertyTypeCreated: 'Tipo de propriedade criada',
+ contentTypePropertyTypeCreatedText: 'Nome: %0% Tipo de Dado: %1%',
+ contentTypePropertyTypeDeleted: 'Tipo de propriedade removido',
+ contentTypeSavedHeader: 'Tipo de Documento salvo',
+ contentTypeTabCreated: 'Guia criada',
+ contentTypeTabDeleted: 'Guia removida',
+ contentTypeTabDeletedText: 'Guia com ID: %0% removida',
+ cssErrorHeader: 'Stylesheet não salva',
+ cssSavedHeader: 'Stylesheet salva',
+ cssSavedText: 'Stylesheet salva sem nenhum erro',
+ dataTypeSaved: 'Typo de Dado salvo',
+ dictionaryItemSaved: 'Item de Dicionário salvo',
+ editContentPublishedFailedByParent: 'Publicação falhou porque a página pai não está publicada',
+ editContentPublishedHeader: 'Conteúdo publicado',
+ editContentPublishedText: 'e visível no website',
+ editContentSavedHeader: 'Conteúdo salvo',
+ editContentSavedText: 'Lembre-se de publicar para tornar as mudanças visíveis',
+ editContentSendToPublish: 'Enviado para Aprovação',
+ editContentSendToPublishText: 'Alterações foram enviadas para aprovação',
+ editMemberSaved: 'Membro salvo',
+ editStylesheetPropertySaved: 'Propriedade de Stylesheet salva',
+ editStylesheetSaved: 'Stylesheet salva',
+ editTemplateSaved: 'Modelo salvo',
+ editUserError: 'Erro ao salvar usuário (verificar log)',
+ editUserSaved: 'Usuário Salvo',
+ fileErrorHeader: 'Arquivo não salvo',
+ fileErrorText: 'Arquivo não pode ser salvo. Favor checar as permissões do arquivo',
+ fileSavedHeader: 'Arquivo salvo',
+ fileSavedText: 'Arquivo salvo sem nenhum erro',
+ languageSaved: 'Linguagem salva',
+ templateErrorHeader: 'Modelo não salvo',
+ templateErrorText: 'Favor confirmar que não existem 2 modelos com o mesmo apelido',
+ templateSavedHeader: 'Modelo salvo',
+ templateSavedText: 'Modelo salvo sem nenhum erro!',
+ },
+ stylesheet: {
+ aliasHelp: 'Use sintaxe CSS ex: h1, .redHeader, .blueTex',
+ editstylesheet: 'Editar stylesheet',
+ editstylesheetproperty: 'Editar propriedade do stylesheet',
+ nameHelp: 'Nome para identificar a propriedade de estilo no editor de texto rico (richtext)',
+ preview: 'Prévia',
+ styles: 'Estilos',
+ },
+ template: {
+ edittemplate: 'Editar modelo',
+ insertContentArea: 'Inserir área de conteúdo',
+ insertContentAreaPlaceHolder: 'Inserir área de conteúdo em espaço reservado',
+ insertDictionaryItem: 'Inserir item de dicionário',
+ insertMacro: 'Inserir Macro',
+ insertPageField: 'Inserir campo de página Umbraco',
+ mastertemplate: 'Modelo mestre',
+ quickGuide: 'Guia rápido para etiquetas de modelos Umbraco',
+ template: 'Modelo',
+ },
+ grid: {
+ media: 'Image',
+ macro: 'Macro',
+ insertControl: 'Choose type of content',
+ chooseLayout: 'Choose a layout',
+ addRows: 'Add a row',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ settingsApplied: 'Settings applied',
+ contentNotAllowed: 'This content is not allowed here',
+ contentAllowed: 'This content is allowed here',
+ clickToEmbed: 'Click to embed',
+ clickToInsertImage: 'Click to insert image',
+ placeholderWriteHere: 'Write here...',
+ gridLayouts: 'Grid Layouts',
+ gridLayoutsDetail:
+ 'Layouts are the overall work area for the grid editor, usually you only need one or two different layouts',
+ addGridLayout: 'Add Grid Layout',
+ addGridLayoutDetail: 'Adjust the layout by setting column widths and adding additional sections',
+ rowConfigurations: 'Row configurations',
+ rowConfigurationsDetail: 'Rows are predefined cells arranged horizontally',
+ addRowConfiguration: 'Add row configuration',
+ addRowConfigurationDetail: 'Adjust the row by setting cell widths and adding additional cells',
+ columns: 'Columns',
+ columnsDetails: 'Total combined number of columns in the grid layout',
+ settings: 'Settings',
+ settingsDetails: 'Configure what settings editors can change',
+ styles: 'Styles',
+ stylesDetails: 'Configure what styling editors can change',
+ allowAllEditors: 'Allow all editors',
+ allowAllRowConfigurations: 'Allow all row configurations',
+ },
+ templateEditor: {
+ alternativeField: 'Campo alternativo',
+ alternativeText: 'Texto alternativo',
+ casing: 'Letra Maíscula ou minúscula',
+ chooseField: 'Escolha campo',
+ convertLineBreaks: 'Converter Quebra de Linhas',
+ convertLineBreaksHelp: 'Substitui quebra de linhas com a etiqueta html <br>',
+ dateOnly: 'Sim, Data somente',
+ formatAsDate: 'Formatar como data',
+ htmlEncode: 'Codificar HTML',
+ htmlEncodeHelp: 'Vai substituir caracteres especiais por seus equivalentes em HTML.',
+ insertedAfter: 'Será inserida após o valor do campo',
+ insertedBefore: 'Será inserida antes do valor do campo',
+ lowercase: 'Minúscula',
+ none: 'Nenhum',
+ postContent: 'Inserir após campo',
+ preContent: 'Inserir antes do campo',
+ recursive: 'Recursivo',
+ removeParagraph: 'Remover etiquetas de parágrafo',
+ removeParagraphHelp: 'Removerá quaisquer <P> do começo ao fim do texto',
+ uppercase: 'Maiúscula',
+ urlEncode: 'Codificar URL',
+ urlEncodeHelp: 'Vai formatar caracteres especiais em URLs',
+ usedIfAllEmpty: 'Será usado somente quando os valores nos campos acima estiverem vazios',
+ usedIfEmpty: 'Este campo somente será usado se o campo primário estiver em vazio',
+ withTime: 'Sim, com hora. Separador:',
+ },
+ translation: {
+ details: 'Detalhes da Tradução',
+ DownloadXmlDTD: 'Download Xml DTD',
+ fields: 'Campos',
+ includeSubpages: 'Incluir sub-páginas',
+ mailBody:
+ "Olá %0%\n\n Este é um email automatizado para informar que o documento '%1%' foi enviado para ser traduzido em '%5%' por %2%.\n\n Vá para http://%3%/translation/details.aspx?id=%4% para editar.\n\n Ou visite o Umbraco para ter uma visão geral das tarefas de tradução\n http://%3%\n\n Tenha um bom dia!\n\n Saudações do robô Umbraco\n ",
+ noTranslators:
+ 'Nenhum usuário tradutor encontrado. Favor criar um usuário tradutor antes que possa começar a enviar conteúdo para tradução',
+ pageHasBeenSendToTranslation: "A página '%0%' foi enviada para tradução",
+ sendToTranslate: "Enviar página '%0%' para tradução",
+ totalWords: 'Total de palavras',
+ translateTo: 'Traduzir para',
+ translationDone: 'Tradução concluída.',
+ translationDoneHelp:
+ 'Você pode visualizar as páginas que acaba de traduzir ao clicar abaixo. Se a página original for encontrada você poderá fazer a comparação entre as 2 páginas.',
+ translationFailed: 'Tradução falhou, o arquivo xml pode estar corrupto',
+ translationOptions: 'Opções de Tradução',
+ translator: 'Tradutor',
+ uploadTranslationXml: 'Upload Xml de Tradução',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Navegador de Cache',
+ contentRecycleBin: 'Lixeira',
+ createdPackages: 'Pacotes criados',
+ dataTypes: 'Tipo de Dado',
+ dictionary: 'Dicionário',
+ installedPackages: 'Pacotes instalados',
+ installSkin: 'Instalar tema',
+ installStarterKit: 'Instalar kit de iniciante',
+ languages: 'Linguagens',
+ localPackage: 'Instalar pacote local',
+ macros: 'Macros',
+ mediaTypes: 'Tipos de Mídia',
+ member: 'Membros',
+ memberGroups: 'Grupos de Membros',
+ memberRoles: 'Funções',
+ memberTypes: 'Tipo de Membro',
+ documentTypes: 'Tipos de Documentos',
+ packager: 'Pacotes',
+ packages: 'Pacotes',
+ repositories: 'Instalar desde o repositório',
+ runway: 'Instalar Runway',
+ runwayModules: 'Módulos Runway',
+ scripting: 'Arquivos de Script',
+ scripts: 'Scripts',
+ stylesheets: 'Stylesheets',
+ templates: 'Modelos',
+ userPermissions: 'Permissões de usuário',
+ userTypes: 'Tipos de Usuários',
+ users: 'Usuários',
+ },
+ update: {
+ updateAvailable: 'Nova atualização pronta',
+ updateDownloadText: '%0% está pronto, clique aqui para download',
+ updateNoServer: 'Nenhuma conexão ao servidor',
+ updateNoServerError:
+ 'Erro ao procurar por atualização. Favor revisar os detalhes (stack-trace) para mais informações',
+ },
+ user: {
+ administrators: 'Administrador',
+ categoryField: 'Campo de Categoria',
+ changePassword: 'Alterar Sua Senha',
+ changePasswordDescription:
+ "você pode alterar sua senha para acessar a área administrativa do Umbraco preenchendo o formulário abaixo e clicando no botão 'Alterar Senha'",
+ contentChannel: 'Canal de Conteúdo',
+ descriptionField: 'Campo de descrição',
+ disabled: 'Desabilitar Usuário',
+ documentType: 'Tipo de Documento',
+ editors: 'Editor',
+ excerptField: 'Campo de excerto',
+ language: 'Linguagem',
+ loginname: 'Login',
+ mediastartnode: 'Nó Inicial na Biblioteca de Mídia',
+ modules: 'Seções',
+ noConsole: 'Desabilitar Acesso Umbraco',
+ password: 'Senha',
+ passwordChanged: 'Sua senha foi alterada!',
+ passwordConfirm: 'Favor confirmar sua nova senha',
+ passwordEnterNew: 'Digite sua nova senha',
+ passwordIsBlank: 'Sua nova senha não pode estar em branco!',
+ passwordIsDifferent: 'Há uma diferença entre a nova senha e a confirmação da senha. Favor tentar novamente!',
+ passwordMismatch: 'A confirmação da senha não é igual à nova senha!',
+ permissionReplaceChildren: 'Substituir permissões do nó filho',
+ permissionSelectedPages: 'Vocês está modificando permissões para as páginas no momento:',
+ permissionSelectPages: 'Selecione páginas para modificar suas permissões',
+ searchAllChildren: 'Buscar todos filhos',
+ startnode: 'Nó Inicial do Conteúdo',
+ username: 'Nome de Usuário',
+ userPermissions: 'Permissões de usuário',
+ usertype: 'Tipo de usuário',
+ userTypes: 'Tipos de usuários',
+ writer: 'Escrevente',
+ sortCreateDateAscending: 'Mais antigo',
+ sortCreateDateDescending: 'Mais recente',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Selecionar tudo',
+ deselectAllLogLevelFilters: 'Desmarcar todos',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/ro-ro.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/ro-ro.ts
new file mode 100644
index 0000000000..7fc2db9270
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/ro-ro.ts
@@ -0,0 +1,63 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: ro
+ * Language Int Name: Romanian (RO)
+ * Language Local Name: romana (RO)
+ * Language LCID:
+ * Language Culture: ro-RO
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ sections: {
+ content: 'Conţinut',
+ forms: 'Formulare',
+ media: 'Media',
+ member: 'Membrii',
+ packages: 'Pachete',
+ marketplace: 'Marketplace',
+ settings: 'Setări',
+ translation: 'Traduceri',
+ users: 'Utilizatori',
+ },
+ treeHeaders: {
+ content: 'Conţinut',
+ contentBlueprints: 'Șabloane de conținut',
+ media: 'Media',
+ cacheBrowser: 'Cache Browser',
+ contentRecycleBin: 'Cos de gunoi',
+ createdPackages: 'Pachete create',
+ dataTypes: 'Tipuri de date',
+ dictionary: 'Dicţionar',
+ installedPackages: 'Pachete instalate',
+ installSkin: 'Instalare skin',
+ installStarterKit: 'Instalați trusa de pornire',
+ languages: 'Limbi',
+ localPackage: 'Instalați pachetul local',
+ macros: 'Macros',
+ mediaTypes: 'Tipuri media',
+ member: 'Membrii',
+ memberGroups: 'Grupuri de membri',
+ memberRoles: 'Rolurile membrilor',
+ memberTypes: 'Tipuri de membri',
+ documentTypes: 'Tipuri de documente',
+ relationTypes: 'Tipuri de relații',
+ packager: 'Pachete',
+ packages: 'Pachete',
+ partialViews: 'Vizualizări parțiale',
+ partialViewMacros: 'Vizualizare parțială fișiere macro',
+ repositories: 'Instalați din depozit',
+ runway: 'Instalați pista',
+ runwayModules: 'Module piste',
+ scripting: 'Fișiere de scriptare',
+ scripts: 'Scripturi',
+ stylesheets: 'Stylesheets',
+ templates: 'Șabloane',
+ logViewer: 'Vizualizator de jurnal',
+ users: 'Utilizatori',
+ settingsGroup: 'Setări',
+ templatingGroup: 'Modelare',
+ thirdPartyGroup: 'Terț',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/ru-ru.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/ru-ru.ts
new file mode 100644
index 0000000000..4bb00f41c4
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/ru-ru.ts
@@ -0,0 +1,1460 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: ru
+ * Language Int Name: Russian (RU)
+ * Language Local Name: русский (RU)
+ * Language LCID:
+ * Language Culture: ru-RU
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Языки и домены',
+ auditTrail: 'История исправлений',
+ browse: 'Просмотреть',
+ changeDocType: 'Изменить тип документа',
+ copy: 'Копировать',
+ create: 'Создать',
+ createblueprint: 'Создать шаблон содержимого',
+ createGroup: 'Создать группу',
+ createPackage: 'Создать пакет',
+ defaultValue: 'Значение по умолчанию',
+ delete: 'Удалить',
+ disable: 'Отключить',
+ emptyrecyclebin: 'Очистить корзину',
+ enable: 'Включить',
+ export: 'Экспорт',
+ exportDocumentType: 'Экспортировать',
+ importdocumenttype: 'Импортировать',
+ importPackage: 'Импортировать пакет',
+ liveEdit: 'Править на месте',
+ logout: 'Выйти',
+ move: 'Переместить',
+ notify: 'Уведомления',
+ protect: 'Публичный доступ',
+ publish: 'Опубликовать',
+ refreshNode: 'Обновить узлы',
+ rename: 'Переименовать',
+ republish: 'Опубликовать весь сайт',
+ restore: 'Восстановить',
+ rights: 'Разрешения',
+ rollback: 'Откатить',
+ sendtopublish: 'Направить на публикацию',
+ sendToTranslate: 'Направить на перевод',
+ setGroup: 'Задать группу',
+ setPermissions: 'Задать права',
+ sort: 'Сортировать',
+ translate: 'Перевести',
+ unpublish: 'Скрыть',
+ unlock: 'Разблокировать',
+ update: 'Обновить',
+ },
+ actionCategories: {
+ content: 'Содержимое',
+ administration: 'Администрирование',
+ structure: 'Структура',
+ other: 'Другое',
+ },
+ actionDescriptions: {
+ assignDomain: 'Разрешить доступ к назначению языков и доменов',
+ auditTrail: 'Разрешить доступ к просмотру журнала истории узла',
+ browse: 'Разрешить доступ на просмотр узла',
+ changeDocType: 'Разрешить доступ на смену типа документа для узла',
+ copy: 'Разрешить доступ к копированию узла',
+ create: 'Разрешить доступ к созданию узлов',
+ delete: 'Разрешить доступ к удалению узлов',
+ move: 'Разрешить доступ к перемещению узла',
+ protect: 'Разрешить доступ к установке и изменению правил публичного доступа для узла',
+ publish: 'Разрешить доступ к публикации узла',
+ rights: 'Разрешить доступ к изменению прав доступа к узлу',
+ rollback: 'Разрешить доступ на возврат к предыдущим состояниям узла',
+ sendtopublish: 'Разрешить доступ к отправке узла на одобрение перед публикацией',
+ sendToTranslate: 'Разрешить доступ к отправке узла на перевод данных',
+ sort: 'Разрешить доступ к изменению порядка сортировки узлов',
+ translate: 'Разрешить доступ к переводу данных узла',
+ update: 'Разрешить доступ к сохранению узла',
+ createblueprint: 'Разрешить доступ к созданию шаблона содержимого',
+ },
+ assignDomain: {
+ addNew: 'Добавить новый домен',
+ domain: 'Домен',
+ domainCreated: "Создан новый домен '%0%'",
+ domainDeleted: "Домен '%0%' удален",
+ domainExists: "Домен с именем '%0%' уже существует",
+ domainUpdated: "Домен '%0%' обновлен",
+ duplicateDomain: 'Такой домен уже назначен.',
+ inherit: 'Унаследовать',
+ invalidDomain: 'Недопустимый формат домена.',
+ invalidNode: 'Недопустимый узел.',
+ language: 'Язык',
+ orEdit: 'Править существующие домены',
+ permissionDenied: 'Недостаточно полномочий.',
+ remove: 'удалить',
+ setDomains: 'Домены',
+ setLanguage: 'Язык (культура)',
+ setLanguageHelp:
+ 'Установите язык (культуру) для всех дочерних узлов, или унаследуйте язык от родительских узлов. \n\t\tЭта установка будет применена также и к текущему узлу, если только для него ниже явно не задан домен.',
+ },
+ auditTrails: {
+ atViewingFor: 'Наблюдать за',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Создать новый шаблон содержимого из %0%',
+ blankBlueprint: 'Пустой',
+ selectBlueprint: 'Выбрать шаблон содержимого',
+ createdBlueprintHeading: 'Шаблон содержимого создан',
+ createdBlueprintMessage: "Создан шаблон содержимого из '%0%'",
+ duplicateBlueprintMessage: 'Другой шаблон содержимого с таким же названием уже существует',
+ blueprintDescription:
+ 'Шаблон содержимого — это предопределенный набор данных, который редактор может использовать для начального заполнения свойств при создании узлов содержимого',
+ },
+ bulk: {
+ done: 'Завершено',
+ deletedItem: 'Удален %0% элемент',
+ deletedItems: 'Удалено %0% элементов',
+ deletedItemOfItem: 'Удален %0% из %1% элементов',
+ deletedItemOfItems: 'Удалено %0% из %1% элементов',
+ publishedItem: 'Опубликован %0% элемент',
+ publishedItems: 'Опубликовано %0% элементов',
+ publishedItemOfItem: 'Опубликован %0% из %1% элементов',
+ publishedItemOfItems: 'Опубликовано %0% из %1% элементов',
+ unpublishedItem: 'Скрыт %0% элемент',
+ unpublishedItems: 'Скрыто %0% элементов',
+ unpublishedItemOfItem: 'Скрыт %0% из %1% элементов',
+ unpublishedItemOfItems: 'Скрыто %0% из %1% элементов',
+ movedItem: 'Перенесен %0% элемент',
+ movedItems: 'Перенесено %0% элементов',
+ movedItemOfItem: 'Перенесен %0% из %1% элементов',
+ movedItemOfItems: 'Перенесено %0% из %1% элементов',
+ copiedItem: 'Скопирован %0% элемент',
+ copiedItems: 'Скопировано %0% элементов',
+ copiedItemOfItem: 'Скопирован %0% из %1% элементов',
+ copiedItemOfItems: 'Скопировано %0% из %1% элементов',
+ },
+ buttons: {
+ bold: 'Полужирный',
+ clearSelection: 'Снять выбор',
+ deindent: 'Уменьшить отступ',
+ formFieldInsert: 'Вставить поле формы',
+ graphicHeadline: 'Вставить графический заголовок',
+ htmlEdit: 'Править исходный код HTML',
+ indent: 'Увеличить отступ',
+ italic: 'Курсив',
+ justifyCenter: 'По центру',
+ justifyLeft: 'По левому краю',
+ justifyRight: 'По правому краю',
+ linkInsert: 'Вставить ссылку',
+ linkLocal: 'Вставить якорь (локальную ссылку)',
+ listBullet: 'Маркированный список',
+ listNumeric: 'Нумерованный список',
+ macroInsert: 'Вставить макрос',
+ pictureInsert: 'Вставить изображение',
+ redo: 'Повторить',
+ relations: 'Править связи',
+ returnToList: 'Вернуться к списку',
+ save: 'Сохранить',
+ saveAndGenerateModels: 'Сохранить и построить модели',
+ saveAndPublish: 'Опубликовать',
+ saveToPublish: 'Направить на публикацию',
+ saveListView: 'Сохранить список',
+ select: 'Выбрать',
+ saveAndPreview: 'Предварительный просмотр',
+ showPageDisabled: 'Предварительный просмотр запрещен, так как документу не сопоставлен шаблон',
+ somethingElse: 'Другие действия',
+ styleChoose: 'Выбрать стиль',
+ styleShow: 'Показать стили',
+ tableInsert: 'Вставить таблицу',
+ undo: 'Отменить',
+ },
+ colorpicker: {
+ noColors: 'Вы не указали ни одного допустимого цвета',
+ },
+ colors: {
+ blue: 'Синий',
+ },
+ content: {
+ about: 'Об этой странице',
+ alias: 'Алиас',
+ alternativeTextHelp: '(как бы Вы описали изображение по телефону)',
+ alternativeUrls: 'Альтернативные ссылки',
+ altTextOptional: 'Альтернативный текст (необязательно)',
+ childItems: 'Элементы списка',
+ clickToEdit: 'Нажмите для правки этого элемента',
+ contentRoot: 'Начальный узел содержимого',
+ createBy: 'Создано пользователем',
+ createByDesc: 'Исходный автор',
+ createDate: 'Дата создания',
+ createDateDesc: 'Дата/время создания документа',
+ documentType: 'Тип документа',
+ editing: 'Редактирование',
+ expireDate: 'Скрыть',
+ getUrlException:
+ 'ВНИМАНИЕ: невозможно получить URL документа (внутренняя ошибка - подробности в системном журнале)',
+ isPublished: 'Опубликовано',
+ isSensitiveValue:
+ 'Это значение скрыто. Если Вам нужен доступ к просмотру этого значения, свяжитесь с администратором веб-сайта.',
+ isSensitiveValue_short: 'Это значение скрыто.',
+ itemChanged: 'Этот документ был изменен после публикации',
+ itemNotPublished: 'Этот документ не опубликован',
+ lastPublished: 'Документ опубликован',
+ noItemsToShow: 'Здесь еще нет элементов.',
+ listViewNoItems: 'В этом списке пока нет элементов.',
+ listViewNoContent: 'Содержимое пока еще не добавлено',
+ listViewNoMembers: 'Участники пока еще не добавлены',
+ mediaLinks: 'Ссылка на медиа-элементы',
+ mediatype: 'Тип медиа-контента',
+ membergroup: 'Группа участников',
+ memberof: 'Включен в группу(ы)',
+ memberrole: 'Роль участника',
+ membertype: 'Тип участника',
+ nestedContentDeleteItem: 'Вы уверены, что хотите удалить этот элемент?',
+ nestedContentEditorNotSupported:
+ "Свойство '%0%' использует редактор '%1%', который не поддерживается для вложенного содержимого.",
+ noChanges: 'Не было сделано никаких изменений',
+ noDate: 'Дата не указана',
+ nodeName: 'Заголовок страницы',
+ noMediaLink: 'Этот медиа-элемент не содержит ссылки',
+ notmemberof: 'Доступные группы',
+ otherElements: 'Свойства',
+ parentNotPublished:
+ "Этот документ опубликован, но скрыт, потому что его родительский документ '%0%' не опубликован",
+ parentNotPublishedAnomaly:
+ 'ВНИМАНИЕ: этот документ опубликован, но его нет в глобальном кэше (внутренняя ошибка - подробности в системном журнале)',
+ publish: 'Опубликовать',
+ published: 'Опубликовано',
+ publishedPendingChanges: 'Опубликовано (есть измененения)',
+ publishStatus: 'Состояние публикации',
+ releaseDate: 'Опубликовать',
+ removeDate: 'Очистить дату',
+ routeError: 'ВНИМАНИЕ: этот документ опубликован, но его URL вступает в противоречие с документом %0%',
+ scheduledPublishServerTime: 'Это время будет соответствовать следующему времени на сервере:',
+ scheduledPublishDocumentation:
+ 'Что это означает?',
+ setDate: 'Задать дату',
+ sortDone: 'Порядок сортировки обновлен',
+ sortHelp:
+ 'Для сортировки узлов просто перетаскивайте узлы или нажмите на заголовке столбца. Вы можете выбрать несколько узлов, удерживая клавиши "shift" или "ctrl" при пометке',
+ statistics: 'Статистика',
+ target: 'Цель',
+ titleOptional: 'Заголовок (необязательно)',
+ type: 'Тип',
+ unpublish: 'Скрыть',
+ unpublished: 'Распубликовано',
+ unpublishDate: 'Распубликовать',
+ updateDate: 'Последняя правка',
+ updateDateDesc: 'Дата/время редактирования документа',
+ updatedBy: 'Обновлено',
+ uploadClear: 'Удалить файл',
+ urls: 'Ссылка на документ',
+ addTextBox: 'Добавить новое поле текста',
+ removeTextBox: 'Удалить это поле текста',
+ saveModalTitle: 'Сохранить',
+ },
+ contentPicker: {
+ pickedTrashedItem: 'Выбран элемент содержимого, который в настоящее время удален или находится в корзине',
+ pickedTrashedItems: 'Выбраны элементы содержимого, которые в настоящее время удалены или находятся в корзине',
+ },
+ contentTypeEditor: {
+ compositions: 'Композиции',
+ noGroups: 'Вы не добавили ни одной вкладки',
+ inheritedFrom: 'Унаследовано от',
+ addProperty: 'Добавить свойство',
+ requiredLabel: 'Обязательная метка',
+ enableListViewHeading: 'Представление в формате списка',
+ enableListViewDescription:
+ 'Устанавливает представление документа данного типа в виде сортируемого списка дочерних документов с функцией поиска, в отличие от обычного представления дочерних документов в виде дерева',
+ allowedTemplatesHeading: 'Допустимые шаблоны',
+ allowedTemplatesDescription: 'Выберите перечень допустимых шаблонов для сопоставления документам данного типа',
+ allowAsRootHeading: 'Разрешить в качестве корневого',
+ allowAsRootDescription: 'Позволяет создавать документы этого типа в самом корне дерева содержимого',
+ childNodesHeading: 'Допустимые типы дочерних документов',
+ childNodesDescription:
+ 'Позволяет указать перечень типов документов, допустимых для создания документов, дочерних к данному типу',
+ chooseChildNode: 'Выбрать дочерний узел',
+ compositionsDescription:
+ 'Унаследовать вкладки и свойства из уже существующего типа документов. Вкладки будут либо добавлены в создаваемый тип, либо в случае совпадения названий вкладок будут добавлены наследуемые свойства.',
+ compositionInUse:
+ 'Этот тип документов уже участвует в композиции другого типа, поэтому сам не может быть композицией.',
+ compositionUsageHeading: 'Где используется эта композиция?',
+ compositionUsageSpecification: 'Эта композиция сейчас используется при создании следующих типов документов:',
+ noAvailableCompositions: 'В настоящее время нет типов документов, допустимых для построения композиции.',
+ availableEditors: 'Доступные редакторы',
+ reuse: 'Переиспользовать',
+ editorSettings: 'Установки редактора',
+ configuration: 'Конфигурирование',
+ yesDelete: 'ДА, удалить',
+ movedUnderneath: 'перемещены внутрь',
+ copiedUnderneath: 'скопированы внутрь',
+ folderToMove: 'Выбрать папку для перемещения',
+ folderToCopy: 'Выбрать папку для копирования',
+ structureBelow: 'в структуре дерева',
+ allDocumentTypes: 'Все типы документов',
+ allDocuments: 'Все документы',
+ allMediaItems: 'Все медиа-элементы',
+ usingThisDocument:
+ ', использующие этот тип документов, будут безвозвратно удалены, пожалуйста, подтвердите это действие.',
+ usingThisMedia: ', использующие этот тип медиа, будут безвозвратно удалены, пожалуйста, подтвердите это действие.',
+ usingThisMember:
+ ', использующие этот тип участников, будут безвозвратно удалены, пожалуйста, подтвердите это действие.',
+ andAllDocuments: 'и все документы, использующие данный тип',
+ andAllMediaItems: 'и все медиа-элементы, использующие данный тип',
+ andAllMembers: 'и все участники, использующие данный тип',
+ memberCanEdit: 'Участник может изменить',
+ memberCanEditDescription: 'Разрешает редактирование значение данного свойства участником в своем профиле',
+ isSensitiveData: 'Конфеденциальные данные',
+ isSensitiveDataDescription:
+ 'Скрывает значение это свойства от редакторов содержимого, не имеющих доступа к конфеденциальной информации',
+ showOnMemberProfile: 'Показать в профиле участника',
+ showOnMemberProfileDescription: 'Разрешает показ данного свойства в профиле участника',
+ tabHasNoSortOrder: 'для вкладки не указан порядок сортировки',
+ },
+ create: {
+ chooseNode: 'Где вы хотите создать новый %0%',
+ createContentBlueprint: 'Выберите тип документов, для которого нужно создать шаблон содержимого',
+ createUnder: 'Создать в узле',
+ newFolder: 'Новая папка',
+ newDataType: 'Новый тип данных',
+ noDocumentTypes:
+ 'Нет ни одного разрешенного типа документов для создания. Необходимо разрешить нужные Вам типы в секции "Установки" в дереве "Типы документов".',
+ noMediaTypes:
+ 'Нет ни одного разрешенного типа медиа-материалов для создания. Необходимо разрешить нужные Вам типы в секции "Установки" в дереве "Типы медиа-материалов".',
+ updateData: 'Выберите тип и заголовок',
+ documentTypeWithoutTemplate: 'Тип документа без сопоставленного шаблона',
+ newJavascriptFile: 'Новый файл javascript',
+ newEmptyPartialView: 'Новое пустое частичное представление',
+ newPartialViewMacro: 'Новый макрос-представление',
+ newPartialViewFromSnippet: 'Новое частичное представление по образцу',
+ newPartialViewMacroFromSnippet: 'Новый макрос-представление по образцу',
+ newPartialViewMacroNoMacro: 'Новый макрос-представление (без регистрации макроса)',
+ },
+ dashboard: {
+ browser: 'Обзор сайта',
+ dontShowAgain: '- Скрыть - ',
+ nothinghappens:
+ 'Если административная панель не загружается, Вам, возможно, следует разрешить всплывающие окна для данного сайта',
+ openinnew: 'было открыто в новом окне',
+ restart: 'Перезапустить',
+ visit: 'Посетить',
+ welcome: 'Рады приветствовать',
+ },
+ defaultdialogs: {
+ anchorInsert: 'Название',
+ assignDomain: 'Управление доменами',
+ closeThisWindow: 'Закрыть это окно',
+ confirmdelete: 'Вы уверены, что хотите удалить',
+ confirmdisable: 'Вы уверены, что хотите запретить',
+ confirmlogout: 'Вы уверены?',
+ confirmSure: 'Вы уверены?',
+ cut: 'Вырезать',
+ editDictionary: 'Править статью словаря',
+ editLanguage: 'Изменить язык',
+ insertAnchor: 'Вставить локальную ссылку (якорь)',
+ insertCharacter: 'Вставить символ',
+ insertgraphicheadline: 'Вставить графический заголовок',
+ insertimage: 'Вставить изображение',
+ insertlink: 'Вставить ссылку',
+ insertMacro: 'Вставить макрос',
+ inserttable: 'Вставить таблицу',
+ lastEdited: 'Последняя правка',
+ link: 'Ссылка',
+ linkinternal: 'Внутренняя ссылка',
+ linklocaltip: 'Для того чтобы определить локальную ссылку, используйте "#" первым символом',
+ linknewwindow: 'Открыть в новом окне?',
+ macroDoesNotHaveProperties: 'Этот макрос не имеет редактируемых свойств',
+ nodeNameLinkPicker: 'Заголовок ссылки',
+ noIconsFound: 'Ни одной пиктограммы не найдено',
+ paste: 'Вставить',
+ permissionsEdit: 'Изменить разрешения для',
+ permissionsSet: 'Установить разрешения для',
+ permissionsSetForGroup: "Установить права доступа к '%0%' для группы пользователей '%1%'",
+ permissionsHelp: 'Выберите группу(ы) пользователей, для которых нужно установить разрешения',
+ recycleBinDeleting:
+ 'Все элементы в корзине сейчас удаляются. Пожалуйста, не закрывайте это окно до окончания процесса удаления',
+ recycleBinIsEmpty: 'Корзина пуста',
+ recycleBinWarning: 'Вы больше не сможете восстановить элементы, удаленные из корзины',
+ regexSearchError:
+ "Сервис regexlib.com испытывает в настоящее время некоторые трудности, не зависящие от нас. Просим извинить за причиненные неудобства.",
+ regexSearchHelp:
+ "Используйте поиск регулярных выражений для добавления сервиса проверки к полю Вашей формы. Например: 'email, 'zip-code', 'URL'",
+ removeMacro: 'Удалить макрос',
+ requiredField: 'Обязательное поле',
+ sitereindexed: 'Сайт переиндексирован',
+ siterepublished:
+ 'Кэш сайта был обновлен. Все опубликованное содержимое приведено в актуальное состояние, в то время как неопубликованное содержимое по-прежнему не опубликовано',
+ siterepublishHelp:
+ 'Кэш сайта будет полностью обновлен. Все опубликованное содержимое будет обновлено, в то время как неопубликованное содержимое по-прежнему останется неопубликованным',
+ tableColumns: 'Количество столбцов',
+ tableRows: 'Количество строк',
+ thumbnailimageclickfororiginal: 'Кликните на изображении, чтобы увидеть полноразмерную версию',
+ treepicker: 'Выберите элемент',
+ urlLinkPicker: 'Ссылка',
+ viewCacheItem: 'Просмотр элемента кэша',
+ relateToOriginalLabel: 'Связать с оригиналом',
+ includeDescendants: 'Включая все дочерние',
+ theFriendliestCommunity: 'Самое дружелюбное сообщество',
+ linkToPage: 'Ссылка на страницу',
+ openInNewWindow: 'Открывать ссылку в новом окне или вкладке браузера',
+ linkToMedia: 'Ссылка на медиа-элемент',
+ selectMedia: 'Выбрать медиа',
+ selectMediaStartNode: 'Выбрать начальный узел медиа-библиотеки',
+ selectIcon: 'Выбрать значок',
+ selectItem: 'Выбрать элемент',
+ selectLink: 'Выбрать ссылку',
+ selectMacro: 'Выбрать макрос',
+ selectContent: 'Выбрать содержимое',
+ selectContentStartNode: 'Выбрать начальный узел содержимого',
+ selectMember: 'Выбрать участника',
+ selectMemberGroup: 'Выбрать группу участников',
+ selectNode: 'Выбрать узел',
+ selectSections: 'Выбрать разделы',
+ selectUsers: 'Выбрать пользователей',
+ noMacroParams: 'Это макрос без параметров',
+ noMacros: 'Нет макросов, доступных для вставки в редактор',
+ externalLoginProviders: 'Провайдеры аутентификации',
+ exceptionDetail: 'Подробное сообщение об ошибке',
+ stacktrace: 'Трассировка стека',
+ innerException: 'Внутренняя ошибка',
+ linkYour: 'Связать',
+ unLinkYour: 'Разорвать связь',
+ account: 'учетную запись',
+ selectEditor: 'Выбрать редактор',
+ selectSnippet: 'Выбрать образец',
+ },
+ dictionaryItem: {
+ description:
+ "Ниже Вы можете указать различные переводы данной статьи словаря '%0%'. Добавить другие языки можно, воспользовавшись пунктом 'Языки' в меню слева.",
+ displayName: 'Название языка (культуры)',
+ changeKeyError: "Ключ '%0%' уже существует в словаре.",
+ overviewTitle: 'Обзор словаря',
+ },
+ editcontenttype: {
+ createListView: 'Создать пользовательский список',
+ removeListView: 'Удалить пользовательский список',
+ },
+ editdatatype: {
+ addPrevalue: 'Добавить предустановленное значение',
+ dataBaseDatatype: 'Тип данных в БД',
+ guid: 'GUID типа данных',
+ renderControl: 'Редактор свойства',
+ rteButtons: 'Кнопки',
+ rteEnableAdvancedSettings: 'Включить расширенные настройки для',
+ rteEnableContextMenu: 'Включить контекстное меню',
+ rteMaximumDefaultImgSize: 'Максимальный размер по-умолчанию для вставляемых изображений',
+ rteRelatedStylesheets: 'Сопоставленные стили CSS',
+ rteShowLabel: 'Показать метку',
+ rteWidthAndHeight: 'Ширина и высота',
+ selectFolder: 'Выберите папку, чтобы переместить в нее',
+ inTheTree: 'в структуре дерева ниже',
+ wasMoved: 'был перемещен в папку',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Нет доступных элементов словаря',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Ваши данные сохранены, но для того, чтобы опубликовать этот документ, Вы должны сначала исправить следующие ошибки:',
+ errorExistsWithoutTab: '%0% уже существует',
+ errorHeader: 'Обнаружены следующие ошибки:',
+ errorHeaderWithoutTab: 'Обнаружены следующие ошибки:',
+ errorInPasswordFormat:
+ 'Пароль должен состоять как минимум из %0% символов, хотя бы %1% из которых не являются буквами',
+ errorIntegerWithoutTab: '%0% должно быть целочисленным значением',
+ errorMandatory: '%0% в %1% является обязательным полем',
+ errorMandatoryWithoutTab: '%0% является обязательным полем',
+ errorRegExp: '%0% в %1%: данные в некорректном формате',
+ errorRegExpWithoutTab: '%0% - данные в некорректном формате',
+ },
+ errors: {
+ receivedErrorFromServer: 'Получено сообщение об ошибке от сервера',
+ codemirroriewarning:
+ 'ПРЕДУПРЕЖДЕНИЕ! Несмотря на то, что CodeMirror по-умолчанию разрешен в данной конфигурации, он по-прежнему отключен для браузеров Internet Explorer ввиду нестабильной работы',
+ contentTypeAliasAndNameNotNull: 'Укажите, пожалуйста, алиас и имя для этого свойства!',
+ dissallowedMediaType: 'Использование данного типа файлов на сайте запрещено администратором',
+ filePermissionsError: 'Ошибка доступа к указанному файлу или папке',
+ macroErrorLoadingPartialView: 'Ошибка загрузки кода в частичном представлении (файл: %0%)',
+ missingTitle: 'Укажите заголовок',
+ missingType: 'Выберите тип',
+ pictureResizeBiggerThanOrg:
+ 'Вы пытаетесь увеличить изображение по сравнению с его исходным размером. Уверены, что хотите сделать это?',
+ startNodeDoesNotExists: 'Начальный узел был удален, свяжитесь с Вашим администратором',
+ stylesMustMarkBeforeSelect: 'Для смены стиля отметьте фрагмент текста',
+ stylesNoStylesOnPage: 'Не определен ни один доступный стиль',
+ tableColMergeLeft: 'Поместите курсор в левую из двух ячеек, которые хотите объединить',
+ tableSplitNotSplittable: 'Нельзя разделить ячейку, которая не была до этого объединена',
+ },
+ general: {
+ about: 'О системе',
+ action: 'Действие',
+ actions: 'Действия',
+ add: 'Добавить',
+ alias: 'Алиас',
+ all: 'Все',
+ areyousure: 'Вы уверены?',
+ back: 'Назад',
+ border: 'Границы',
+ by: 'пользователем',
+ cancel: 'Отмена',
+ cellMargin: 'Отступ ячейки',
+ choose: 'Выбрать',
+ close: 'Закрыть',
+ closewindow: 'Закрыть окно',
+ comment: 'Примечание',
+ confirm: 'Подтвердить',
+ constrain: 'Сохранять пропорции',
+ constrainProportions: 'Сохранять пропорции',
+ continue: 'Далее',
+ copy: 'Копировать',
+ create: 'Создать',
+ database: 'База данных',
+ date: 'Дата',
+ default: 'По-умолчанию',
+ delete: 'Удалить',
+ deleted: 'Удалено',
+ deleting: 'Удаляется...',
+ design: 'Дизайн',
+ dictionary: 'Словарь',
+ dimensions: 'Размеры',
+ down: 'Вниз',
+ download: 'Скачать',
+ edit: 'Изменить',
+ edited: 'Изменено',
+ elements: 'Элементы',
+ email: 'Email адрес',
+ error: 'Ошибка',
+ findDocument: 'Найти',
+ first: 'Начало',
+ general: 'Общее',
+ groups: 'Группы',
+ folder: 'Папка',
+ height: 'Высота',
+ help: 'Справка',
+ hide: 'Скрыть',
+ history: 'История',
+ icon: 'Иконка',
+ import: 'Импорт',
+ info: 'Инфо',
+ innerMargin: 'Внутренний отступ',
+ insert: 'Вставить',
+ install: 'Установить',
+ invalid: 'Неверно',
+ justify: 'Выравнивание',
+ label: 'Название',
+ language: 'Язык',
+ last: 'Конец',
+ layout: 'Макет',
+ links: 'Ссылки',
+ loading: 'Загрузка',
+ locked: 'БЛОКИРОВКА',
+ login: 'Войти',
+ logoff: 'Выйти',
+ logout: 'Выход',
+ macro: 'Макрос',
+ mandatory: 'Обязательно',
+ message: 'Сообщение',
+ move: 'Переместить',
+ name: 'Название',
+ new: 'Новый',
+ next: 'След',
+ no: 'Нет',
+ noItemsInList: 'Здесь пока нет элементов',
+ of: 'из',
+ off: 'Выкл',
+ ok: 'Ok',
+ open: 'Открыть',
+ on: 'Вкл',
+ options: 'Варианты',
+ or: 'или',
+ orderBy: 'Сортировка по',
+ password: 'Пароль',
+ path: 'Путь',
+ pleasewait: 'Минуточку...',
+ previous: 'Пред',
+ properties: 'Свойства',
+ reciept: 'Email адрес для получения данных',
+ recycleBin: 'Корзина',
+ recycleBinEmpty: 'Ваша корзина пуста',
+ remaining: 'Осталось',
+ remove: 'Удалить',
+ rename: 'Переименовать',
+ renew: 'Обновить',
+ required: 'Обязательное',
+ retrieve: 'Получить',
+ retry: 'Повторить',
+ rights: 'Разрешения',
+ scheduledPublishing: 'Публикация по расписанию',
+ search: 'Поиск',
+ searchNoResult: 'К сожалению, ничего подходящего не нашлось',
+ searchResults: 'Результаты поиска',
+ server: 'Сервер',
+ show: 'Показать',
+ showPageOnSend: 'Показать страницу при отправке',
+ size: 'Размер',
+ sort: 'Сортировать',
+ status: 'Состояние',
+ submit: 'Отправить',
+ type: 'Тип',
+ typeToSearch: 'Что искать?',
+ up: 'Вверх',
+ update: 'Обновить',
+ upgrade: 'Обновление',
+ upload: 'Загрузить',
+ url: 'Интернет-ссылка',
+ user: 'Пользователь',
+ username: 'Имя пользователя',
+ value: 'Значение',
+ view: 'Просмотр',
+ welcome: 'Добро пожаловать...',
+ width: 'Ширина',
+ yes: 'Да',
+ reorder: 'Пересортировать',
+ reorderDone: 'Пересортировка завершена',
+ preview: 'Предпросмотр',
+ changePassword: 'Сменить пароль',
+ to: 'к',
+ listView: 'Список',
+ saving: 'Сохранение...',
+ current: 'текущий',
+ selected: 'выбрано',
+ embed: 'Встроить',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Цвет фона',
+ bold: 'Полужирный',
+ color: 'Цвет текста',
+ font: 'Шрифт',
+ text: 'Текст',
+ },
+ grid: {
+ media: 'Изображение',
+ macro: 'Макрос',
+ addElement: 'Добавить содержимое',
+ dropElement: 'Сбросить содержимое',
+ addGridLayout: 'Добавить шаблон сетки',
+ addGridLayoutDetail: 'Настройте шаблон, задавая ширину колонок или добавляя дополнительные секции',
+ addRowConfiguration: 'Добавить конфигурацию строки',
+ addRowConfigurationDetail: 'Настройте строку, задавая ширину ячеек или добавляя дополнительные ячейки',
+ addRows: 'Добавить новые строки',
+ allowAllEditors: 'Доступны все редакторы',
+ allowAllRowConfigurations: 'Доступны все конфигурации строк',
+ chooseLayout: 'Выберите шаблон',
+ clickToEmbed: 'Кликните для встраивания',
+ clickToInsertImage: 'Кликните для вставки изображения',
+ columns: 'Колонки',
+ contentNotAllowed: 'Недопустимый тип содержимого',
+ contentAllowed: 'Данный тип содержимого разрешен',
+ columnsDetails: 'Суммарное число колонок в шаблоне сетки',
+ gridLayouts: 'Шаблоны сетки',
+ gridLayoutsDetail:
+ 'Шаблоны являются рабочим пространством для редактора сетки, обычно Вам понадобится не более одного или двух шаблонов',
+ insertControl: 'Вставить элемент',
+ placeholderWriteHere: 'Напишите...',
+ rowConfigurations: 'Конфигурации строк',
+ rowConfigurationsDetail: 'Строки - это последовательности ячеек с горизонтальным расположением',
+ settings: 'Установки',
+ settingsApplied: 'Установки применены',
+ settingsDetails: 'Задайте установки, доступные редакторам для изменения',
+ styles: 'Стили',
+ stylesDetails: 'Задайте стили, доступные редакторам для изменения',
+ setAsDefault: 'Установить по-умолчанию',
+ chooseExtra: 'Выбрать дополнительно',
+ chooseDefault: 'Выбрать по-умолчанию',
+ areAdded: 'добавлены',
+ maxItemsDescription: 'Оставьте пустым или задайте 0 для снятия лимита',
+ maxItems: 'Максимальное количество',
+ },
+ headers: {
+ page: 'Страница',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Для параметра установлено рекомендованное значение: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Ожидаемое значение '%1%' для параметра '%2%' в файле конфигурации '%3%', найденное значение: '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "Найдено неожиданное значение '%0%' для параметра '%2%' в файле конфигурации '%3%'.",
+ macroErrorModeCheckSuccessMessage: "Параметр 'MacroErrors' установлен в '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Параметр 'MacroErrors' установлен в '%0%', что может привести к неполной обработке части страниц или всех страниц сайта при наличии ошибок в макросах. Устранить это можно путем установки значения в '%1%'.",
+ httpsCheckValidCertificate: 'Сертификат Вашего веб-сайта отмечен как проверенный.',
+ httpsCheckInvalidCertificate: "Ошибка проверки сертификата: '%0%'",
+ httpsCheckIsCurrentSchemeHttps: 'Сейчас Вы %0% просматриваете сайт, используя протокол HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Режим компиляции с отладкой выключен.',
+ compilationDebugCheckErrorMessage:
+ 'Режим компиляции с отладкой сейчас включен. Рекомендуется выключить перед размещением сайта в сети.',
+ clickJackingCheckHeaderFound:
+ 'Был обнаружен заголовок или мета-тэг X-Frame-Options, использующийся для управления возможностью помещать сайт в IFRAME на другом сайте.',
+ clickJackingCheckHeaderNotFound:
+ 'Заголовок или мета-тэг X-Frame-Options, использующийся для управления возможностью помещать сайт в IFRAME на другом сайте, не обнаружен.',
+ noSniffCheckHeaderFound:
+ 'Заголовок или мета-тэг X-Content-Type-Options, использующиеся для защиты от MIME-уязвимостей, обнаружены.',
+ noSniffCheckHeaderNotFound:
+ 'Заголовок или мета-тэг X-Content-Type-Options, использующиеся для защиты от MIME-уязвимостей, не найдены.',
+ hSTSCheckHeaderFound:
+ 'Заголовок Strict-Transport-Security, известный также как HSTS-header, обнаружен.',
+ hSTSCheckHeaderNotFound: 'Заголовок Strict-Transport-Security не найден.',
+ xssProtectionCheckHeaderFound: 'Заголовок X-XSS-Protection обнаружен.',
+ xssProtectionCheckHeaderNotFound: 'Заголовок X-XSS-Protection не найден.',
+ excessiveHeadersFound:
+ 'Обнаружены следующие заголовки, позволяющие выяснить базовую технологию сайта: %0%.',
+ excessiveHeadersNotFound: 'Заголовки, позволяющие выяснить базовую технологию сайта, не обнаружены.',
+ smtpMailSettingsConnectionSuccess:
+ 'Параметры отправки электронной почты (SMTP) настроены корректно, сервис работает как ожидается.',
+ notificationEmailsCheckSuccessMessage: 'Адрес для отправки уведомлений установлен в %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Адрес для отправки уведомлений все еще установлен в значение по-умолчанию %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Зафиксированы следующие результаты автоматической проверки состояния Umbraco по расписанию, запущенной на %0% в %1%:
%2%',
+ scheduledHealthCheckEmailSubject: 'Результат проверки состояния Umbraco: %0%',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'Лучшие обучающие видео-курсы по Umbraco',
+ },
+ imagecropper: {
+ reset: 'Сбросить',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Программа установки не может установить подключение к базе данных.',
+ databaseFound: 'База данных обнаружена и идентифицирована как',
+ databaseHeader: 'Конфигурация базы данных',
+ databaseInstall: '\n\t\tНажмите кнопку Установить чтобы установить базу данных Umbraco %0%\n\t\t',
+ databaseInstallDone:
+ 'Ваша База данных сконфигурирована для работы Umbraco %0%. Нажмите кнопку Далее для продолжения.',
+ databaseText:
+ 'Для завершения данного шага Вам нужно располагать некоторой информацией о Вашем сервере базы данных\n\t\t(строка подключения "connection string") \n\t\tПожалуйста, свяжитесь с Вашим хостинг-провайдером, если есть необходимость, а если устанавливаете на локальную рабочую станцию или сервер, то получите информацию у Вашего системного администратора.',
+ databaseUpgrade:
+ '\n\t\t
Нажмите кнопку Обновление\n\t\tдля того, чтобы привести Вашу базу данных\n\t\tв соответствие с версией Umbraco %0%
\n\t\t
Пожалуйста, не волнуйтесь, ни одной строки Вашей базы данных\n\t\tне будет потеряно при данной операции, и после ее завершения все будет работать!
\n\t\t',
+ databaseUpgradeDone:
+ 'Ваша база данных успешно обновлена до последней версии %0%. Нажмите Далее для продолжения. ',
+ databaseUpToDate:
+ 'Указанная Вами база данных находится в актуальном состоянии. Нажмите кнопку Далее для продолжения работы мастера настроек',
+ defaultUserChangePass: 'Пароль пользователя по-умолчанию необходимо сменить!',
+ defaultUserDisabled:
+ 'Пользователь по-умолчанию заблокирован или не имеет доступа к Umbraco!
Не будет предпринято никаких дальнейших действий. Нажмите кнопку Далее для продолжения.',
+ defaultUserPassChanged:
+ 'Пароль пользователя по-умолчанию успешно изменен в процессе установки!
Нет надобности в каких-либо дальнейших действиях. Нажмите кнопку Далее для продолжения.',
+ defaultUserPasswordChanged: 'Пароль изменен!',
+ greatStart: 'Для начального обзора возможностей системы рекомендуем посмотреть ознакомительные видеоматериалы',
+ None: 'Система не установлена.',
+ permissionsAffectedFolders: 'Затронутые файлы и папки',
+ permissionsAffectedFoldersMoreInfo: 'Более подробно об установке разрешений для Umbraco рассказано здесь',
+ permissionsAffectedFoldersText:
+ 'Вам следует установить разрешения для учетной записи ASP.NET на модификацию следующих файлов и папок',
+ permissionsAlmostPerfect:
+ 'Установки разрешений в Вашей системе почти полностью отвечают требованиям Umbraco!\n\t\t
Вы имеете возможность запускать Umbraco без проблем, однако не сможете воспользоваться такой сильной стороной системы Umbraco как установка дополнительных пакетов расширений и дополнений.',
+ permissionsHowtoResolve: 'Как решить проблему',
+ permissionsHowtoResolveLink: 'Нажмите здесь, чтобы прочесть текстовую версию документа',
+ permissionsHowtoResolveText:
+ 'Пожалуйста, посмотрите наш видео-материал, посвященный установке разрешений для файлов и папок в Umbraco или прочтите текстовую версию документа.',
+ permissionsMaybeAnIssue:
+ 'Установки разрешений в Вашей файловой системе могут быть неверными!\n\t\t
Вы имеете возможность запускать Umbraco без проблем,\n\t\tоднако не сможете воспользоваться такой сильной стороной системы Umbraco как установка дополнительных пакетов расширений и дополнений.',
+ permissionsNotReady:
+ 'Установки разрешений в Вашей файловой системе не подходят для работы Umbraco!\n\t\t
Если Вы хотите продолжить работу с Umbraco,\n\t\tВам необходимо скорректировать установки разрешений.',
+ permissionsPerfect:
+ 'Установки разрешений в Вашей системе идеальны!\n\t\t
Вы имеете возможность работать с Umbraco в полном объеме включая установку дополнительных пакетов расширений и дополнений!',
+ permissionsResolveFolderIssues: 'Решение проблемы с папками',
+ permissionsResolveFolderIssuesLink:
+ 'Воспользуйтесь этой ссылкой для получения более подробной информации о проблемах создания папок от имени учетной записи ASP.NET',
+ permissionsSettingUpPermissions: 'Установка разрешений на папки',
+ permissionsText:
+ '\n\t\tСистеме Umbraco необходимы права на чтение и запись файлов в некоторые папки, чтобы сохранять в них такие материалы как, например, изображения или документы PDF.\n\t\tТакже подобным образом система сохраняет кэшированные данные Вашего сайта с целью повышения его производительности.\n\t\t',
+ runwayFromScratch: "Я хочу начать с 'чистого листа'",
+ runwayFromScratchText:
+ '\n\t\tВ настоящий момент Ваш сайт абсолютно пустой, что является наилучшим вариантом для старта\n\t\t"с чистого листа", чтобы начать создавать свои собственные типы документов и шаблоны.\n\t\t(Здесь можно узнать об этом подробнее) Вы также можете отложить установку "Runway" на более позднее время. Перейдите к разделу "Разработка" и выберите пункт "Пакеты".\n\t\t',
+ runwayHeader: 'Вы только что установили чистую платформу Umbraco. Какой шаг будет следующим?',
+ runwayInstalled: '"Runway" установлен',
+ runwayInstalledText:
+ '\n\t\tБазовый пакет системы установлен. Выберите, какие модули Вы хотите установить сверх\n\t\tбазового пакета. Ниже приведен список модулей, рекомендованных к установке, измените его при необходимости, или ознакомьтесь с полным списком модулей\n\t\t',
+ runwayOnlyProUsers: 'Рекомендовано только для опытных пользователей',
+ runwaySimpleSite: 'Я хочу начать с установки простого демонстрационного сайта',
+ runwaySimpleSiteText:
+ '\n\t\t
"Runway" - это простой демонстрационный веб-сайт, предоставляющий базовый перечень шаблонов и типов документов.\n\t\tПрограмма установки может настроить "Runway" для Вас автоматически,\n\t\tно Вы можете в дальнейшем свободно изменять, расширять или удалить его.\n\t\tЭтот демонстрационный сайт не является необходимой частью, и Вы можете свободно\n\t\tиспользовать Umbraco без него. Однако, "Runway" предоставляет Вам возможность\n\t\tмаксимально быстро познакомиться с базовыми принципами и техникой построения сайтов\n\t\tна основе Umbraco. Если Вы выберете вариант с установкой "Runway",\n\t\tВам будет предложен выбор "базовых строительных блоков" (т.н. модулей Runway) для расширения возможностей страниц сайта "Runway".
\n\t\tВ "Runway" входят:"Домашняя" (главная) страница, страница "Начало работы",\n\t\tстраница установки модулей. Дополнительные модули:Базовая навигация, Карта сайта, Форма обратной связи, Галерея.\n\t\t',
+ runwayWhatIsRunway: 'Что такое "Runway"',
+ step1: 'Шаг 1 из 5: Лицензионное соглашение',
+ step2: 'Шаг 2 из 5: конфигурация базы данных',
+ step3: 'Шаг 3 из 5: проверка файловых разрешений',
+ step4: 'Шаг 4 из 5: проверка безопасности',
+ step5: 'Шаг 5 из 5: система готова для начала работы',
+ thankYou: 'Спасибо, что выбрали Umbraco',
+ theEndBrowseSite:
+ '
Обзор Вашего нового сайта
Вы установили "Runway",\n\t\tпочему бы не посмотреть, как выглядит Ваш новый сайт?',
+ theEndFurtherHelp:
+ '
Дальнейшее изучение и помощь
\n\t\tПолучайте помощь от нашего замечательного сообщества пользователей, изучайте документацию или просматривайте наши свободно распространяемые видео-материалы о том, как создать собственный несложный сайт, как использовать расширения и пакеты, а также краткое руководство по терминологии Umbraco.',
+ theEndHeader: 'Система Umbraco %0% установлена и готова к работе',
+ theEndInstallSuccess:
+ 'Вы можете начать работу прямо сейчас,\n\t\tвоспользовавшись ссылкой "Начать работу с Umbraco". Если Вы новичок в мире Umbraco, Вы сможете найти много полезных ссылок на ресурсы на странице "Начало работы".',
+ theEndOpenUmbraco:
+ '
Начните работу с Umbraco
\n\t\tДля того, чтобы начать администрировать свой сайт, просто откройте административную панель Umbraco и начните обновлять контент, изменять шаблоны страниц и стили CSS или добавлять новую функциональность',
+ Unavailable: 'Попытка соединения с базой данных потерпела неудачу.',
+ Version3: 'Версия Umbraco 3',
+ Version4: 'Версия Umbraco 4',
+ watch: 'Смотреть',
+ welcomeIntro:
+ 'Этот мастер проведет Вас через процесс конфигурирования\n\t\tUmbraco %0% в форме "чистой" установки или обновления предыдущей версии 3.x.\n\t\t
Нажмите кнопку "Далее" для начала работы мастера.',
+ },
+ language: {
+ cultureCode: 'Код языка',
+ displayName: 'Название языка',
+ },
+ lockout: {
+ lockoutWillOccur: 'Вы отсутствовали некоторое время. Был осуществлен автоматический выход в',
+ renewSession: 'Обновите сейчас, чтобы сохранить сделанные изменения',
+ },
+ login: {
+ bottomText:
+ '
\n\t\t\t\n\t\t\n ",
+ },
+ main: {
+ dashboard: 'Панель управления',
+ sections: 'Разделы',
+ tree: 'Содержимое',
+ },
+ media: {
+ clickToUpload: 'Нажмите, чтобы загрузить',
+ disallowedFileType: 'Невозможна загрузка этого файла, этот тип файлов не разрешен для загрузки',
+ orClickHereToUpload: 'или нажмите сюда, чтобы выбрать файлы',
+ maxFileSize: 'Максимально допустимый размер файла: ',
+ mediaRoot: 'Начальный узел медиа',
+ },
+ mediaPicker: {
+ pickedTrashedItem: 'Выбран медиа-элемент, который в настоящее время удален или находится в корзине',
+ pickedTrashedItems: 'Выбраны медиа-элементы, которые в настоящее время удалены или находятся в корзине',
+ },
+ member: {
+ createNewMember: 'Создать нового участника',
+ allMembers: 'Все участники',
+ },
+ modelsBuilder: {
+ buildingModels: 'Построение моделей',
+ waitingMessage: 'это может занять некоторое время, пожалуйста, подождите',
+ modelsGenerated: 'Модели построены',
+ modelsGeneratedError: 'Модели не могут быть построены',
+ modelsExceptionInUlog: 'Процесс построения моделей завершился ошибкой, подробности в системном журнале Umbraco',
+ },
+ moveOrCopy: {
+ choose: 'Выберите страницу...',
+ copyDone: 'Узел %0% был скопирован в %1%',
+ copyTo: 'Выберите, куда должен быть скопирован узел %0%',
+ moveDone: 'Узел %0% был перемещён в %1%',
+ moveTo: 'Выберите, куда должен быть перемещён узел %0%',
+ nodeSelected: "был выбран как родительский узел для нового элемента, нажмите 'Ок'.",
+ noNodeSelected: "Не выбран узел! Пожалуйста выберите узел назначения, прежде чем нажать 'Ок'.",
+ notAllowedAtRoot: 'Текущий узел не может быть размещен непосредственно в корне дерева',
+ notAllowedByContentType: 'Текущий узел не может быть размещён в выбранном Вами из-за несоответствия типов.',
+ notAllowedByPath: 'Текущий узел не может быть перемещен внутрь своих дочерних узлов',
+ notValid:
+ 'Данное действие не может быть осуществлено, так как Вы не имеете достаточных прав для совершения действий над одним или более дочерними документами.',
+ relateToOriginal: 'Связать новые копии с оригиналами',
+ },
+ notifications: {
+ editNotifications: 'Вы можете изменить уведомление для %0%',
+ notificationsSavedFor: 'Уведомления сохранены для %0%',
+ notifications: 'Уведомления',
+ },
+ packager: {
+ chooseLocalPackageText:
+ "\n\t\tВыберите файл пакета на своем компьютере, нажав на кнопку 'Обзор' \n\t\tи указав на нужный файл. Пакеты Umbraco обычно являются архивами с расширением '.zip'.\n\t\t",
+ packageLicense: 'Лицензия',
+ installedPackages: 'Установленные пакеты',
+ noPackages: 'Ни одного пакета еще не установлено',
+ noPackagesDescription:
+ "Вы пока еще не устанавливали ни одного пакета. Вы можете установить как локальный пакет, выбрав файл на Вашем компьютере, так и пакет из репозитория, нажав на значок 'Packages' наверху справа",
+ packageSearch: 'Поиск по пакетам',
+ packageSearchResults: 'Результаты поиска по',
+ packageNoResults: 'Ничего не найдено по запросу',
+ packageNoResultsDescription:
+ 'Пожалуйста, повторите поиск, уточнив запрос, или воспользуйтесь просмотром по категориям',
+ packagesPopular: 'Популярные',
+ packagesNew: 'Недавно созданные',
+ packageHas: 'имеет на счету',
+ packageKarmaPoints: 'очков кармы',
+ packageInfo: 'Информация',
+ packageOwner: 'Владелец',
+ packageContrib: 'Соавторы',
+ packageCreated: 'Создан',
+ packageCurrentVersion: 'Текущая версия',
+ packageNetVersion: 'Версия .NET',
+ packageDownloads: 'Загрузок',
+ packageLikes: 'Нравится',
+ packageCompatibility: 'Совместимость',
+ packageCompatibilityDescription:
+ 'Этот пакет совместим со следующими версиями Umbraco, по сообщениям участников сообщества. Полная совместимость не гарантируется для версий со значением ниже 100%',
+ packageExternalSources: 'Внешние источники',
+ packageAuthor: 'Автор',
+ packageDocumentation: 'Документация (описание)',
+ packageMetaData: 'Мета-данные пакета',
+ packageName: 'Название пакета',
+ packageNoItemsHeader: 'Пакет ничего не содержит',
+ packageNoItemsText:
+ 'Этот файл пакета не содержит ни одного элемента\n\t\tдля удаления.
Вы можете безопасно удалить данный пакет из системы, нажав на кнопку "Деинсталлировать пакет".',
+ packageOptions: 'Опции пакета',
+ packageReadme: 'Краткий обзор пакета',
+ packageRepository: 'Репозиторий пакета',
+ packageUninstallConfirm: 'Подтверждение деинсталляции пакета',
+ packageUninstalledHeader: 'Пакет деинсталлирован',
+ packageUninstalledText: 'Указанный пакет успешно удален из системы',
+ packageUninstallHeader: 'Деинсталлировать пакет',
+ packageUninstallText:
+ 'Сейчас Вы можете снять отметки с тех опций пакета, которые НЕ хотите удалять. После нажатия кнопки "Подтверждение деинсталляции" все отмеченные опции будут удалены. \n\t\tОбратите внимание: все документы, медиа-файлы и другой контент, зависящий от этого пакета, перестанет нормально работать, что может привести к нестабильному поведению системы,\n\t\tпоэтому удаляйте пакеты очень осторожно. При наличии сомнений, свяжитесь с автором пакета.',
+ packageVersion: 'Версия пакета',
+ },
+ paste: {
+ doNothing: 'Вставить, полностью сохранив форматирование (не рекомендуется)',
+ errorMessage:
+ 'Текст, который Вы пытаетесь вставить, содержит специальные символы и/или элементы форматирования. Это возможно при вставке текста, скопированного из Microsoft Word. Система может удалить эти элементы автоматически, чтобы сделать вставляемый текст более пригодным для веб-публикации.',
+ removeAll: 'Вставить как простой текст без форматирования',
+ removeSpecialFormattering: 'Вставить с очисткой форматирования (рекомендуется)',
+ },
+ placeholders: {
+ confirmPassword: 'Подтвердите пароль',
+ email: 'Укажите Ваш email...',
+ enterDescription: 'Укажите описание...',
+ enteremail: 'Укажите email...',
+ enterMessage: 'Укажите сообщение...',
+ entername: 'Укажите имя...',
+ enterTags: 'Укажите теги (нажимайте Enter после каждого тега)...',
+ enterusername: 'Укажите имя пользователя...',
+ filter: 'Укажите фильтр...',
+ label: 'Метка...',
+ nameentity: 'Назовите %0%...',
+ password: 'Укажите пароль',
+ search: 'Что искать...',
+ username: 'Укажите имя пользователя',
+ usernameHint: 'Имя пользователя (часто это Ваш email-адрес)',
+ },
+ prompt: {
+ stay: 'Остаться',
+ discardChanges: 'Отменить изменения',
+ unsavedChanges: 'Есть несохраненные изменения',
+ unsavedChangesWarning: 'Вы уверены, что хотите уйти с этой страницы? - на ней имеются несохраненные изменения',
+ },
+ publicAccess: {
+ paAdvanced: 'Расширенный: Защита на основе ролей (групп)',
+ paAdvancedHelp:
+ 'Применяйте, если желаете контролировать доступ к документу на основе ролевой модели безопасности, с использованием групп участников Umbraco.',
+ paAdvancedNoGroups:
+ 'Вам необходимо создать хотя бы одну группу участников для применения ролевой модели безопасности.',
+ paErrorPage: 'Страница сообщения об ошибке',
+ paErrorPageHelp:
+ 'Используется в случае, когда пользователь авторизован в системе, но не имеет доступа к документу.',
+ paHowWould: 'Выберите способ ограничения доступа к документу',
+ paIsProtected: 'Правила доступа к документу %0% установлены',
+ paIsRemoved: 'Правила доступа для документа %0% удалены',
+ paLoginPage: 'Страница авторизации (входа)',
+ paLoginPageHelp: 'Используйте как страницу с формой для авторизации пользователей',
+ paRemoveProtection: 'Снять защиту',
+ paSelectPages: 'Выберите страницы авторизации и сообщений об ошибках',
+ paSelectRoles: 'Выберите роли пользователей, имеющих доступ к документу',
+ paSetLogin: 'Установите имя пользователя и пароль для доступа к этому документу',
+ paSimple: 'Простой: Защита по имени пользователя и паролю',
+ paSimpleHelp:
+ 'Применяйте, если хотите установить самый простой способ доступа к документу - явно указанные имя пользователя и пароль',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n Документ %0% не может быть опубликован сейчас, поскольку для него установлено расписание публикации.\n ',
+ contentPublishedFailedByEvent:
+ '\n\t\tДокумент %0% не может быть опубликован. Операцию отменил установленный в системе пакет дополнений.\n\t\t',
+ contentPublishedFailedExpired:
+ '\n Документ %0% не может быть опубликован, так как текущая информация в нем устарела.\n ',
+ contentPublishedFailedByParent:
+ '\n Документ %0% не может быть опубликован, так как не опубликован его родительский документ.\n ',
+ contentPublishedFailedInvalid:
+ '\n Документ %0% не может быть опубликован, так как не все его свойства прошли проверку согласно установленным правилам валидации.\n ',
+ includeUnpublished: 'Включая неопубликованные дочерние документы',
+ inProgress: 'Идет публикация. Пожалуйста, подождите...',
+ inProgressCounter: '%0% из %1% документов опубликованы...',
+ nodePublish: 'Документ %0% опубликован.',
+ nodePublishAll: 'Документ %0% и его дочерние документы были опубликованы',
+ publishAll: 'Опубликовать документ %0% и все его дочерние документы',
+ publishHelp:
+ 'Нажмите кнопку Опубликовать для публикации документа %0%.\n\t\tТем самым Вы сделаете содержимое документа доступным для просмотра.
\n\t\tВы можете опубликовать этот документ и все его дочерние документы, отметив опцию Опубликовать все дочерние документы.\n\t\tЧтобы опубликовать ранее неопубликованные документы среди дочерних, отметьте опцию Включая неопубликованные дочерние документы.\n\t\t',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Остановить отслеживание URL',
+ enableUrlTracker: 'Запустить отслеживание URL',
+ originalUrl: 'Первоначальный URL',
+ redirectedTo: 'Перенаправлен в',
+ noRedirects: 'На данный момент нет ни одного перенаправления',
+ noRedirectsDescription:
+ 'Если опубликованный документ переименовывается или меняет свое расположение в дереве, а следовательно, меняется адрес (URL), автоматически создается перенаправление на новое местоположение этого документа.',
+ redirectRemoved: 'Перенаправление удалено.',
+ redirectRemoveError: 'Ошибка удаления перенаправления.',
+ confirmDisable: 'Вы уверены, что хотите остановить отслеживание URL?',
+ disabledConfirm: 'Отслеживание URL в настоящий момент остановлено.',
+ disableError: 'Ошибка остановки отслеживания URL, более подробные сведения находятся в системном журнале.',
+ enabledConfirm: 'Отслеживание URL в настоящий момент запущено.',
+ enableError: 'Ошибка запуска отслеживания URL, более подробные сведения находятся в системном журнале.',
+ },
+ relatedlinks: {
+ caption: 'Заголовок',
+ captionPlaceholder: 'Укажите заголовок ссылки',
+ chooseInternal: 'выбрать страницу сайта',
+ enterExternal: 'указать внешнюю ссылку',
+ externalLinkPlaceholder: 'Укажите ссылку',
+ link: 'Ссылка',
+ newWindow: 'Открыть в новом окне',
+ },
+ renamecontainer: {
+ renamed: 'Переименована',
+ enterNewFolderName: 'Укажите здесь новое название для папки',
+ folderWasRenamed: "'%0%' была переименована в '%1%'",
+ },
+ rollback: {
+ diffHelp:
+ 'Здесь показаны различия между новейшей версией документа и выбранной Вами версией. Красным отмечен текст, которого уже нет в последней версии, зеленым - текст, который добавлен',
+ documentRolledBack: 'Произведен откат к ранней версии',
+ htmlHelp: 'Текущая версия показана в виде HTML. Для просмотра различий в версиях выберите режим сравнения',
+ rollbackTo: 'Откатить к версии',
+ selectVersion: 'Выберите версию',
+ view: 'Просмотр',
+ },
+ scripts: {
+ editscript: 'Править файл скрипта',
+ },
+ sections: {
+ concierge: 'Смотритель',
+ content: 'Содержимое',
+ courier: 'Курьер',
+ developer: 'Разработка',
+ forms: 'Формы',
+ help: 'Помощь',
+ installer: 'Мастер конфигурирования Umbraco',
+ media: 'Медиа-материалы',
+ member: 'Участники',
+ newsletters: 'Рассылки',
+ settings: 'Установки',
+ statistics: 'Статистика',
+ translation: 'Перевод',
+ users: 'Пользователи',
+ },
+ settings: {
+ addIcon: 'Добавить значок',
+ contentTypeEnabled: 'Родительский тип контента разрешен',
+ contentTypeUses: 'Данный тип контента использует',
+ defaulttemplate: 'Шаблон по-умолчанию',
+ importDocumentTypeHelp:
+ 'Чтобы импортировать тип документа, найдите файл ".udt" на своем компьютере, нажав на кнопку "Обзор", затем нажмите "Импортировать" (на следующем экране будет запрошено подтверждение для этой операции).',
+ newtabname: 'Заголовок новой вкладки',
+ nodetype: 'Тип узла (документа)',
+ noPropertiesDefinedOnTab:
+ 'Для данной вкладки не определены свойства. Кликните по ссылке "Click here to add a new property" сверху, чтобы создать новое свойство.',
+ objecttype: 'Тип',
+ script: 'Скрипт',
+ stylesheet: 'Стили CSS',
+ tab: 'Вкладка',
+ tabname: 'Заголовок вкладки',
+ tabs: 'Вкладки',
+ },
+ shortcuts: {
+ addGroup: 'Добавить вкладку',
+ addProperty: 'Добавить свойство',
+ addEditor: 'Добавить редактор',
+ addTemplate: 'Добавить шаблон',
+ addChildNode: 'Добавить дочерний узел',
+ addChild: 'Добавить дочерний',
+ editDataType: 'Изменить тип данных',
+ navigateSections: 'Навигация по разделам',
+ shortcut: 'Ярлыки',
+ showShortcuts: 'показать ярлыки',
+ toggleListView: 'В формате списка',
+ toggleAllowAsRoot: 'Разрешить в качестве корневого',
+ commentLine: 'Закомментировать/раскомментировать строки',
+ removeLine: 'Удалить строку',
+ copyLineUp: 'Копировать строки вверх',
+ copyLineDown: 'Копировать строки вниз',
+ moveLineUp: 'Переместить строки вверх',
+ moveLineDown: 'Переместить строки вниз',
+ generalHeader: 'Общее',
+ editorHeader: 'Редактор',
+ },
+ sort: {
+ sortOrder: 'Порядок сортировки',
+ sortCreationDate: 'Дата создания',
+ sortDone: 'Сортировка завершена',
+ sortHelp:
+ 'Перетаскивайте элементы на нужное место вверх или вниз для определения необходимого Вам порядка сортировки. Также можно использовать заголовки столбцов, чтобы отсортировать все элементы сразу.',
+ sortPleaseWait: 'Пожалуйста, подождите... Страницы сортируются, это может занять некоторое время.',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: 'Процесс публикации был отменен установленным пакетом дополнений.',
+ contentTypeDublicatePropertyType: 'Такое свойство уже существует.',
+ contentTypePropertyTypeCreated: 'Свойство создано',
+ contentTypePropertyTypeCreatedText: 'Имя: %0% Тип данных: %1%',
+ contentTypePropertyTypeDeleted: 'Свойство удалено',
+ contentTypeSavedHeader: 'Тип документа сохранен',
+ contentTypeTabCreated: 'Вкладка создана',
+ contentTypeTabDeleted: 'Вкладка удалена',
+ contentTypeTabDeletedText: 'Вкладка с идентификатором (id): %0% удалена',
+ contentUnpublished: 'Документ скрыт (публикация отменена)',
+ cssErrorHeader: 'Стиль CSS не сохранен',
+ cssSavedHeader: 'Стиль CSS сохранен',
+ cssSavedText: 'Стиль CSS сохранен без ошибок',
+ dataTypeSaved: 'Тип данных сохранен',
+ dictionaryItemSaved: 'Статья в словаре сохранена',
+ editContentPublishedFailedByParent: 'Публикация не завершена, так как родительский документ не опубликован',
+ editContentPublishedHeader: 'Документ опубликован',
+ editContentPublishedText: 'и является видимым',
+ editContentSavedHeader: 'Документ сохранен',
+ editContentSavedText: 'Не забудьте опубликовать, чтобы сделать видимым',
+ editContentSendToPublish: 'Отослано на утверждение',
+ editContentSendToPublishText: 'Изменения отосланы на утверждение',
+ editMediaSaved: 'Медиа-элемент сохранен',
+ editMemberSaved: 'Участник сохранен',
+ editStylesheetPropertySaved: 'Правило стиля CSS сохранено',
+ editStylesheetSaved: 'Стиль CSS сохранен',
+ editTemplateSaved: 'Шаблон сохранен',
+ editUserError: 'Произошла ошибка при сохранении пользователя (проверьте журналы ошибок)',
+ editUserGroupSaved: 'Группа пользователей сохранена',
+ editUserSaved: 'Пользователь сохранен',
+ editUserTypeSaved: 'Тип пользователей сохранен',
+ fileErrorHeader: 'Файл не сохранен',
+ fileErrorText: 'Файл не может быть сохранен. Пожалуйста, проверьте установки файловых разрешений',
+ fileSavedHeader: 'Файл сохранен',
+ fileSavedText: 'Файл сохранен без ошибок',
+ invalidUserPermissionsText: 'У текущего пользователя недостаточно прав, невозможно завершить операцию',
+ languageSaved: 'Язык сохранен',
+ mediaTypeSavedHeader: 'Тип медиа сохранен',
+ memberTypeSavedHeader: 'Тип участника сохранен',
+ operationCancelledHeader: 'Отменено',
+ operationCancelledText: 'Операция отменена установленным сторонним расширением или блоком кода',
+ operationFailedHeader: 'Ошибка',
+ operationSavedHeader: 'Сохранено',
+ partialViewErrorHeader: 'Представление не сохранено',
+ partialViewErrorText: 'Произошла ошибка при сохранении файла',
+ partialViewSavedHeader: 'Представление сохранено',
+ partialViewSavedText: 'Представление сохранено без ошибок',
+ permissionsSavedFor: 'Права доступа сохранены для',
+ templateErrorHeader: 'Шаблон не сохранен',
+ templateErrorText: 'Пожалуйста, проверьте, что нет двух шаблонов с одним и тем же алиасом (названием)',
+ templateSavedHeader: 'Шаблон сохранен',
+ templateSavedText: 'Шаблон сохранен без ошибок',
+ validationFailedHeader: 'Проверка значений',
+ validationFailedMessage:
+ 'Ошибки, найденные при проверке значений, должны быть исправлены, чтобы было возможно сохранить документ',
+ deleteUserGroupsSuccess: 'Удалено %0% групп пользователей',
+ deleteUserGroupSuccess: "'%0%' была удалена",
+ enableUsersSuccess: 'Активировано %0% пользователей',
+ disableUsersSuccess: 'Заблокировано %0% пользователей',
+ enableUserSuccess: "'%0%' сейчас активирован",
+ disableUserSuccess: "'%0%' сейчас заблокирован",
+ setUserGroupOnUsersSuccess: 'Группы пользователей установлены',
+ unlockUsersSuccess: 'Разблокировано %0% пользователей',
+ unlockUserSuccess: "'%0%' сейчас разблокирован",
+ memberExportedSuccess: 'Данные участника успешно экспортированы в файл',
+ memberExportedError: 'Во время экспортирования данных участника произошла ошибка',
+ },
+ stylesheet: {
+ aliasHelp: 'Используется синтаксис селекторов CSS, например: h1, .redHeader, .blueTex',
+ editstylesheet: 'Изменить стиль CSS',
+ editstylesheetproperty: 'Изменить правило стиля CSS',
+ nameHelp: 'Название правила для отображения в редакторе документа',
+ preview: 'Предварительный просмотр',
+ styles: 'Стили',
+ },
+ template: {
+ edittemplate: 'Изменить шаблон',
+ insertSections: 'Секции',
+ insertContentArea: 'Вставить контент-область',
+ insertContentAreaPlaceHolder: 'Вставить контейнер (placeholder)',
+ insert: 'Вставить',
+ insertDesc: 'Выберите, что хотите вставить в шаблон',
+ insertDictionaryItem: 'Статью словаря',
+ insertDictionaryItemDesc:
+ 'Статья словаря - это контейнер для части текста, переводимой на разные языки, это позволяет упростить создание многоязычных сайтов.',
+ insertMacro: 'Макрос',
+ insertMacroDesc:
+ '\n Макросы - это настраиваемые компоненты, которые хорошо подходят для\n реализации переиспользуемых блоков, (особенно, если необходимо менять их внешний вид и/или поведение при помощи параметров)\n таких как галереи, формы, списки и т.п.\n ',
+ insertPageField: 'Значение поля',
+ insertPageFieldDesc:
+ 'Отображает значение указанного поля данных текущей страницы,\n с возможностью указать альтернативные поля и/или подстановку константы.\n ',
+ insertPartialView: 'Частичное представление',
+ insertPartialViewDesc:
+ '\n Частичное представление - это шаблон в отдельном файле, который может быть вызван для отображения внутри\n другого шаблона, хорошо подходит для реализации переиспользуемых фрагментов разметки или для разбиения сложных шаблонов на составные части.\n ',
+ mastertemplate: 'Мастер-шаблон',
+ noMaster: 'Не выбран',
+ renderBody: 'Вставить дочерний шаблон',
+ renderBodyDesc:
+ '\n Отображает содержимое дочернего шаблона, при помощи вставки конструкции\n @RenderBody() в выбранном месте.\n ',
+ defineSection: 'Определить именованную секцию',
+ defineSectionDesc:
+ '\n Определяет специальную область шаблона как именованную секцию путем оборачивания ее в конструкцию\n @section { ... }. Такая секци может быть отображена в нужном месте родительского шаблона\n при помощи конструкции @RenderSection.\n ',
+ renderSection: 'Вставить именованную секцию',
+ renderSectionDesc:
+ '\n Отображает содержимое именованной области дочернего шаблона, при помощи вставки конструкции @RenderSection(name).\n Таким образом из дочернего шаблона отображается содержимое внутри конструкции @section [name]{ ... }.\n ',
+ sectionName: 'Название секции',
+ sectionMandatory: 'Секция обязательна',
+ sectionMandatoryDesc:
+ '\n Если секция помечена как обязательная, то дочерний шаблон должен обязательно содержать ее определение @section, в противном случае генерируется ошибка.\n ',
+ queryBuilder: 'Генератор запросов',
+ itemsReturned: 'элементов в результате, за',
+ iWant: 'Мне нужны',
+ allContent: 'все документы',
+ contentOfType: 'документы типа "%0%"',
+ from: 'из',
+ websiteRoot: 'всего сайта',
+ where: 'где',
+ and: 'и',
+ is: 'равна',
+ isNot: 'не равна',
+ before: 'до',
+ beforeIncDate: 'до (включая выбранную дату)',
+ after: 'после',
+ afterIncDate: 'после (включая выбранную дату)',
+ equals: 'равно',
+ doesNotEqual: 'не равно',
+ contains: 'содержит',
+ doesNotContain: 'не содержит',
+ greaterThan: 'больше, чем',
+ greaterThanEqual: 'больше или равно',
+ lessThan: 'меньше, чем',
+ lessThanEqual: 'меньше или равно',
+ id: 'Id',
+ name: 'Название',
+ createdDate: 'Создан',
+ lastUpdatedDate: 'Обновлен',
+ orderBy: 'сортировать',
+ ascending: 'по возрастанию',
+ descending: 'по убыванию',
+ template: 'Шаблон',
+ },
+ templateEditor: {
+ addDefaultValue: 'Добавить значение по-умолчанию',
+ defaultValue: 'Значение по-умолчанию',
+ alternativeField: 'Поле замены',
+ alternativeText: 'Значение по-умолчанию',
+ casing: 'Регистр',
+ chooseField: 'Выбрать поле',
+ convertLineBreaks: 'Преобразовать переводы строк',
+ convertLineBreaksHelp: "Заменяет переводы строк на тэг html 'br'",
+ customFields: 'Пользовательские',
+ dateOnly: 'Только дата',
+ encoding: 'Кодировка',
+ formatAsDate: 'Форматировать как дату',
+ htmlEncode: 'Кодировка HTML',
+ htmlEncodeHelp: 'Заменяет спецсимволы эквивалентами в формате HTML',
+ insertedAfter: 'Будет добавлено после поля',
+ insertedBefore: 'Будет вставлено перед полем',
+ lowercase: 'В нижнем регистре',
+ none: '-Не указано-',
+ outputSample: 'Пример результата',
+ postContent: 'Вставить после поля',
+ preContent: 'Вставить перед полем',
+ recursive: 'Рекурсивно',
+ recursiveDescr: 'Да, использовать рекурсию',
+ standardFields: 'Стандартные',
+ uppercase: 'В верхнем регистре',
+ urlEncode: 'Кодирование URL',
+ urlEncodeHelp: 'Форматирование специальных символов в URL',
+ usedIfAllEmpty: 'Это значение будет использовано только если предыдущие поля пусты',
+ usedIfEmpty: 'Это значение будет использовано только если первичное поле пусто',
+ withTime: 'Дата и время',
+ },
+ textbox: {
+ characters_left: 'символов осталось',
+ },
+ translation: {
+ details: 'Подробности перевода',
+ DownloadXmlDTD: 'Загрузить xml DTD',
+ fields: 'Поля',
+ includeSubpages: 'Включить дочерние документы',
+ mailBody:
+ "\n\t\tЗдравствуйте, %0%.\n\n\t\tЭто автоматически сгенерированное письмо было отправлено, чтобы проинформировать Вас о том,\n\t\tчто документ '%1%' был запрошен для перевода на '%5%' язык пользователем %2%.\n\n\t\tПерейдите по ссылке http://%3%/translation/details.aspx?id=%4% для редактирования.\n\n\t\tИли авторизуйтесь для общего обзора Ваших заданий по переводу\n\t\thttp://%3%.\n\n\t\tУдачи!\n\n\t\tГенератор уведомлений Umbraco.\n\t\t",
+ noTranslators:
+ 'Пользователей-переводчиков не обнаружено. Пожалуйста, создайте пользователя с ролью переводчика, перед тем как отсылать содержимое на перевод',
+ pageHasBeenSendToTranslation: "Документ '%0%' был отправлен на перевод",
+ sendToTranslate: "Отправить документ '%0%' на перевод",
+ totalWords: 'Всего слов',
+ translateTo: 'Перевести на',
+ translationDone: 'Перевод завершен.',
+ translationDoneHelp:
+ 'Вы можете просмотреть документы, переведенные Вами, кликнув на ссылке ниже. Если будет найден оригинал документа, Вы увидите его и переведенный вариант в режиме сравнения.',
+ translationFailed: 'Перевод не сохранен, файл xml может быть поврежден',
+ translationOptions: 'Опции перевода',
+ translator: 'Переводчик',
+ uploadTranslationXml: 'Загрузить переведенный xml',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Обзор кэша',
+ content: 'Содержимое',
+ contentBlueprints: 'Шаблоны содержимого',
+ contentRecycleBin: 'Корзина',
+ createdPackages: 'Созданные пакеты',
+ dataTypes: 'Типы данных',
+ dictionary: 'Словарь',
+ installedPackages: 'Установленные пакеты',
+ installSkin: 'Установить тему',
+ installStarterKit: 'Установить стартовый набор',
+ languages: 'Языки',
+ localPackage: 'Установить локальный пакет',
+ macros: 'Макросы',
+ media: 'Медиа-материалы',
+ mediaTypes: 'Типы медиа-материалов',
+ member: 'Участники',
+ memberGroups: 'Группы участников',
+ memberRoles: 'Роли участников',
+ memberTypes: 'Типы участников',
+ documentTypes: 'Типы документов',
+ packager: 'Пакеты дополнений',
+ packages: 'Пакеты дополнений',
+ partialViews: 'Частичные представления',
+ partialViewMacros: 'Файлы макросов',
+ relationTypes: 'Типы связей',
+ repositories: 'Установить из репозитория',
+ runway: 'Установить Runway',
+ runwayModules: 'Модули Runway ',
+ scripting: 'Файлы скриптов',
+ scripts: 'Скрипты',
+ stylesheets: 'Стили CSS',
+ templates: 'Шаблоны',
+ users: 'Пользователи',
+ },
+ update: {
+ updateAvailable: 'Доступны обновления',
+ updateDownloadText: 'Обновление %0% готово, кликните для загрузки',
+ updateNoServer: 'Нет связи с сервером',
+ updateNoServerError:
+ 'Во время проверки обновлений произошла ошибка. Пожалуйста, просмотрите журнал трассировки для получения дополнительной информации.',
+ },
+ user: {
+ access: 'Доступ',
+ accessHelp:
+ 'На основании установленных групп и назначенных начальных узлов, пользователь имеет доступ к следующим узлам',
+ administrators: 'Администратор',
+ assignAccess: 'Назначение доступа',
+ backToUsers: 'Вернуться к пользователям',
+ categoryField: 'Поле категории',
+ change: 'Изменить',
+ changePassword: 'Изменить пароль',
+ changePasswordDescription:
+ "Вы можете сменить свой пароль для доступа к административной панели Umbraco, заполнив нижеследующие поля и нажав на кнопку 'Изменить пароль'",
+ changePhoto: 'Сменить аватар',
+ confirmNewPassword: 'Подтверждение нового пароля',
+ contentChannel: 'Канал содержимого',
+ createAnotherUser: 'Создать еще одного пользователя',
+ createDate: 'Создан',
+ createUser: 'Создать пользователя',
+ createUserHelp:
+ 'Создавайте новых пользователей, которым нужен доступ к административной панели Umbraco. При создании пользователя для него генерируется новый первичный пароль, который нужно сообщить пользователю.',
+ descriptionField: 'Поле описания',
+ disabled: 'Отключить пользователя',
+ documentType: 'Тип документа',
+ editors: 'Редактор',
+ excerptField: 'Исключить поле',
+ failedPasswordAttempts: 'Неудачных попыток входа',
+ goToProfile: 'К профилю пользователя',
+ groupsHelp: 'Добавьте пользователя в группу(ы) для задания прав доступа',
+ inviteEmailCopySubject: 'Приглашение в панель администрирования Umbraco',
+ inviteEmailCopyFormat:
+ "
Здравствуйте, %0%,
Вы были приглашены пользователем %1%, и Вам предоставлен доступ в панель администрирования Umbraco.
Сообщение от %1%: %2%
Перейдите по этой ссылке, чтобы принять приглашение.
Если Вы не имеете возможности перейти по ссылке, скопируйте нижеследующий текст ссылки и вставьте в адресную строку Вашего браузера.
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tВы были приглашены пользователем %1% в панель администрирования веб-сайта.\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tСообщение от пользователя %1%:\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t%2%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\n \n ",
+ inviteAnotherUser: 'Пригласить еще одного пользователя',
+ inviteUser: 'Пригласить пользователя',
+ inviteUserHelp:
+ 'Пригласите новых пользователей, которым нужен доступ к административной панели Umbraco. Приглашенному будет направлено электронное письмо с инструкциями по доступу к Umbraco.',
+ language: 'Язык',
+ languageHelp: 'Установите язык отображения интерфейса администрирования',
+ lastLockoutDate: 'Время последней блокировки',
+ lastLogin: 'Время последнего входа',
+ lastPasswordChangeDate: 'Пароль в последний раз менялся',
+ loginname: 'Имя входа (логин)',
+ mediastartnode: 'Начальный узел медиа-библиотеки',
+ mediastartnodehelp: 'Можно ограничить доступ к медиа-библиотеке (какой-либо ее части), задав начальный узел',
+ mediastartnodes: 'Начальные узлы медиа-библиотеки',
+ mediastartnodeshelp:
+ 'Можно ограничить доступ к медиа-библиотеке (каким-либо ее частям), задав перечень начальных узлов',
+ modules: 'Разделы',
+ newPassword: 'Новый пароль',
+ noConsole: 'Отключить доступ к административной панели Umbraco',
+ noLogin: 'пока еще не входил',
+ noLockouts: 'пока не блокировался',
+ noPasswordChange: 'Пароль не менялся',
+ oldPassword: 'Прежний пароль',
+ password: 'Пароль',
+ passwordChanged: 'Ваш пароль доступа изменен!',
+ passwordConfirm: 'Подтвердите новый пароль',
+ passwordCurrent: 'Текущий пароль',
+ passwordEnterNew: 'Укажите новый пароль',
+ passwordInvalid: 'Текущий пароль указан неверно',
+ passwordIsBlank: 'Пароль не может быть пустым',
+ passwordIsDifferent: 'Новый пароль и его подтверждение не совпадают. Попробуйте еще раз',
+ passwordMismatch: 'Новый пароль и его подтверждение не совпадают',
+ permissionReplaceChildren: 'Заменить разрешения для дочерних документов',
+ permissionSelectedPages: 'Вы изменяете разрешения для следующих документов:',
+ permissionSelectPages: 'Выберите документы для изменения их разрешений',
+ removePhoto: 'Удалить аватар',
+ permissionsDefault: 'Права доступа по-умолчанию',
+ permissionsGranular: 'Атомарные права доступа',
+ permissionsGranularHelp: 'Можно установить права доступа к конкретным узлам',
+ profile: 'Профиль',
+ resetPassword: 'Сбросить пароль',
+ searchAllChildren: 'Поиск всех дочерних документов',
+ selectUserGroups: 'Выбрать группы пользователей',
+ sendInvite: 'Отправить приглашение',
+ sessionExpires: 'Сессия истекает через',
+ sectionsHelp: 'Разделы, доступные пользователю',
+ noStartNode: 'Начальный узел не задан',
+ noStartNodes: 'Начальные узлы не заданы',
+ startnode: 'Начальный узел содержимого',
+ startnodehelp: 'Можно ограничить доступ к дереву содержимого (какой-либо его части), задав начальный узел',
+ startnodes: 'Начальные узлы содержимого',
+ startnodeshelp:
+ 'Можно ограничить доступ к дереву содержимого (каким-либо его частям), задав перечень начальных узлов',
+ userCreated: 'Был создан',
+ userCreatedSuccessHelp:
+ 'Новый первичный пароль успешно сгенерирован. Для входа используйте пароль, приведенный ниже.',
+ updateDate: 'Время последнего изменения',
+ username: 'Имя пользователя',
+ usergroup: 'Группа пользователей',
+ userInvited: ' был приглашен',
+ userInvitedSuccessHelp:
+ 'Новому пользователю было отправлено приглашение, в котором содержатся инструкции для входа в панель Umbraco.',
+ userinviteWelcomeMessage:
+ 'Здравствуйте и добро пожаловать в Umbraco! Все будет готово в течении пары минут, нам лишь нужно задать Ваш пароль для входа.',
+ userManagement: 'Управление пользователями',
+ userPermissions: 'Разрешения для пользователя',
+ writer: 'Автор',
+ yourHistory: 'Ваша недавняя история',
+ yourProfile: 'Ваш профиль',
+ },
+ validation: {
+ validation: 'Валидация',
+ validateAsEmail: 'Валидация по формату email',
+ validateAsNumber: 'Валидация числового значения',
+ validateAsUrl: 'Валидация по формату URL',
+ enterCustomValidation: '...или указать свои правила валидации',
+ fieldIsMandatory: 'Обязательно к заполнению',
+ validationRegExp: 'Задайте регулярное выражение',
+ minCount: 'Необходимо выбрать как минимум',
+ maxCount: 'Возможно выбрать максимум',
+ items: 'элементов',
+ itemsSelected: 'элементов',
+ invalidDate: 'Неверный формат даты',
+ invalidNumber: 'Не является числом',
+ invalidEmail: 'неверный формат email-адреса',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Выбрать все',
+ deselectAllLogLevelFilters: 'Убрать выделение со всего',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/sv-se.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/sv-se.ts
new file mode 100644
index 0000000000..95ff3be286
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/sv-se.ts
@@ -0,0 +1,1163 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: sv
+ * Language Int Name: Swedish (SE)
+ * Language Local Name: Svenska (SE)
+ * Language LCID: 29
+ * Language Culture: sv-SE
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ apps: {
+ umbContent: 'Innehåll',
+ },
+ actions: {
+ assigndomain: 'Hantera domännamn',
+ auditTrail: 'Hantera versioner',
+ browse: 'Surfa på sidan',
+ changeDocType: 'Ändra dokumenttyp',
+ copy: 'Kopiera',
+ create: 'Skapa',
+ createGroup: 'Skapa grupp',
+ createPackage: 'Skapa paket',
+ createblueprint: 'Skapa innehållsmall',
+ defaultValue: 'Standardvärde',
+ delete: 'Ta bort',
+ disable: 'Avaktivera',
+ emptyrecyclebin: 'Töm papperskorgen',
+ exportDocumentType: 'Exportera dokumenttyp',
+ importdocumenttype: 'Importera dokumenttyp',
+ importPackage: 'Importera paket',
+ liveEdit: 'Redigera i Canvas',
+ logout: 'Logga ut',
+ move: 'Flytta',
+ notify: 'Meddelanden',
+ protect: 'Lösenordsskydd',
+ publish: 'Publicera',
+ refreshNode: 'Ladda om noder',
+ republish: 'Publicera hela webbplatsen',
+ rights: 'Rättigheter',
+ rollback: 'Ångra ändringar',
+ sendtopublish: 'Skicka för publicering',
+ sendToTranslate: 'Skicka för översättning',
+ sort: 'Sortera',
+ translate: 'Översätt',
+ unpublish: 'Avpublicera',
+ update: 'Uppdatera',
+ },
+ actionCategories: {
+ administration: 'Administration',
+ structure: 'Struktur',
+ other: 'Övrigt',
+ content: 'Innehåll',
+ },
+ assignDomain: {
+ addNew: 'Lägg till nytt domännamn',
+ domain: 'Domännamn',
+ domainCreated: 'Har skapat domännamnet %0%',
+ domainDeleted: 'Har tagit bort domännamnet %0%',
+ domainExists: 'Domänen %0% är redan tillagd',
+ domainUpdated: 'Domännamnet %0% har uppdaterats',
+ duplicateDomain: 'Domänen är redan tilldelad',
+ inherit: 'Ärv',
+ invalidDomain: 'Ogiltigt domännamn',
+ invalidNode: 'Ogiltig nod',
+ language: 'Språk',
+ orEdit: 'Redigera domännamn',
+ permissionDenied: 'Ingen behörighet',
+ remove: 'Ta bort',
+ setDomains: 'Domäner',
+ setLanguage: 'Kultur',
+ setLanguageHelp:
+ 'Sätt kulturen för noder under aktuell nod, eller ärv kulturen från föregående noder. Appliceras även \n på befintlig nod.',
+ },
+ auditTrailsMedia: {
+ delete: 'Media raderat',
+ move: 'Media flyttat',
+ copy: 'Media kopierat',
+ save: 'Media sparat',
+ },
+ auditTrails: {
+ atViewingFor: 'Visar för',
+ delete: 'Innehållet raderat',
+ unpublish: 'Innehållet avpublicerat',
+ unpublishvariant: 'Innehållet avpublicerat för språk: %0% ',
+ publish: 'Spara och publicera utförd av användaren',
+ publishvariant: 'Innehåll publicerat för språk: %0% ',
+ save: 'Innehåll sparat',
+ savevariant: 'Innehåll sparat för språk: %0%',
+ move: 'Innehåll flyttat',
+ copy: 'Innehåll kopierat',
+ rollback: 'Innehållet rullades tillbaka',
+ sendtopublish: 'Innehåll skickat för publicering',
+ sendtopublishvariant: 'Innehåll skickat för publicering för språk: %0%',
+ sort: 'Sortering av underliggande objekt utfört av användaren',
+ smallCopy: 'Kopiera',
+ smallPublish: 'Publicera',
+ smallPublishVariant: 'Publicera',
+ smallMove: 'Flytta',
+ smallSave: 'Spara',
+ smallSaveVariant: 'Spara',
+ smallDelete: 'Ta bort',
+ smallUnpublish: 'Avpublicera',
+ smallUnpublishVariant: 'Avpublicera',
+ smallRollBack: 'Rulla tillbaka',
+ smallSendToPublish: 'Skicka till publicering',
+ smallSendToPublishVariant: 'Skicka till publicering',
+ smallSort: 'Sortera',
+ historyIncludingVariants: 'Historik (alla varianter)',
+ },
+ blockEditor: {
+ addBlock: 'Lägg till innehåll',
+ addThis: 'Lägg till %0%',
+ blockHasChanges: 'Du har gjort ändringar i detta innehåll. Är du säker på att du vill ta bort dem?',
+ confirmCancelBlockCreationHeadline: 'Ignorera skapandet',
+ confirmCancelBlockCreationMessage: 'Är du säker på att du vill avbryta skapandet?',
+ areaValidationEntriesShort: '%0% måste vara närvarande åtminstone %2% time(s).',
+ areaValidationEntriesExceed: '%0% måste maximalt finnas %3% time(s).',
+ },
+ validation: {
+ entriesShort: 'Minsta %0% poster, kräver %1% mer.',
+ entriesExceed: 'Max %0% poster, %1% för många.',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Skapa en ny innehållsmall för %0%',
+ blankBlueprint: 'Tom',
+ selectBlueprint: 'Välj en innehållsmall',
+ createdBlueprintHeading: 'Innehållsmall skapad',
+ createdBlueprintMessage: "En innehållsmall skapades från '%0%'",
+ duplicateBlueprintMessage: 'En annan innehållsmall med samma namn finns redan',
+ blueprintDescription:
+ 'En innehållsmall är fördefinierat innehåll som en redaktör kan välja att använda som grund för att skapa nytt innehåll',
+ },
+ buttons: {
+ clearSelection: 'Rensa urval',
+ confirmActionConfirm: 'Bekräfta',
+ bold: 'Fetstil',
+ deindent: 'Minska indrag',
+ formFieldInsert: 'Infoga formulärfält',
+ graphicHeadline: 'Infoga grafisk rubrik',
+ htmlEdit: 'Ändra html',
+ indent: 'Öka indrag',
+ italic: 'Kursiv',
+ justifyCenter: 'Centrera',
+ justifyLeft: 'Vänsterjustera',
+ justifyRight: 'Högerjustera ',
+ linkInsert: 'Infoga länk',
+ linkLocal: 'Infoga intern länk (ankare)',
+ listBullet: 'Punktlista',
+ listNumeric: 'Numrerad lista',
+ macroInsert: 'Infoga macro',
+ noDocumentTypesCreateNew: 'Skapa en ny dokumenttyp',
+ pictureInsert: 'Infoga bild',
+ publishAndClose: 'Publicera och stäng',
+ publishDescendants: 'Publicera med undersidor',
+ relations: 'Ändra relation',
+ returnToList: 'Återvänd till lista',
+ save: 'Spara',
+ saveAndPublish: 'Spara och publicera',
+ saveToPublish: 'Spara och skicka för godkännande',
+ schedulePublish: 'Schemaläggning',
+ select: 'Välj',
+ saveAndPreview: 'Spara och förhandsgranska',
+ showPageDisabled: 'Förhandsgranskning är avstängt på grund av att det inte finns någon mall tilldelad',
+ somethingElse: 'Gör något annat',
+ styleChoose: 'Välj stil',
+ styleShow: 'Visa stil',
+ tableInsert: 'Infoga tabell',
+ submitChanges: 'Skicka',
+ },
+ colorpicker: {
+ noColors: 'Du har inte konfigurerat några giltiga färger',
+ },
+ content: {
+ about: 'Om denna sida',
+ alias: 'Alias',
+ alternativeTextHelp: '(hur skulle du beskriva denna bild för någon över telefon)',
+ alternativeUrls: 'Alternativa länkar',
+ altTextOptional: 'Alternativ text (optionell)',
+ captionTextOptional: 'Bildtext (optionell)',
+ childItems: 'Underliggande noder',
+ clickToEdit: 'Klicka för att redigera detta objekt',
+ createBy: 'Skapad av',
+ createByDesc: 'Ursprunglig författare',
+ createDate: 'Skapad',
+ createDateDesc: 'Datum/tid som dokumentet skapades',
+ documentType: 'Dokumenttyp',
+ editing: 'Redigering',
+ expireDate: 'Ta bort',
+ isPublished: 'Är publicerad',
+ itemChanged: 'Detta objekt har ändrats efter publicering',
+ itemNotPublished: 'Detta objekt är inte publicerat',
+ lastPublished: 'Senast publicerat',
+ listViewNoItems: 'Det finns inget att visa i listan',
+ mediaLinks: 'Länk till medieobjekt',
+ mediatype: 'Mediatyp',
+ membergroup: 'Medlemsgrupp',
+ memberof: 'Medlem av grupp(er)',
+ memberrole: 'Roll',
+ membertype: 'Medlemstyp',
+ noDate: 'Inget datum valt',
+ nodeName: 'Sidnamn',
+ noProperties: 'Inget innehåll kan läggas till för det här objektet',
+ notmemberof: 'Ej medlem av grupp(er)',
+ otherElements: 'Egenskaper',
+ parentNotPublished:
+ 'Detta dokument är publicerat men syns inte eftersom den överordnade sidan %0% inte är publicerad',
+ parentNotPublishedAnomaly: 'Oops: detta dokument är publicerat men finns inte i cacheminnet (internt fel)',
+ publish: 'Publicera',
+ published: 'Publicerad',
+ publishStatus: 'Publiceringsstatus',
+ releaseDate: 'Publiceringsdatum',
+ removeDate: 'Rensa datum',
+ schedulePublishHelp: 'Välj datum och tid för att publicera och / eller avpublicera innehållsobjektet.',
+ setDate: 'Välj datum',
+ sortDone: 'Sorteringsordningen har uppdaterats',
+ sortHelp:
+ 'För att sortera noderna, dra i dem eller klicka på någon av kolumnrubrikerna. Du kan markera flera noder samtidigt genom att hålla nere SHIFT eller CONTROL medan du klickar',
+ statistics: 'Statistik',
+ target: 'Mål',
+ titleOptional: 'Titel (valfritt)',
+ type: 'Typ',
+ unpublish: 'Avpublicera',
+ unpublishDate: 'Avpubliceras',
+ updateDate: 'Senast redigerad',
+ updateDateDesc: 'Datum/tid detta dokument ändrats',
+ updatedBy: 'Uppdaterad av',
+ uploadClear: 'Ta bort fil',
+ urls: 'Länk till dokument',
+ unpublished: 'Avpublicerad',
+ publishedPendingChanges: 'Publicerad (osparade ändringar)',
+ listViewNoContent: 'Inga undernoder har lagts till',
+ noChanges: 'Inga ändringar har gjorts',
+ notCreated: 'Ej skapad',
+ saveModalTitle: 'Spara',
+ },
+ contentTypeEditor: {
+ yesDelete: 'Ja, ta bort',
+ },
+ create: {
+ chooseNode: 'Var vill du skapa den nya %0%',
+ createUnder: 'Skapa innehåll under',
+ noDocumentTypes:
+ 'Det finns inga giltiga dokumenttyper tillgängliga. Du måste aktivera dessa under sektionen inställningar och under "dokumenttyper".',
+ noMediaTypes:
+ 'Det finns inga giltiga mediatyper tillgängliga. Du måste aktivera dessa under sektionen inställningar och under "mediatyper".',
+ updateData: 'Välj typ och rubrik',
+ },
+ dashboard: {
+ browser: 'Surfa på din webbplats',
+ dontShowAgain: '- Dölj',
+ nothinghappens:
+ 'Om Umbraco inte öppnas kan det bero på att du måste tillåta poppuppfönster att öppnas från denna webbplats',
+ openinnew: 'har öppnats i ett nytt fönster',
+ restart: 'Starta om',
+ welcome: 'Välkommen',
+ visit: 'Besök',
+ },
+ dashboardTabs: {
+ contentIntro: 'Komma igång',
+ contentRedirectManager: 'URL-omdirigeringshantering',
+ mediaFolderBrowser: 'Innehåll',
+ settingsWelcome: 'Välkommen',
+ memberIntro: 'Komma igång',
+ formsInstall: 'Installera Umbraco Forms',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Backa',
+ activeListLayout: 'Aktiv layout:',
+ jumpTo: 'Hoppa till',
+ group: 'grupp',
+ passed: 'godkänd',
+ warning: 'varning',
+ failed: 'underkänd',
+ suggestion: 'förslag',
+ checkPassed: 'Godkänd',
+ checkFailed: 'Underkänd',
+ openBackofficeSearch: 'Öppna sökfunktion (backoffice)',
+ openCloseBackofficeHelp: 'Öppna/stäng hjälpfunktion',
+ openCloseBackofficeProfileOptions: 'Öppna/stäng personliga inställningar',
+ assignDomainDescription: 'Redigera språk och värdnamn för %0%',
+ createDescription: 'Skapa en ny nod under %0%',
+ protectDescription: 'Ändra behörigheter för %0%',
+ rightsDescription: 'Redigera behörigheter för %0%',
+ sortDescription: 'Ändra sortering av %0%',
+ createblueprintDescription: 'Skapa innehållsmall baserad på %0%',
+ openContextMenu: 'Öppna kontextmeny för ',
+ currentLanguage: 'Aktuellt språk',
+ switchLanguage: 'Byt språk till',
+ createNewFolder: 'Skapa ny mapp',
+ newPartialView: 'Del av vy',
+ newPartialViewMacro: 'Del av vy (makro)',
+ newMember: 'Medlem',
+ newDataType: 'Datatyp',
+ redirectDashboardSearchLabel: 'Sök bland omdirigeringar',
+ userGroupSearchLabel: 'Sök bland användargrupper',
+ userSearchLabel: 'Sök bland användare',
+ createItem: 'Skapa post',
+ create: 'Skapa',
+ edit: 'Redigera',
+ name: 'Namn',
+ addNewRow: 'Lägg till ny rad',
+ tabExpand: 'Visa fler alternativ',
+ searchOverlayTitle: 'Sök i Umbraco backoffice',
+ searchOverlayDescription: 'Sök efter innehåll, media etc i hela Umbraco.',
+ searchInputDescription:
+ 'När det finns automatförslag, använd pil upp eller ner, eller använd tabbtangenten. Använd enter för att välja.\n ',
+ path: 'Sökväg:',
+ foundIn: 'Hittad i',
+ hasTranslation: 'Har översättning',
+ noTranslation: 'Saknar översättning',
+ dictionaryListCaption: 'Post i ordlista',
+ contextMenuDescription: 'Välj ett av alternativen för att redigera noden.',
+ contextDialogDescription: 'Utför %0% på noden %1%',
+ addImageCaption: 'Lägg till bildtext',
+ searchContentTree: 'Sök i innehållsträdet',
+ maxAmount: 'Maximalt värde',
+ expandChildItems: 'Visa underliggande noder för',
+ openContextNode: 'Öppna kontext för',
+ },
+ prompt: {
+ stay: 'Stanna',
+ discardChanges: 'Ignorera ändringar',
+ unsavedChanges: 'Du har osparade ändringar',
+ unsavedChangesWarning: 'Är du säker på att du vill lämna sidan? - Du har osparade ändringar.',
+ },
+ bulk: {
+ done: 'Klar',
+ deletedItem: 'Tog bort %0% objekt',
+ deletedItems: 'Tog bort %0% objekt',
+ deletedItemOfItem: 'Tog bort %0% av %1% objekt',
+ deletedItemOfItems: 'Tog bort %0% av %1% objekt',
+ publishedItem: 'Publicerade %0% objekt',
+ publishedItems: 'Publicerade %0% objekt',
+ publishedItemOfItem: 'Publicerade %0% av %1% objekt',
+ publishedItemOfItems: 'Publicerade %0% av %1% objekt',
+ unpublishedItem: 'Avpublicerade %0% objekt',
+ unpublishedItems: 'Avpublicerade %0% objekt',
+ unpublishedItemOfItem: 'Avpublicerade %0% av %1% objekt',
+ unpublishedItemOfItems: 'Avpublicerade %0% av %1% objekt',
+ movedItem: 'Flyttade %0% objekt',
+ movedItems: 'Flyttade %0% objekt',
+ movedItemOfItem: 'Flyttade %0% av %1% objekt',
+ movedItemOfItems: 'Flyttade %0% av %1% objekt',
+ copiedItem: 'Kopierade %0% objekt',
+ copiedItems: 'Kopierade %0% objekt',
+ copiedItemOfItem: 'Kopierade %0% av %1% objekt',
+ copiedItemOfItems: 'Kopierade %0% av %1% objekt',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Länktitel',
+ urlLinkPicker: 'Länk',
+ anchorInsert: 'Namn',
+ assignDomain: 'Hantera domännamn',
+ closeThisWindow: 'Stäng fönstret',
+ confirmdelete: 'Är du säker på att du vill ta bort',
+ confirmdeleteNumberOfItems:
+ 'Är du säker på att du vill ta bort %0% av %1% objekt',
+ confirmdisable: 'Är du säker på att du vill avaktivera',
+ confirmlogout: 'Är du säker?',
+ confirmSure: 'Är du säker?',
+ cut: 'Klipp ut',
+ editDictionary: 'Redigera ord i ordboken',
+ editLanguage: 'Redigera språk',
+ insertAnchor: 'Infoga ankarlänk',
+ insertCharacter: 'Infoga tecken',
+ insertgraphicheadline: 'Infoga grafisk rubrik',
+ insertimage: 'Infoga bild',
+ insertlink: 'Lägg in länk',
+ insertMacro: 'Infoga makro',
+ inserttable: 'Infoga tabell',
+ lastEdited: 'Senast redigerad',
+ link: 'Länk',
+ linkinternal: 'Intern länk',
+ linklocaltip: 'När du använder lokala länkar, lägg till "#" framför länken',
+ linknewwindow: 'Öppna i nytt fönster?',
+ macroDoesNotHaveProperties: 'Detta makro innehåller inga egenskaper som du kan redigera',
+ selectMember: 'Välj medlem',
+ selectMembers: 'Välj medlemmar',
+ paste: 'Klistra in',
+ permissionsEdit: 'Redigera rättigheter för',
+ recycleBinDeleting: 'Allt som ligger i papperskorgen tas nu bort. Stäng inte detta fönster förrän detta är klart',
+ recycleBinIsEmpty: 'Papperskorgen är nu tom',
+ recycleBinWarning: 'Om du tömmer papperskorgen kommer allt som ligger i den att tas bort permanent',
+ regexSearchError:
+ "regexlib.com's webbtjänst har för närvarande driftsstörningar. Tyvärr kan vi inte göra något åt detta.",
+ regexSearchHelp: "Sök efter en regular expression som kan validera ett formulärsfält. t.ex. 'email' eller 'URL'",
+ removeMacro: 'Ta bort makro',
+ requiredField: 'Obligatoriskt formulärsfält',
+ sitereindexed: 'Webbplatsen har indexerats',
+ siterepublished:
+ 'Cache för webbplatsen har uppdaterats. Allt publicerat innehåll är nu uppdaterat. Innehåll som inte har publicerats är fortfarande opublicerat.',
+ siterepublishHelp:
+ 'Webbplatsens cache kommer att uppdateras. Allt innehåll som är publicerat kommer att uppdateras. Innehåll som inte är publicerat kommer att förbli opublicerat.',
+ selectContentStartNode: 'Välj startnod för innehåll',
+ selectMedia: 'Välj media',
+ selectIcon: 'Välj ikon',
+ selectLink: 'Välj länk',
+ selectMediaStartNode: 'Välj startnod för media',
+ selectSections: 'Välj sektioner',
+ selectUsers: 'Välj användare',
+ tableColumns: 'Antal kolumner',
+ tableRows: 'Antal rader',
+ thumbnailimageclickfororiginal: 'Klicka på förhandsgranskningsbilden för att se bilden i full storlek',
+ treepicker: 'Välj ett objekt',
+ viewCacheItem: 'Se cachat objekt',
+ linkToPage: 'Länk till sida',
+ openInNewWindow: 'Öppnar länken i ett nytt fönster eller flik',
+ linkToMedia: 'Länk till media',
+ },
+ dictionaryItem: {
+ description:
+ "Redigera de olika översättningarna för ordboksinlägget %0% nedan. Du kan lägga till ytterligare språk under 'språk' i menyn till vänster.",
+ displayName: 'Språknamn',
+ },
+ editcontenttype: {
+ createListView: 'Skapa en anpassad listvy',
+ removeListView: 'Radera anpassad listvy',
+ },
+ editdatatype: {
+ addPrevalue: 'Lägg till värde',
+ dataBaseDatatype: 'Datatyp i databasen',
+ guid: 'Datatyp GUID',
+ renderControl: 'Rendera som',
+ rteButtons: 'Knappar',
+ rteEnableAdvancedSettings: 'Slå på avancerade inställningar för',
+ rteEnableContextMenu: 'Slå på kontextmeny',
+ rteMaximumDefaultImgSize: 'Maximal förinställd storlek för bilder som läggs in',
+ rteRelatedStylesheets: 'Relaterade stilmallar',
+ rteShowLabel: 'Visa etikett',
+ rteWidthAndHeight: 'Bredd och höjd',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Informationen har sparats, men innan du kan publicera denna sida måste du åtgärda följande fel:',
+ errorChangingProviderPassword:
+ "Det går inte att byta lösenord i den medlemshanterare du har valt (EnablePasswordRetrieval måste vara satt till 'true').",
+ errorExistsWithoutTab: '%0% redan finns',
+ errorHeader: 'Följande fel inträffade:',
+ errorHeaderWithoutTab: 'Följande fel inträffade:',
+ errorInPasswordFormat:
+ 'Lösenordet måste bestå av minst %0% tecken varav minst %1% är icke-alfanumeriska tecken (t.ex. %, #, !, @).',
+ errorIntegerWithoutTab: '%0% måste vara ett heltal',
+ errorMandatory: '%0% under %1% är ett obligatoriskt fält',
+ errorMandatoryWithoutTab: '%0% är ett obligatoriskt fält',
+ errorRegExp: '%0% under %1% har ett felaktigt format',
+ errorRegExpWithoutTab: '%0% har ett felaktigt format',
+ },
+ errors: {
+ codemirroriewarning:
+ 'Även om CodeMirror är aktiverad i konfigurationen, så är den avaktiverad i Internet Explorer på grund av att den inte är tillräckligt stabil',
+ contentTypeAliasAndNameNotNull: 'Du måste ange både alias och namn för den nya egenskapstypen!',
+ dissallowedMediaType: 'Filtypen är icke godkännd av administratören',
+ filePermissionsError: 'Ett fel upptäcktes i läsningen/skrivningen till den aktuella filen eller mappen',
+ missingTitle: 'Du måste skriva en rubrik',
+ missingType: 'Du måste välja en typ',
+ pictureResizeBiggerThanOrg:
+ 'Du kommer att göra bilden större än originalstorleken. Är du säker på att du vill fortsätta?',
+ startNodeDoesNotExists: 'Startsidan har tagits bort, var vänlig kontakta administratören',
+ stylesMustMarkBeforeSelect: 'Du måste markera något innan du kan göra stiländringar',
+ stylesNoStylesOnPage: 'Det finns inga tillgängliga stilar',
+ tableColMergeLeft: 'Placera markören i den vänstra av de två celler du vill slå ihop',
+ tableSplitNotSplittable: 'Du kan inte dela en cell som inte är ihopslagen.',
+ },
+ general: {
+ about: 'Om',
+ action: 'Åtgärd',
+ actions: 'Händelser',
+ add: 'Lägg till',
+ alias: 'Alias',
+ areyousure: 'Är du säker?',
+ border: 'Kant',
+ by: 'eller',
+ cancel: 'Avbryt',
+ cellMargin: 'Cellmarginal',
+ choose: 'Välj',
+ clear: 'Rensa',
+ close: 'Stäng',
+ closewindow: 'Stäng fönstret',
+ comment: 'Kommentar',
+ confirm: 'Bekräfta',
+ constrainProportions: 'Begränsa proportioner',
+ content: 'Innehåll',
+ continue: 'Fortsätt',
+ copy: 'Kopiera',
+ create: 'Skapa',
+ database: 'Databas',
+ date: 'Datum',
+ default: 'Standard',
+ delete: 'Ta bort',
+ deleted: 'Borttagen',
+ deleting: 'Tar bort...',
+ design: 'Design',
+ dimensions: 'Dimensioner',
+ discard: 'Ignorera',
+ down: 'Ner',
+ download: 'Ladda ned',
+ edit: 'Redigera',
+ edited: 'Redigerad',
+ elements: 'Element',
+ email: 'E-post',
+ error: 'Fel',
+ findDocument: 'Hitta',
+ folder: 'Mapp',
+ general: 'Generella',
+ groups: 'Grupper',
+ height: 'Höjd',
+ help: 'Hjälp',
+ history: 'Historik',
+ icon: 'Ikon',
+ import: 'Importera',
+ innerMargin: 'Innermarginal',
+ insert: 'Lägg in',
+ install: 'Installera',
+ justify: 'Justera',
+ language: 'Språk',
+ layout: 'Layout',
+ links: 'Länkar',
+ loading: 'Laddar',
+ locked: 'Låst',
+ login: 'Logga in',
+ logoff: 'Logga ut',
+ logout: 'Logga ut',
+ macro: 'Makro',
+ move: 'Flytta',
+ name: 'Namn',
+ new: 'Nytt',
+ next: 'Nästa',
+ no: 'Nej',
+ of: 'av',
+ ok: 'OK',
+ open: 'Öppna',
+ or: 'eller',
+ orderBy: 'Sortering',
+ password: 'Lösenord',
+ path: 'Sökväg',
+ pleasewait: 'Ett ögonblick...',
+ previous: 'Föregående',
+ properties: 'Egenskaper',
+ reciept: 'E-postadress för formulärsdata',
+ recycleBin: 'Papperskorg',
+ recycleBinEmpty: 'Din papperskorg är tom',
+ remaining: 'Återstående',
+ remove: 'Ta bort',
+ rename: 'Döp om',
+ renew: 'Förnya',
+ required: 'Obligatorisk',
+ retry: 'Försök igen',
+ rights: 'Rättigheter',
+ scheduledPublishing: 'Schemalagd publicering',
+ search: 'Sök',
+ searchNoResult: 'Tyvärr kan vi inte hitta det du söker.',
+ searchResults: 'Sökresultat',
+ server: 'Server',
+ show: 'Visa',
+ showPageOnSend: 'Vilken sida skall visas när formuläret är skickat',
+ size: 'Storlek',
+ sort: 'Sortera',
+ submit: 'Skicka',
+ type: 'Skriv',
+ typeToSearch: 'Skriv för att söka...',
+ up: 'Upp',
+ update: 'Uppdatera',
+ upgrade: 'Uppgradera',
+ upload: 'Ladda upp',
+ url: 'URL',
+ user: 'Användare',
+ username: 'Användarnamn',
+ value: 'Värde',
+ welcome: 'Välkommen...',
+ width: 'Bredd',
+ view: 'Titta på',
+ yes: 'Ja',
+ reorder: 'Sortera',
+ reorderDone: 'Avsluta sortering',
+ preview: 'Förhandsvisning',
+ changePassword: 'Ändra lösenord',
+ to: 'till',
+ listView: 'Listvy',
+ saving: 'Sparar...',
+ current: 'nuvarande',
+ embed: 'Inbäddning',
+ retrieve: 'Hämta',
+ selected: 'valda',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Bakgrundsfärg',
+ bold: 'Fetstil',
+ color: 'Textfärg',
+ font: 'Typsnitt',
+ text: 'Text',
+ },
+ headers: {
+ page: 'Sida',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Installationsprogrammet kan inte ansluta till databasen.',
+ databaseFound: 'Din databas har lokaliserats och är identifierad som',
+ databaseHeader: 'Databaskonfiguration',
+ databaseInstall: 'För att installera Umbraco %0% databasen, tryck på knappen installera',
+ databaseInstallDone:
+ 'Nu har Umbraco %0% kopierats till din databas. Tryck Nästa för att fortsätta.',
+ databaseText:
+ 'För att avsluta det här steget måste du veta lite information om din databasserver ("connection string"). Eventuellt kan du behöva kontakta ditt webb-hotell. Om du installerar på en lokal maskin eller server kan du få informationen från din systemadministratör.',
+ databaseUpgrade:
+ '
Tryck Uppgradera knappen för att uppgradera din databas till Umbraco %0%
Du behöver inte vara orolig. Inget innehåll kommer att raderas och efteråt kommer allt att fungera som vanligt!
',
+ databaseUpgradeDone:
+ 'Din databas har nu uppgraderats till den senaste versionen %0%. Tryck Nästa för att fortsätta.',
+ databaseUpToDate:
+ 'Din nuvarande databas behöver inte uppgraderas! Klicka Nästa för att fortsätta med konfigurationsguiden',
+ defaultUserChangePass: 'Lösenordet på standardanvändaren måste bytas!',
+ defaultUserDisabled:
+ 'Standardanvändaren har avaktiverats eller har inte åtkomst till Umbraco!
Du behöver inte göra något ytterligare här. Klicka Next för att fortsätta.',
+ defaultUserPassChanged:
+ 'Standardanvändarens lösenord har ändrats sedan installationen!
Du behöver inte göra något ytterligare här. Klicka Nästa för att fortsätta.',
+ defaultUserPasswordChanged: 'Lösenordet är ändrat!',
+ greatStart: 'Få en flygande start, kolla på våra introduktionsvideor',
+ None: 'Inte installerad än.',
+ permissionsAffectedFolders: 'Berörda filer och mappar',
+ permissionsAffectedFoldersMoreInfo: 'Här hittar du mer information om att sätta rättigheter för Umbraco',
+ permissionsAffectedFoldersText: 'Du måste ge ASP.NET ändra rättigheter till följande filer/mappar',
+ permissionsAlmostPerfect:
+ 'Dina rättighetsinställningar är nästa perfekta!\n
Du kan köra Umbraco utan problem, men du kommer inte att kunna installera paket vilket är rekommenderat för att kunna utnyttja Umbraco fullt ut.',
+ permissionsHowtoResolve: 'Hur skall man lösa',
+ permissionsHowtoResolveLink: 'Klicka här för att läsa text-versionen',
+ permissionsHowtoResolveText:
+ 'Titta på vår video-självstudiekurs om hur du konfigurerar mapp-rättigheter för Umbraco eller läs text-versionen.',
+ permissionsMaybeAnIssue:
+ 'Dina rättighetsinställningar kan vara ett problem!
Du kan köra Umbraco utan problem, men du kommer inte att kunna skapa mappar eller installera paket vilket är rekommenderat för att kunna utnyttja Umbraco fullt ut.',
+ permissionsNotReady:
+ 'Dina rättighetsinställningar är inte reda för Umbraco!
För att kunna köra Umbraco måste du ändra dina rättighetsinställningar.',
+ permissionsPerfect:
+ 'Dina rättighetsinställningar är perfekta!
Du är redo att köra Umbraco och installera paket!',
+ permissionsResolveFolderIssues: 'Lösa mapp problem',
+ permissionsResolveFolderIssuesLink:
+ 'Följ den här länken för mer information om problem med ASP.NET och att skapa mappar',
+ permissionsSettingUpPermissions: 'Konfigurerar mapprättigheter',
+ permissionsText:
+ 'Umbraco behöver skriv/ändra rättigheter till vissa mappar för att spara filer som bilder och PDFer. Umbraco sparar också temporär data (så kallad cache) för att öka prestandan på din webbplats.',
+ runwayFromScratch: 'Jag vill börja från början',
+ runwayFromScratchText:
+ 'Just nu är din webbplats för fullständigt tom och det är ju perfekt om du vill börja från början med att skapa dina egna dokumentyper och mallar. (lär dig hur) Du kan fortfarande välja att installera Runway senare. Gå in i Utvecklarsektionen och välj Paket.',
+ runwayHeader: 'Du har just installerat en ren Umbraco platform. Vad vill du göra härnäst?',
+ runwayInstalled: 'Runway är installerat',
+ runwayInstalledText:
+ 'Du har nu grunden på plats. Välj vilka moduler du vill installera ovanpå den. Det här är vår lista över rekommenderade moduler, markera de moduler du vill installera, eller visa den fullständiga listan',
+ runwayOnlyProUsers: 'Endast rekommenderad för erfarna användare',
+ runwaySimpleSite: 'Jag vill börja med en enkel webbplats',
+ runwaySimpleSiteText:
+ '
"Runway" är en enkel webbplats med några enkla dokumentyper och mallar. Installationsguiden kan automatiskt installera Runway åt dig, men du kan lätt ändra, utöka eller ta bort den. Det är inte nödvändigt och du kan använda Umbraco utan den, men Runway erbjuder en enkel grund baserad på bästa praxis för att hjälpa dig igång snabbare än någonsin tidigare. Om du väljer att installera Runway, kan du välja till grundläggande byggstenar så kallade Runway-moduler för att utöka dina Runway-sidor.
Inkluderat i Runway: Startsida, "komma igång"-sida och en sidan om att installera moduler. Tilläggs moduler: Toppnavigation, Sitemap, Kontakt och galleri. ',
+ runwayWhatIsRunway: 'Vad är Runway',
+ step1: 'Steg 1/5 Acceptera licensavtalet',
+ step2: 'Steg 2/5: Databaskonfiguration',
+ step3: 'Steg 3/5: Bekräftar filrättigheter',
+ step4: 'Steg 4/5: Umbraco säkerhetskontroll',
+ step5: 'Steg 5/5: Umbraco är redo att ge dig en flygande start',
+ thankYou: 'Tack för att du valde Umbraco',
+ theEndBrowseSite:
+ '
Besök din nya webbplats
Du installerade Runway, så varför inte se hur din nya webbplats ser ut.',
+ theEndFurtherHelp:
+ '
Ytterligare hjälp och information
Få hjälp från våra prisbelönta community, bläddra i dokumentationen eller titta på några gratis videor om hur man bygger en enkel webbplats, hur du använder paket eller en snabbguide till Umbracos terminologi',
+ theEndHeader: 'Umbraco %0% är installerat och klart för användning',
+ theEndInstallSuccess:
+ 'Du kan börja omedelbart genom att klicka på "Starta Umbraco"-knappen nedan. Om du är en ny Umbraco användarekan du hitta massor av resurser på våra kom igång sidor.',
+ theEndOpenUmbraco:
+ '
Starta Umbraco
För att administrera din webbplats öppnar du bara Umbraco backoffice och börjar lägga till innehåll, uppdatera mallar och stilmallar eller lägga till nya funktioner.',
+ Unavailable: 'Anslutningen till databasen misslyckades.',
+ watch: 'Se',
+ welcomeIntro:
+ 'Den här guiden kommer att guida dig genom processen med att konfigurera Umbraco %0% antingen för en ny installation eller en uppgradering från version 3.0.
Tryck på "next" för att börja.',
+ Version3: 'Umbraco Version 3',
+ Version4: 'Umbraco Version 4',
+ },
+ language: {
+ cultureCode: 'Språkkod',
+ displayName: 'Språknamn',
+ },
+ lockout: {
+ lockoutWillOccur: 'Du har varit inaktiv och kommer automatiskt att loggas ut',
+ renewSession: 'Förnya nu för att spara ditt arbete',
+ },
+ login: {
+ bottomText:
+ '
',
+ greeting0: 'Välkommen',
+ greeting1: 'Välkommen',
+ greeting2: 'Välkommen',
+ greeting3: 'Välkommen',
+ greeting4: 'Välkommen',
+ greeting5: 'Välkommen',
+ greeting6: 'Välkommen',
+ instruction: 'Logga in nedan',
+ signInWith: 'Logga in med',
+ timeout: 'Sessionen har nått sin maxgräns',
+ },
+ main: {
+ dashboard: 'Översikt',
+ sections: 'Sektioner',
+ tree: 'Innehåll',
+ },
+ media: {
+ clickToUpload: 'Klicka för att ladda upp',
+ orClickHereToUpload: 'eller klicka här för att välja filer',
+ dragAndDropYourFilesIntoTheArea: 'Drag och släpp dina filer i denna yta',
+ },
+ member: {
+ createNewMember: 'Skapa en ny medlem',
+ allMembers: 'Alla medlemmar',
+ memberGroupNoProperties: 'Medlemsgrupper har inga extra egenskaper för redigering.',
+ },
+ moveOrCopy: {
+ choose: 'Välj sida ovan...',
+ copyDone: '%0% har kopierats till %1%',
+ copyTo: 'Ange mål att kopiera sidan %0% till nedan',
+ moveDone: '%0% har flyttats till %1%',
+ moveTo: 'Ange vart sidan %0% skall flyttas till nedan',
+ nodeSelected: "är nu roten för ditt nya innehåll. Klicka 'ok' nedan.",
+ noNodeSelected: "Du har inte valt någon sida än. Välj en sida i listan ovan och klicka sedan 'fortsätt'.",
+ notAllowedAtRoot: 'Aktuell nod får inte existera i roten',
+ notAllowedByContentType:
+ 'Den aktuella sidan får inte vara undersida till den valda sidan eftersom den har fel dokumenttyp.',
+ notAllowedByPath: 'Den aktuella sidan kan inte flyttas till en av sina egna undersidor.',
+ notValid:
+ 'Händelsen är inte tillåten på grund av att du inte har tillräckliga rättigheter till 1 eller flera underliggande sidor',
+ relateToOriginal: 'Relatera kopierat objekt till orginalet',
+ },
+ notifications: {
+ editNotifications: 'Inställningar för notifieringar gällande %0%',
+ notificationsSavedFor: 'Notifieringar sparade för %0%',
+ notifications: 'Notifieringar',
+ },
+ packager: {
+ chooseLocalPackageText:
+ 'Välj ett installationspaket, genom att klicka på utforska och leta upp paketet. Umbracos installationspaket har oftast filändelsen ".umb" eller ".zip".',
+ packageAuthor: 'Utvecklare',
+ packageDocumentation: 'Dokumentation',
+ packageMetaData: 'Paket metadata',
+ packageName: 'Paketnamn',
+ packageNoItemsHeader: 'Paketet innehåller inga poster',
+ packageNoItemsText:
+ 'Paketfilen innehåller inga poster som kan avinstalleras.
Det är säkert att ta bort den ur systemet genom att klicka på "avinstallera paket" nedan.',
+ packageOptions: 'Paketalternativ',
+ packageReadme: 'Paket läsmig',
+ packageRepository: 'Paketvalv',
+ packageSearch: 'Sök efter paket',
+ packageUninstallConfirm: 'Bekräfta avinstallation',
+ packageUninstalledHeader: 'Paketet har avinstallerats',
+ packageUninstalledText: 'Paketet har avinstallerats utan problem',
+ packageUninstallHeader: 'Avinstallera paket',
+ packageUninstallText:
+ 'Nedan kan du avmarkera de poster du inte vill avinstallera just nu. När du klickar på "bekräfta avinstallation" kommer alla markerade poster att avinstalleras. OBS! dokument, media osv som använder de borttagna posterna kommer sluta fungera vilket kan leda till att systemet blir instabilt. Avinstallera därför med försiktighet. Om du är osäker, kontakta personen som skapat paketet.',
+ packageVersion: 'Paketversion',
+ },
+ paste: {
+ doNothing: 'Klistra in med helt bibehållen formatering (rekommenderas ej)',
+ errorMessage:
+ 'Texten du försöker klistra in innehåller specialtecken och/eller formateringstaggar. Detta kan bero på att texten kommer från t.ex. Microsoft Word. Umbraco kan ta bort specialtecken och formateringstaggar automatiskt så att innehållet lämpar sig bättre för webbpublicering.',
+ removeAll: 'Klistra in texten helt utan formatering',
+ removeSpecialFormattering: 'Klistra in texen och ta bort specialformatering (rekommenderas)',
+ },
+ placeholders: {
+ entername: 'Fyll i ett namn...',
+ filter: 'Skriv för att filtrera...',
+ nameentity: 'Namnge %0%...',
+ password: 'Fyll i ditt lösenord',
+ search: 'Skriv för att söka...',
+ username: 'Fyll i ditt lösenord',
+ enterAlias: 'Välj alias...',
+ enterTags: 'Skriv för att lägga till taggar (och tryck enter efter varje tagg)...',
+ },
+ publicAccess: {
+ paAdvanced: 'Rollbaserat lösenordsskydd',
+ paAdvancedHelp:
+ 'Välj detta alternativ om du vill skydda sidan med hjälp av rollbaserat lösenordsskydd. Då används Umbracos medlemsgrupper.',
+ paAdvancedNoGroups: 'Du måste skapa en medlemsgrupp innan du kan använda rollbaserat lösenordsskydd.',
+ paErrorPage: 'Sida med felmeddelande',
+ paErrorPageHelp: 'Används när en användare är inloggad, men saknar rättigheter att se sidan',
+ paHowWould: 'Välj hur du vill lösenordsskydda sidan',
+ paIsProtected: '%0% är nu lösenordsskyddad',
+ paIsRemoved: 'Lösenordsskyddet är nu borttaget på %0%',
+ paLoginPage: 'Inloggningssida',
+ paLoginPageHelp: 'Välj sidan med inloggningsformuläret',
+ paRemoveProtection: 'Ta bort lösenordsskydd',
+ paSelectPages: 'Välj sidorna med inloggningsformulär och felmeddelande',
+ paSelectRoles: 'Välj de roller som ska ha tillgång till denna sida',
+ paSetLogin: 'Ange användarnamn och lösenord för denna sida',
+ paSimple: 'Samma lösenord för alla användare',
+ paSimpleHelp:
+ 'Välj detta alternativ om du vill skydda sidan med ett enkelt användarnamn och lösenord. Alla loggar då in med samma inloggningsuppgifter.',
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease: ' %0% kunde inte publiceras på grund av dess tidsinställda publicering.',
+ contentPublishedFailedByEvent:
+ '%0% kunde inte publiceras på grund av att ett tredjepartstillägg avbröt publiceringen.',
+ contentPublishedFailedByParent: '%0% kan inte publiceras, på grund av att överordnad nod inte är publicerad.',
+ contentPublishedFailedInvalid:
+ '%0% kunde inte publiceras på grund av följande orsaker: %1% passerade inte valideringen.',
+ includeUnpublished: 'Inkludera opublicerade undersidor',
+ inProgress: 'Publicering pågår - vänligen vänta...',
+ inProgressCounter: '%0% av %1% sidor har publicerats...',
+ nodePublish: '%0% har publicerats',
+ nodePublishAll: '%0% och underliggande sidor har publicerats',
+ publishAll: 'Publicera %0% och alla dess underordnade sidor',
+ publishHelp:
+ 'Klicka på ok för att publicera %0%. Därmed blir innehållet publikt.
Du kan publicera denna sida och alla dess undersidor genom att kryssa i publicera alla undersidor. ',
+ },
+ references: {
+ labelUsedItems: 'Följande objekt refereras till',
+ },
+ relatedlinks: {
+ enterExternal: 'ange en extern länk',
+ chooseInternal: 'ange en intern sida',
+ caption: 'Rubrik',
+ link: 'Länk',
+ newWindow: 'Öppna i nytt fönster',
+ captionPlaceholder: 'Ange visningstext',
+ externalLinkPlaceholder: 'Ange adress',
+ },
+ imagecropper: {
+ reset: 'Återställ',
+ },
+ rollback: {
+ diffHelp:
+ 'Här visas skillnaderna mellan nuvarande version och vald version Röd text kommer inte att synas i den valda versionen. , Grön betyder att den har tillkommit',
+ documentRolledBack: 'Dokumentet har återgått till en tidigare version',
+ htmlHelp:
+ 'Här visas den valda sidversionen i HTML. Om du vill se skillnaden mellan två versioner samtidigt, välj istället "Diff".',
+ rollbackTo: 'Återgå till',
+ selectVersion: 'Vald version',
+ view: 'Visningsläge',
+ },
+ scripts: {
+ editscript: 'Redigera script',
+ },
+ sections: {
+ concierge: 'Concierge',
+ content: 'Innehåll',
+ courier: 'Courier',
+ developer: 'Utvecklare',
+ forms: 'Formulär',
+ help: 'Hjälp',
+ installer: 'Umbraco konfigurationsguide',
+ media: 'Media',
+ member: 'Medlemmar',
+ newsletters: 'Nyhetsbrev',
+ packages: 'Paket',
+ settings: 'Inställningar',
+ statistics: 'Statistik',
+ translation: 'Översättning',
+ users: 'Användare',
+ },
+ settings: {
+ contentTypeEnabled: 'Huvudinnehållstyp påslagen',
+ contentTypeUses: 'Denna huvudinnehållstyp använder',
+ defaulttemplate: 'Defaultmall',
+ importDocumentTypeHelp:
+ 'För att importera en dokumenttyp, leta upp ".udt"-filen på din hårddisk genom att klicka på "Browse"-knappen och sedan på "Importera" (du får bekräfta ditt val i nästa steg).',
+ newtabname: 'Namn på ny flik',
+ nodetype: 'Nodtyp',
+ noPropertiesDefinedOnTab:
+ 'Inga egenskaper definierade i denna sektion. Klicka på "Lägg till ny egenskap" länken vid toppen för att skapa en ny egenskap.',
+ objecttype: 'Typ',
+ script: 'Skript',
+ stylesheet: 'Stilmall',
+ tab: 'Flik',
+ tabname: 'Fliknamn',
+ tabs: 'Flikar',
+ },
+ sort: {
+ sortOrder: 'Sort order',
+ sortCreationDate: 'Creation date',
+ sortDone: 'Sortering klar',
+ sortHelp:
+ 'Välj i vilken ordning du vill ha sidorna genom att dra dem upp eller ner i listan. Du kan också klicka på kolumnrubrikerna för att sortera grupper av sidor',
+ sortPleaseWait: 'Vänta medan sidorna sorteras. Det kan ta en stund.',
+ sortEmptyState: 'Den här noden har inga undernoder att sortera',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: 'Publiceringen avbröts av ett tredjepartstillägg',
+ contentTypeDublicatePropertyType: 'Egenskapstyp finns redan',
+ contentTypePropertyTypeCreated: 'Egenskapstyp skapad',
+ contentTypePropertyTypeCreatedText: 'Namn: %0% Datatyp: %1%',
+ contentTypePropertyTypeDeleted: 'Egenskapstypen har tagits bort',
+ contentTypeSavedHeader: 'Innehållstypen har sparats',
+ contentTypeTabCreated: 'Ny flik skapad',
+ contentTypeTabDeleted: 'Fliken har tagits bort',
+ contentTypeTabDeletedText: 'Fliken med id: %0% har tagits bort',
+ contentUnpublished: 'Innehållet är avpublicerat',
+ cssErrorHeader: 'Stilmallen kunde inte sparas',
+ cssSavedHeader: 'Stilmallen sparades',
+ cssSavedText: 'Stilmallen sparades utan fel',
+ dataTypeSaved: 'Datatypen har sparats',
+ dictionaryItemSaved: 'Ordet sparades i ordboken',
+ editContentPublishedFailedByParent:
+ 'Det gick inte att publicera sidan eftersom dess överordnade sida inte är publicerad',
+ editContentPublishedHeader: 'Innehållet är publicerat',
+ editContentPublishedText: 'och syns på webbplatsen',
+ editContentSavedHeader: 'Innehållet har sparats',
+ editContentSavedText: 'Kom ihåg att publicera för att ändringarna ska synas på webbplatsen',
+ editContentSendToPublish: 'Skickat för godkännande',
+ editContentSendToPublishText: 'Ändringarna har skickats för godkännande',
+ editMediaSaved: 'Mediaobjektet är sparat',
+ editMediaSavedText: 'Media sparat',
+ editMemberSaved: 'Medlemmen har sparats',
+ editStylesheetPropertySaved: 'Egenskap för stilmall har sparats',
+ editStylesheetSaved: 'Stilmallen har sparats',
+ editTemplateSaved: 'Sidmallen har sparats',
+ editUserError: 'Ett fel inträffade när användaren sparades (läs logg-filen)',
+ editUserSaved: 'Användaren har sparats',
+ editUserTypeSaved: 'Användartypen har sparats',
+ fileErrorHeader: 'Filen sparades inte',
+ fileErrorText: 'filen kunde inte sparas. Kontrollera filrättigheterna',
+ fileSavedHeader: 'Filen har sparats',
+ fileSavedText: 'Filen sparades utan fel',
+ languageSaved: 'Språket har sparats',
+ partialViewErrorHeader: 'Partial view Ej sparad',
+ partialViewErrorText: 'Ett fel uppstod när filen sparades',
+ partialViewSavedHeader: 'Partial view sparad',
+ partialViewSavedText: 'Partial view sparad utan fel!',
+ templateErrorHeader: 'Sidmallen har inte sparats',
+ templateErrorText: 'Kontrollera att du inte har två sidmallar med samma alias',
+ templateSavedHeader: 'Sidmallen har sparats',
+ templateSavedText: 'Sidmallen sparades utan fel',
+ },
+ stylesheet: {
+ aliasHelp: 'Använder CSS-syntax, t ex: h1, .redHeader, .blueTex',
+ editstylesheet: 'Redigera stilmall',
+ editstylesheetproperty: 'Redigera egenskaper för stilmall',
+ nameHelp: 'Namnet som används för att identifiera stilen i HTML-editorn',
+ preview: 'Förhandsgranska',
+ styles: 'Stilar',
+ },
+ template: {
+ createdDate: 'Skapad',
+ edittemplate: 'Redigera sidmall',
+ insertContentArea: 'Lägg in innehållsyta',
+ insertContentAreaPlaceHolder: 'Lägg in platshållare för innehållsyta',
+ insertDictionaryItem: 'Lägg in ord från ordboken',
+ insertMacro: 'Lägg in makro',
+ insertPageField: 'Lägg in sidfält',
+ mastertemplate: 'Huvudmall',
+ quickGuide: 'Snabbguide för taggar i Umbracos sidmallar',
+ template: 'Sidmall',
+ },
+ grid: {
+ media: 'Bild',
+ macro: 'Macro',
+ insertControl: 'Lägg till',
+ chooseLayout: 'Choose layout',
+ addRows: 'Lägg till rad',
+ addElement: 'Add content',
+ dropElement: 'Drop content',
+ contentNotAllowed: 'Indholdet er ikke tilladt her',
+ contentAllowed: 'Indholdet er tilladt her',
+ clickToEmbed: 'Klicka för att lägga in',
+ clickToInsertImage: 'Klicka för att lägga till bild',
+ placeholderWriteHere: 'Skriv här...',
+ gridLayouts: 'Rutnätslayouter',
+ gridLayoutsDetail: 'Layouter är arbetsytan för rutnätet, oftast så behöver du bara en eller två layouter',
+ addGridLayout: 'Lägg till layout',
+ addGridLayoutDetail: 'Redigera layouten genom att sätta kolumnbredd och lägg till fler sektioner',
+ rowConfigurations: 'Radkonfigureringar',
+ rowConfigurationsDetail: 'Rader är fördefinierade celler, arrangerade horisontellt',
+ addRowConfiguration: 'Lägg till radkonfiguration',
+ addRowConfigurationDetail: 'Justera rad genom att ställa in cellbredder och lägga till ytterligare celler',
+ columns: 'Kolumner',
+ columnsDetails: 'Sammanlagda antalet kolumner i rutnätslayout',
+ settings: 'Inställningar',
+ settingsDetails: 'Konfigurera vilka inställningar redaktörer kan ändra',
+ styles: 'Stilar',
+ stylesDetails: 'Konfigurera vilken styling redaktörer kan ändra',
+ allowAllEditors: 'Tillåt alla editors',
+ allowAllRowConfigurations: 'Tillåt alla rad- konfigurationer',
+ },
+ templateEditor: {
+ alternativeField: 'Alternativt fält',
+ alternativeText: 'Alternativ text',
+ casing: 'Casing',
+ chooseField: 'Välj fält',
+ convertLineBreaks: 'Konvertera radbrytningar',
+ convertLineBreaksHelp: 'Byter radbrytningar mot html-taggen <br>',
+ customFields: 'Anpassade fält',
+ dateOnly: 'Ja, endast datum',
+ encoding: 'Omkodning',
+ formatAsDate: 'Formatera som datum',
+ htmlEncode: 'HTML-omkodning',
+ htmlEncodeHelp: 'Ersätter specialtecken med deras HTML-motsvarigheter.',
+ insertedAfter: 'Kommer läggas till efter fältets värde',
+ insertedBefore: 'Kommer läggas till före fältets värde',
+ lowercase: 'Gemener',
+ none: 'Ingen',
+ postContent: 'Infoga efter fält',
+ preContent: 'Infoga före fält',
+ recursive: 'Rekursiv',
+ removeParagraph: 'Avlägsna stycke-taggar',
+ removeParagraphHelp: 'Kommer att avlägsna alla <P> i början och slutet av texten',
+ standardFields: 'Standardfält',
+ uppercase: 'Versaler',
+ urlEncode: 'URL-koda',
+ urlEncodeHelp: 'Om fältets innehåll skall sändas till en URL, skall detta slås på så att specialtecken kodas',
+ usedIfAllEmpty: 'Texten kommer användas om ovanstående fält är tomma',
+ usedIfEmpty: 'Fältet kommer användas om det primära fältet ovan är tomt',
+ withTime: 'Ja, med tid. Separator:',
+ },
+ translation: {
+ details: 'Översättningsdetaljer',
+ DownloadXmlDTD: 'Ladda hem DTD för XML',
+ fields: 'Fält',
+ includeSubpages: 'Inkludera undersidor',
+ mailBody:
+ "Hej %0%. Detta är ett automatisk mail skickat for att informera dig om att det finns en översättningsförfrågan på dokument '%1%' till '%5%' skickad av %2%. För att redigera, besök http://%3%/translation/details.aspx?id=%4%. För att få en översikt över dina översättningsuppgigter loggar du in i Umbraco på: http://%3%",
+ noTranslators:
+ 'Hittade inga användare som är översättare. Vänligen skapa en användare som är översättare innan du börjar skicka innehåll för översättning',
+ pageHasBeenSendToTranslation: 'Sidan %0% har skickats för översättning',
+ sendToTranslate: 'Skicka sidan %0% för översättning',
+ totalWords: 'Totalt antal ord',
+ translateTo: 'Översätt till',
+ translationDone: 'Översättning klar.',
+ translationDoneHelp:
+ 'Du kan förhandsgranska sidorna du nyss har översatt genom att klicka nedan. Om originalsidan finns kommer du att se en jämförelse mellan din sida och originalsidan.',
+ translationFailed: 'Översättningen misslyckades. XML-filen kan vara korrupt',
+ translationOptions: 'Valmöjligheter översättning',
+ translator: 'Översättare',
+ uploadTranslationXml: 'Ladda upp översättning i XML-format',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Cacha webbläsare',
+ content: 'Innehåll',
+ contentRecycleBin: 'Papperskorg',
+ createdPackages: 'Skapade paket',
+ dataTypes: 'Datatyper',
+ dictionary: 'Ordbok',
+ installedPackages: 'Installerade paket',
+ installSkin: 'Installera skin',
+ installStarterKit: 'Installera Startkit',
+ languages: 'Språk',
+ localPackage: 'Installera lokalt paket',
+ macros: 'Makron',
+ mediaTypes: 'Mediatyper',
+ member: 'Medlem',
+ memberGroups: 'Medlemsgrupper',
+ memberRoles: 'Roller',
+ memberTypes: 'Medlemstyper',
+ documentTypes: 'Dokumenttyper',
+ packager: 'Paket',
+ packages: 'Paket',
+ repositories: 'Installera från gemensamt bibliotek',
+ runway: 'Installera Runway',
+ runwayModules: 'Runway-moduler',
+ scripting: 'Skript-filer',
+ scripts: 'Skript',
+ stylesheets: 'Stilmallar',
+ templates: 'Sidmallar',
+ userPermissions: 'Användarrättigheter',
+ userTypes: 'Användartyper',
+ users: 'Användare',
+ },
+ update: {
+ updateAvailable: 'Ny uppdatering tillgänglig',
+ updateDownloadText: '%0% är klart, klicka här för att ladda ner',
+ updateNoServer: 'Ingen kontakt med server',
+ updateNoServerError: 'Fel vid kontroll av uppdatering. Se trace-stack för mer information.',
+ },
+ user: {
+ access: 'Åtkomst',
+ accessHelp: 'Baserat på tilldelade grupper och startnod så har användaren åtkomst till följande noder',
+ assignAccess: 'Tilldela åtkomst',
+ administrators: 'Administratör',
+ categoryField: 'Kategorifält',
+ createDate: 'Användare skapad',
+ changePassword: 'Ändra lösenord',
+ changePhoto: 'Ändra bild',
+ confirmNewPassword: 'Bekräfta det nya lösenordet',
+ changePasswordDescription:
+ 'Du kan byta ditt lösenord för Umbraco backoffice genom att fylla i nedanstående formulär och klicka på knappen "Ändra lösenord".',
+ contentChannel: 'Innehållskanal',
+ createAnotherUser: 'Skapa en till användare',
+ createUserHelp:
+ 'Skapa nya användare för att ge dom åtkomst till Umbraco. När en ny användare skapas kommer ett lösenord genereras som du kan dela med användaren.',
+ createUser: 'Skapa användare',
+ deleteUser: 'Ta bort användare User',
+ deleteUserConfirmation: 'Är du säker på att du vill ta bort användarens konto?',
+ descriptionField: 'Fält för beskrivning',
+ disabled: 'Avaktivera användare',
+ documentType: 'Dokumenttyp',
+ editors: 'Redaktör',
+ excerptField: 'Fält för utdrag',
+ failedPasswordAttempts: 'Misslyckade inloggningsförsök',
+ goToProfile: 'Gå till användarens profil',
+ groupsHelp: 'Lägg till grupper för att tilldela åtkomst och rättigheter',
+ inviteAnotherUser: 'Bjud in en till användare',
+ inviteUserHelp:
+ 'Bjud in nya användare för att ge dom åtkomst till Umbraco. Ett e-postmeddelande kommer skikcas till användaren med information om hur man loggar in i Umbraco. Inbjudningar är giltiga i 72 timmar.',
+ language: 'Språk',
+ languageHelp: 'Välj de språk som kommer visas i meny och dialoger',
+ lastLockoutDate: 'Senast utlåst',
+ lastLogin: 'Senast inloggad',
+ lastPasswordChangeDate: 'Lösenordet ändrades',
+ loginname: 'Login',
+ mediastartnode: 'Startnod i mediabiblioteket',
+ mediastartnodehelp: 'Begränsa media sectionen till en specifik startnod',
+ mediastartnodes: 'Media startnoder',
+ mediastartnodeshelp: 'Begränsa media sectionen till specifika startnoder',
+ modules: 'Sektioner',
+ newPassword: 'Byt ditt lösenord',
+ noLockouts: 'har inte blivit utlåst',
+ noLogin: 'har inte loggat in ännu',
+ noConsole: 'Inaktivera tillgång till Umbraco',
+ noPasswordChange: 'Lösenordet har inte ändrats',
+ noStartNode: 'Ingen startnod vald',
+ noStartNodes: 'Inga startnoder valda',
+ oldPassword: 'Gammalt lösenord',
+ password: 'Lösenord',
+ passwordChanged: 'Ditt lösenord är nu ändrat!',
+ passwordConfirm: 'Vänligen bekräfta ditt nya lösenord',
+ passwordCurrent: 'Nuvarande lösenord',
+ passwordEnterNew: 'Vänligen fyll i ditt nya lösenord',
+ passwordInvalid: 'Nuvarande lösenord är ogiltigt',
+ passwordIsBlank: 'Ditt nya lösenord kan inte vara tomt!',
+ passwordIsDifferent: 'Lösenorden matchar inte. Vänligen försök igen!',
+ passwordMismatch: 'Det bekräftade lösenordet matchar inte det nya lösenordet!',
+ permissionReplaceChildren: 'Ersätt rättigheterna på underliggande noder',
+ permissionSelectedPages: 'Du redigerar nu rättigheterna för sidorna:',
+ permissionSelectPages: 'Välj de sidor vars rättigheter du vill redigera',
+ resetPassword: 'Återställ lösenord',
+ removePhoto: 'Ta bort bild',
+ permissionsDefault: 'Standard rättigheter',
+ permissionsGranular: 'Granulära rättigheter',
+ searchAllChildren: 'Sök igenom alla undernoder',
+ permissionsGranularHelp: 'Sätt rättigheter för specifika noder',
+ profile: 'Profil',
+ sessionExpires: 'Sessionen går ut',
+ sectionsHelp: 'Välj sektioner för användaråtkomst',
+ stateAll: 'Alla',
+ stateActive: 'Aktiv',
+ stateLockedOut: 'Utlåst',
+ stateInvited: 'Inbjuden',
+ stateInactive: 'Inaktiv',
+ sortNameAscending: 'Namn (A-Z)',
+ sortNameDescending: 'Namn (Z-A)',
+ startnode: 'Startnod för innehåll',
+ startnodehelp: 'Begränsa sidträdet till en specifik startnod',
+ startnodes: 'Startnoder för innehåll',
+ startnodeshelp: 'Begränsa sidträdet till specifika startnoder',
+ updateDate: 'Användare ändrad',
+ username: 'Användarens namn',
+ userManagement: 'Användarhantering',
+ userPermissions: 'Användarrättigheter',
+ usertype: 'Användartyp',
+ userTypes: 'Användartyper',
+ writer: 'Skribent',
+ yourHistory: 'Din nuvarande historik',
+ yourProfile: 'Din profil',
+ sortCreateDateAscending: 'Äldst',
+ sortCreateDateDescending: 'Nyast',
+ sortLastLoginDateDescending: 'Senaste login',
+ },
+ logViewer: {
+ selectAllLogLevelFilters: 'Välj alla',
+ deselectAllLogLevelFilters: 'Avmarkera alla',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/tr-tr.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/tr-tr.ts
new file mode 100644
index 0000000000..a347f09442
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/tr-tr.ts
@@ -0,0 +1,2013 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: tr
+ * Language Int Name: Turkish (TR)
+ * Language Local Name: Türkçe (TR)
+ * Language LCID:
+ * Language Culture: tr-TR
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Kültür ve Ana Bilgisayar Adları',
+ auditTrail: 'Denetim Yolu',
+ browse: 'Düğüme Göz At',
+ changeDocType: 'Belge Türünü Değiştir',
+ copy: 'Kopyala',
+ create: 'Oluştur',
+ export: 'Dışa Aktar',
+ createPackage: 'Paket Oluştur',
+ createGroup: 'Grup oluştur',
+ delete: 'Sil',
+ disable: 'Devre Dışı Bırak',
+ editSettings: 'Ayarları düzenle',
+ emptyrecyclebin: 'Geri dönüşüm kutusunu boşalt',
+ enable: 'Etkinleştir',
+ exportDocumentType: 'Belge Türünü Dışa Aktar',
+ importdocumenttype: 'Belge Türünü İçe Aktar',
+ importPackage: 'Paketi İçe Aktar',
+ liveEdit: "Kanvas'ta Düzenle",
+ logout: 'Çıkış',
+ move: 'Taşı',
+ notify: 'Bildirimler',
+ protect: 'Genel erişim',
+ publish: 'Yayımla',
+ unpublish: 'Yayından Kaldır',
+ refreshNode: 'Yeniden Yükle',
+ republish: 'Tüm siteyi yeniden yayınla',
+ remove: 'Kaldır',
+ rename: 'Yeniden adlandır',
+ restore: 'Geri Yükle',
+ chooseWhereToCopy: 'Nereye kopyalayacağınızı seçin',
+ chooseWhereToMove: 'Taşınacağınız yeri seçin',
+ toInTheTreeStructureBelow: 'aşağıdaki ağaç yapısına',
+ infiniteEditorChooseWhereToCopy: 'Seçili öğelerin nereye kopyalanacağını seçin',
+ infiniteEditorChooseWhereToMove: 'Seçili öğelerin nereye taşınacağını seçin',
+ wasMovedTo: 'konumuna taşındı,',
+ wasCopiedTo: 'kopyalandı,',
+ wasDeleted: 'silindi,',
+ rights: 'İzinler',
+ rollback: 'Geri al',
+ sendtopublish: 'Yayınlamak İçin Gönder',
+ sendToTranslate: 'Çeviriye Gönder',
+ setGroup: 'Grup ayarla',
+ sort: 'Sırala',
+ translate: 'Çevir',
+ update: 'Güncelle',
+ setPermissions: 'İzinleri ayarlayın',
+ unlock: 'Kilidi Aç',
+ createblueprint: 'İçerik Şablonu Oluşturun',
+ resendInvite: 'Daveti Yeniden Gönder',
+ },
+ actionCategories: {
+ content: 'İçerik',
+ administration: 'Yönetim',
+ structure: 'Yapı',
+ other: 'Diğer',
+ },
+ actionDescriptions: {
+ assignDomain: 'Kültür ve ana bilgisayar adları atamak için erişime izin ver',
+ auditTrail: 'Bir düğümün geçmiş günlüğünü görüntülemek için erişime izin ver',
+ browse: 'Bir düğümü görüntülemek için erişime izin verin',
+ changeDocType: 'Bir düğüm için belge türünü değiştirmek üzere erişime izin ver',
+ copy: 'Bir düğümü kopyalamak için erişime izin ver',
+ create: 'Düğüm oluşturmak için erişime izin verin',
+ delete: 'Düğümleri silmek için erişime izin ver',
+ move: 'Bir düğümü taşımak için erişime izin ver',
+ protect: 'Erişime, bir düğüm için genel erişimi ayarlama ve değiştirme izni verme',
+ publish: 'Bir düğüm yayınlamak için erişime izin verin',
+ unpublish: 'Bir düğümü yayından kaldırmak için erişime izin ver',
+ rights: 'Bir düğüm için izinleri değiştirmek üzere erişime izin ver',
+ rollback: 'Bir düğümü önceki bir duruma geri döndürmek için erişime izin ver',
+ sendtopublish: 'Yayınlamadan önce onay için bir düğüm gönderme erişimine izin ver',
+ sendToTranslate: 'Çeviri için bir düğüm gönderme erişimine izin ver',
+ sort: 'Düğümler için sıralama düzenini değiştirmek için erişime izin ver',
+ translate: 'Bir düğümü çevirmek için erişime izin ver',
+ update: 'Bir düğümü kaydetme erişimine izin ver',
+ createblueprint: 'İçerik Şablonu oluşturma erişimine izin verin',
+ },
+ apps: {
+ umbContent: 'İçerik',
+ umbInfo: 'Bilgi',
+ },
+ assignDomain: {
+ permissionDenied: 'İzin reddedildi.',
+ addNew: 'Yeni Alan Ekle',
+ remove: 'kaldır',
+ invalidNode: 'Geçersiz düğüm.',
+ invalidDomain: 'Bir veya daha fazla alanın biçimi geçersiz.',
+ duplicateDomain: 'Etki alanı zaten atanmış.',
+ language: 'Dil',
+ domain: 'Alan',
+ domainCreated: "Yeni '%0%' etki alanı oluşturuldu",
+ domainDeleted: "'%0%' alan adı silindi",
+ domainExists: "'%0%' etki alanı zaten atanmış",
+ domainUpdated: "'%0%' etki alanı güncellendi",
+ orEdit: 'Mevcut Etki Alanlarını Düzenle',
+ domainHelpWithVariants:
+ 'Geçerli alan adları: "example.com", "www.example.com", "example.com:8080" veya "https://www.example.com/".\n Ayrıca, alanlardaki tek seviyeli yollar da desteklenir, örn. "example.com/tr" veya "/en".',
+ inherit: 'Devral',
+ setLanguage: 'Kültür',
+ setLanguageHelp:
+ 'Geçerli düğümün altındaki düğümler için kültürü ayarlayın, veya kültürü üst düğümlerden devralın. Ayrıca \n aşağıdaki alan da geçerli değilse geçerli düğüme.',
+ setDomains: 'Alanlar',
+ },
+ buttons: {
+ clearSelection: 'Seçimi temizle',
+ select: 'Seç',
+ somethingElse: 'Başka bir şey yapın',
+ bold: 'Kalın',
+ deindent: 'Paragraf Girintisini İptal Et',
+ formFieldInsert: 'Form alanı ekle',
+ graphicHeadline: 'Grafik başlığı ekle',
+ htmlEdit: "Html'yi Düzenle",
+ indent: 'Paragrafı Girintile',
+ italic: 'İtalik',
+ justifyCenter: 'Ortala',
+ justifyLeft: 'Sola Yasla',
+ justifyRight: 'Sağa Yasla',
+ linkInsert: 'Bağlantı Ekle',
+ linkLocal: 'Yerel bağlantı ekle (bağlantı)',
+ listBullet: 'Madde İşareti Listesi',
+ listNumeric: 'Sayısal Liste',
+ macroInsert: 'Makro ekle',
+ pictureInsert: 'Resim ekle',
+ publishAndClose: 'Yayınlayın ve kapatın',
+ publishDescendants: 'Nesillerle yayınlayın',
+ relations: 'İlişkileri düzenle',
+ returnToList: 'Listeye dön',
+ save: 'Kaydet',
+ saveAndClose: 'Kaydet ve kapat',
+ saveAndPublish: 'Kaydet ve yayınla',
+ saveToPublish: 'Kaydet ve onaya gönder',
+ saveListView: 'Liste görünümünü kaydet',
+ schedulePublish: 'Planla',
+ saveAndPreview: 'Kaydet ve önizle',
+ showPageDisabled: 'Atanmış şablon olmadığından önizleme devre dışı bırakıldı',
+ styleChoose: 'Stil seçin',
+ styleShow: 'Stilleri göster',
+ tableInsert: 'Tablo ekle',
+ saveAndGenerateModels: 'Modelleri kaydedin ve oluşturun',
+ undo: 'Geri Al',
+ redo: 'Yeniden yap',
+ deleteTag: 'Etiketi sil',
+ confirmActionCancel: 'İptal',
+ confirmActionConfirm: 'Onayla',
+ morePublishingOptions: 'Daha fazla yayınlama seçeneği',
+ submitChanges: 'Gönder',
+ },
+ auditTrailsMedia: {
+ delete: 'Medya silindi',
+ move: 'Medya taşındı',
+ copy: 'Medya kopyalandı',
+ save: 'Medya kaydedildi',
+ },
+ auditTrails: {
+ atViewingFor: 'Görüntüleniyor',
+ delete: 'İçerik silindi',
+ unpublish: 'Yayınlanmamış içerik',
+ publish: 'Kaydedilen ve Yayınlanan İçerik',
+ publishvariant: 'Diller için kaydedilen ve yayınlanan içerik: %0%',
+ save: 'İçerik kaydedildi',
+ savevariant: 'Diller için kaydedilen içerik: %0%',
+ move: 'İçerik taşındı',
+ copy: 'İçerik kopyalandı',
+ rollback: 'İçerik geri alındı ',
+ sendtopublish: 'Yayınlanmak için gönderilen içerik',
+ sendtopublishvariant: 'Diller için yayınlanmak üzere gönderilen içerik: %0%',
+ sort: 'Kullanıcı tarafından gerçekleştirilen alt öğeleri sıralama',
+ custom: '%0%',
+ smallCopy: 'Kopyala',
+ smallPublish: 'Yayınla',
+ smallPublishVariant: 'Yayınla',
+ smallMove: 'Taşı',
+ smallSave: 'Kaydet',
+ smallSaveVariant: 'Kaydet',
+ smallDelete: 'Sil',
+ smallUnpublish: 'Yayından Kaldır',
+ smallRollBack: 'Geri Al',
+ smallSendToPublish: 'Yayınlamak İçin Gönder',
+ smallSendToPublishVariant: 'Yayınlamak İçin Gönder',
+ smallSort: 'Sırala',
+ smallCustom: 'Özel',
+ historyIncludingVariants: 'Geçmiş (tüm varyantlar)',
+ },
+ codefile: {
+ createFolderIllegalChars: 'Klasör adı geçersiz karakterler içeremez.',
+ deleteItemFailed: 'Öğe silinemedi: %0%',
+ },
+ content: {
+ isPublished: 'Yayınlandı',
+ about: 'Bu sayfa hakkında',
+ alias: 'Takma ad',
+ alternativeTextHelp: '(resmi telefonda nasıl tarif edersiniz)',
+ alternativeUrls: 'Alternatif Bağlantılar',
+ clickToEdit: 'Bu öğeyi düzenlemek için tıklayın',
+ createBy: 'Oluşturan',
+ createByDesc: 'Orijinal yazar',
+ updatedBy: 'Güncelleyen',
+ createDate: 'Oluşturuldu',
+ createDateDesc: 'Bu belgenin oluşturulduğu tarih / saat',
+ documentType: 'Belge Türü',
+ editing: 'Düzenle',
+ expireDate: 'Kaldır',
+ itemChanged: 'Bu öğe yayınlandıktan sonra değiştirildi',
+ itemNotPublished: 'Bu öğe yayınlanmadı',
+ lastPublished: 'Son yayınlanan',
+ noItemsToShow: 'Gösterilecek öğe yok',
+ listViewNoItems: 'Listede gösterilecek öğe yok.',
+ listViewNoContent: 'Hiçbir içerik eklenmedi',
+ listViewNoMembers: 'Üye eklenmedi',
+ mediatype: 'Medya Türü',
+ mediaLinks: 'Medya öğelerine bağlantı',
+ membergroup: 'Üye Grubu',
+ memberrole: 'Rol',
+ membertype: 'Üye Türü',
+ noChanges: 'Hiçbir değişiklik yapılmadı',
+ noDate: 'Tarih seçilmedi',
+ nodeName: 'Sayfa başlığı',
+ noMediaLink: 'Bu medya öğesinin bağlantısı yok',
+ otherElements: 'Özellikler',
+ parentNotPublished: "Bu belge yayınlandı, ancak '%0%' üst öğesi yayından kaldırıldığı için görünmüyor",
+ parentCultureNotPublished: "Bu kültür yayınlandı, ancak '%0%' üst öğe üzerinde yayınlanmadığı için görünmüyor",
+ parentNotPublishedAnomaly: 'Bu belge yayınlandı, ancak önbellekte yok',
+ getUrlException: 'URL alınamadı',
+ routeError: "Bu belge yayınlandı, ancak url'si %0% içeriğiyle çakışacak",
+ routeErrorCannotRoute: "Bu belge yayınlandı, ancak url'si yönlendirilemez",
+ publish: 'Yayınla',
+ published: 'Yayınlandı',
+ publishedPendingChanges: 'Yayınlandı (bekleyen değişiklikler)',
+ publishStatus: 'Yayın Durumu',
+ publishDescendantsHelp:
+ '%0% ve altındaki tüm içerik öğelerini yayınlayın ve böylece içeriğini herkese açık hale getirin.',
+ publishDescendantsWithVariantsHelp:
+ 'Altında aynı türdeki varyantları ve varyantları yayınlayın ve böylece içeriklerini herkese açık hale getirin.',
+ releaseDate: 'Yayınla',
+ unpublishDate: 'Yayından kaldır',
+ removeDate: 'Tarihi Temizle',
+ setDate: 'Tarihi ayarla',
+ sortDone: 'Sıralayıcı güncellendi',
+ sortHelp:
+ 'Düğümleri sıralamak için, düğümleri sürükleyin veya sütun başlıklarından birine tıklayın. Seçerken "shift" veya "kontrol" tuşunu basılı tutarak birden fazla düğüm seçebilirsiniz',
+ statistics: 'İstatistikler',
+ titleOptional: 'Başlık (isteğe bağlı)',
+ altTextOptional: 'Alternatif metin (isteğe bağlı)',
+ type: 'Tür',
+ unpublish: 'Yayından Kaldır',
+ unpublished: 'Yayınlanmadı',
+ updateDate: 'Son düzenleme',
+ updateDateDesc: 'Bu belgenin düzenlendiği tarih / saat',
+ uploadClear: 'Dosyaları kaldırın',
+ uploadClearImageContext: 'Resmi medya öğesinden kaldırmak için burayı tıklayın',
+ uploadClearFileContext: 'Dosyayı medya öğesinden kaldırmak için burayı tıklayın',
+ urls: 'Belgeye bağlantı',
+ memberof: 'Grup(lar) ın üyesi',
+ notmemberof: 'Grup(lar) ın üyesi değil',
+ childItems: 'Alt öğeler',
+ target: 'Hedef',
+ scheduledPublishServerTime: 'Bu, sunucuda şu zamana çevrilir:',
+ scheduledPublishDocumentation:
+ 'Ne bu ne anlama geliyor? ',
+ nestedContentDeleteItem: 'Bu öğeyi silmek istediğinizden emin misiniz?',
+ nestedContentEditorNotSupported:
+ '%0% özelliği,%1% düzenleyiciyi kullanıyor ve bu, Yuvalanmış İçerik tarafından desteklenmiyor.',
+ nestedContentDeleteAllItems: 'Tüm öğeleri silmek istediğinizden emin misiniz?',
+ nestedContentNoContentTypes: 'Bu özellik için hiçbir içerik türü yapılandırılmadı.',
+ nestedContentAddElementType: 'Öğe türü ekle',
+ nestedContentSelectElementTypeModalTitle: 'Öğe türünü seçin',
+ nestedContentGroupHelpText:
+ 'Özelliklerinin görüntülenmesi gereken grubu seçin. Boş bırakılırsa, eleman türündeki ilk grup kullanılacaktır.',
+ nestedContentTemplateHelpTextPart1: 'Adını her bir öğeyle karşılaştırmak için açısal bir ifade girin. kullanın ',
+ nestedContentTemplateHelpTextPart2: 'öğe dizinini görüntülemek için',
+ addTextBox: 'Başka bir metin kutusu ekle',
+ removeTextBox: 'Bu metin kutusunu kaldırın',
+ contentRoot: 'İçerik Kökü',
+ includeUnpublished: 'Yayınlanmamış içerik öğelerini dahil edin.',
+ isSensitiveValue:
+ 'Bu değer gizlidir. Bu değeri görüntülemek için erişime ihtiyacınız varsa, lütfen web sitesi yöneticinizle iletişime geçin.',
+ isSensitiveValue_short: 'Bu değer gizlidir.',
+ languagesToPublish: 'Hangi dilleri yayınlamak istersiniz?',
+ languagesToSendForApproval: 'Onay için hangi dilleri göndermek istersiniz?',
+ languagesToSchedule: 'Hangi dilleri planlamak istersiniz?',
+ languagesToUnpublish:
+ 'Yayından kaldırılacak dilleri seçin. Zorunlu bir dilin yayından kaldırılması tüm dilleri yayından kaldırır.',
+ variantsWillBeSaved: 'Tüm yeni varyantlar kaydedilecektir.',
+ variantsToPublish: 'Hangi çeşitleri yayınlamak istersiniz?',
+ variantsToSave: 'Hangi değişkenlerin kaydedileceğini seçin.',
+ publishRequiresVariants: 'Yayınlamanın gerçekleşmesi için aşağıdaki varyantlar gereklidir:',
+ notReadyToPublish: 'Yayınlamaya hazır değiliz',
+ readyToPublish: 'Yayınlamaya hazır mısınız?',
+ readyToSave: 'Kaydetmeye Hazır mısınız?',
+ sendForApproval: 'Onaya gönder',
+ schedulePublishHelp: 'İçerik öğesini yayınlamak ve / veya yayından kaldırmak için tarih ve saati seçin.',
+ createEmpty: 'Yeni oluştur',
+ createFromClipboard: 'Panodan yapıştır',
+ nodeIsInTrash: "Bu öğe Geri Dönüşüm Kutusu'nda",
+ saveModalTitle: 'Kaydet',
+ },
+ blueprints: {
+ createBlueprintFrom: '%0% den yeni bir İçerik Şablonu oluşturun',
+ blankBlueprint: 'Boş',
+ selectBlueprint: 'Bir İçerik Şablonu Seçin',
+ createdBlueprintHeading: 'İçerik Şablonu oluşturuldu',
+ createdBlueprintMessage: "'%0%' üzerinden bir İçerik Şablonu oluşturuldu",
+ duplicateBlueprintMessage: 'Aynı ada sahip başka bir İçerik Şablonu zaten var',
+ blueprintDescription:
+ 'İçerik Şablonu, bir düzenleyicinin yeni içerik oluşturmak için temel olarak kullanmak üzere seçebileceği önceden tanımlanmış içeriktir',
+ },
+ media: {
+ clickToUpload: 'Yüklemek için tıklayın',
+ orClickHereToUpload: 'veya dosyaları seçmek için burayı tıklayın',
+ disallowedFileType: 'Bu dosya yüklenemiyor, onaylanmış bir dosya türüne sahip değil',
+ maxFileSize: 'Maksimum dosya boyutu',
+ mediaRoot: 'Medya kökü',
+ createFolderFailed: '%0% üst kimliği altında klasör oluşturulamadı',
+ renameFolderFailed: '%0% kimliğine sahip klasör yeniden adlandırılamadı',
+ dragAndDropYourFilesIntoTheArea: 'Dosyalarınızı alana sürükleyip bırakın',
+ },
+ member: {
+ createNewMember: 'Yeni üye oluştur',
+ allMembers: 'Tüm Üyeler',
+ memberGroupNoProperties: 'Üye gruplarının düzenlenecek ek özellikleri yoktur.',
+ },
+ create: {
+ chooseNode: "Yeni %0% 'i nerede oluşturmak istiyorsunuz",
+ createUnder: 'Şu dizin altında bir öğe oluşturun: ',
+ createContentBlueprint: 'İçerik şablonu yapmak istediğiniz belge türünü seçin',
+ enterFolderName: 'Bir klasör adı girin',
+ updateData: 'Bir tür ve başlık seçin',
+ noDocumentTypes:
+ "Burada içerik oluşturmak için izin verilen doküman türü yok. Bunları, İzinler altında İzin verilen alt düğüm türlerini düzenleyerek Ayarlar bölümündeki Belge Türleri 'nde etkinleştirmelisiniz.",
+ noDocumentTypesAtRoot:
+ "Burada içerik oluşturmak için uygun bir belge türü yok. Öncelikle belge türlerini Ayarlar bölümündeki Belge Türleri 'nde oluşturmanız gerekiyor.",
+ noDocumentTypesWithNoSettingsAccess:
+ 'İçerik ağacında seçilen sayfa, altında herhangi bir sayfanın oluşturulmasına izin vermiyor.',
+ noDocumentTypesEditPermissions: 'Şu belge türü için izinleri düzenleyin',
+ noDocumentTypesCreateNew: 'Yeni bir belge türü oluşturun',
+ noDocumentTypesAllowedAtRoot:
+ "Burada içerik oluşturmak için izin verilen belge türü yok. Bunları, İzinler altında Kök olarak izin ver seçeneğini değiştirerek, Ayarlar bölümündeki Belge Türleri 'nde etkinleştirmeniz gerekir. ",
+ noMediaTypes:
+ "Burada medya oluşturmak için izin verilen medya türü yok. Bunları, İzinler altında İzin verilen alt düğüm türlerini düzenleyerek Ayarlar bölümündeki Medya Türleri 'nde etkinleştirmelisiniz. .",
+ noMediaTypesWithNoSettingsAccess: 'Ağaçtaki seçili ortam, altında başka bir ortamın oluşturulmasına izin vermiyor.',
+ noMediaTypesEditPermissions: 'Şu medya türü için izinleri düzenleyin:',
+ documentTypeWithoutTemplate: 'Şablonsuz Belge Türü',
+ newFolder: 'Yeni klasör',
+ newDataType: 'Yeni veri türü',
+ newJavascriptFile: 'Yeni JavaScript dosyası',
+ newEmptyPartialView: 'Yeni boş kısmi görünüm',
+ newPartialViewMacro: 'Yeni kısmi görünüm makrosu',
+ newPartialViewFromSnippet: 'Ön bilgiden yeni kısmi görünüm',
+ newPartialViewMacroFromSnippet: "Snippet'ten yeni kısmi görünüm makrosu",
+ newPartialViewMacroNoMacro: 'Yeni kısmi görünüm makrosu (makrosuz)',
+ newStyleSheetFile: 'Yeni stil sayfası dosyası',
+ newRteStyleSheetFile: 'Yeni Zengin Metin Düzenleyicisi stil sayfası dosyası',
+ },
+ dashboard: {
+ browser: 'Web sitenize göz atın',
+ dontShowAgain: '- Gizle',
+ nothinghappens: "Umbraco açılmıyorsa, bu siteden pop-up'lara izin vermeniz gerekebilir",
+ openinnew: 'yeni bir pencerede açıldı',
+ restart: 'Yeniden Başlat',
+ visit: 'Ziyaret edin',
+ welcome: 'Hoş geldiniz',
+ },
+ prompt: {
+ stay: 'Kal',
+ discardChanges: 'Değişiklikleri sil',
+ unsavedChanges: 'Kaydedilmemiş değişiklikleriniz var',
+ unsavedChangesWarning: 'Bu sayfadan ayrılmak istediğinizden emin misiniz? - Kaydedilmemiş değişiklikleriniz var',
+ confirmListViewPublish: 'Yayınlama, seçili öğelerin sitede görünür olmasını sağlar.',
+ confirmListViewUnpublish:
+ 'Yayından kaldırma, seçili öğeler ile birlikte bu öğelerin tüm alt öğelerini de siteden kaldırır.',
+ confirmUnpublish: 'Yayından kaldırma, bu seçili öğe ile birlikte onun tüm alt öğelerini de siteden kaldırır.',
+ doctypeChangeWarning:
+ "Kaydedilmemiş değişiklikleriniz var. Belge Türü'nde değişiklik yapmak bu kaydedilmemiş değişikliklerinizi geçersiz kılacaktır.",
+ },
+ bulk: {
+ done: 'Bitti',
+ deletedItem: '%0% öğe silindi',
+ deletedItems: '%0% öğe silindi',
+ deletedItemOfItem: '%1% öğeden %0% silindi',
+ deletedItemOfItems: '%1% öğeden %0% silindi',
+ publishedItem: '%0% öğe yayınlandı',
+ publishedItems: '%0% öğe yayınlandı',
+ publishedItemOfItem: '%1% öğeden %0% yayınlandı',
+ publishedItemOfItems: '%1% öğeden %0% yayınlandı',
+ unpublishedItem: 'Yayınlanmamış %0% öğe',
+ unpublishedItems: 'Yayınlanmamış %0% öğe',
+ unpublishedItemOfItem: 'Yayınlanmamış%1% öğeden %0%',
+ unpublishedItemOfItems: 'Yayınlanmamış%1% öğeden %0%',
+ movedItem: '%0% öğe taşındı',
+ movedItems: '%0% öğe taşındı',
+ movedItemOfItem: '%0%,%1% öğeden taşındı',
+ movedItemOfItems: '%1% öğeden %0% oranında taşındı',
+ copiedItem: '%0% öğe kopyalandı',
+ copiedItems: '%0% öğe kopyalandı',
+ copiedItemOfItem: '%1% öğeden %0% kopyalandı',
+ copiedItemOfItems: '%1% öğeden %0% kopyalandı',
+ },
+ defaultdialogs: {
+ nodeNameLinkPicker: 'Bağlantı başlığı',
+ urlLinkPicker: 'Bağlantı',
+ anchorLinkPicker: 'Bağlayıcı / sorgu dizesi',
+ anchorInsert: 'Ad',
+ assignDomain: 'Ana bilgisayar adlarını yönet',
+ closeThisWindow: 'Bu pencereyi kapat',
+ confirmdelete: 'Silmek istediğinizden emin misiniz',
+ confirmdisable: 'Devre dışı bırakmak istediğinizden emin misiniz',
+ confirmremove: 'Kaldırmak istediğinizden emin misiniz',
+ confirmremoveusageof: '%0% kullanımını kaldırmak istediğinizden emin misiniz?',
+ confirmlogout: 'Emin misiniz?',
+ confirmSure: 'Emin misiniz?',
+ cut: 'Kes',
+ editDictionary: 'Sözlük Öğesini Düzenle',
+ editLanguage: 'Dili Düzenle',
+ editSelectedMedia: 'Seçili medyayı düzenle',
+ insertAnchor: 'Yerel bağlantı ekle',
+ insertCharacter: 'Karakter ekle',
+ insertgraphicheadline: 'Grafik başlığı ekle',
+ insertimage: 'Resim ekle',
+ insertlink: 'Link ekle',
+ insertMacro: 'Makro eklemek için tıklayın',
+ inserttable: 'Tablo ekle',
+ languagedeletewarning: 'Bu, dili silecek',
+ languageChangeWarning:
+ 'Bir dil için kültürü değiştirmek pahalı bir işlem olabilir ve içerik önbelleğinin ve dizinlerin yeniden oluşturulmasına neden olabilir',
+ lastEdited: 'Son Düzenleme',
+ link: 'Bağlantı',
+ linkinternal: 'Dahili bağlantı',
+ linklocaltip: 'Yerel bağlantıları kullanırken, bağlantının önüne "#" ekleyin',
+ linknewwindow: 'Yeni pencerede açılsın mı?',
+ macroDoesNotHaveProperties: 'Bu makro düzenleyebileceğiniz herhangi bir özellik içermiyor',
+ paste: 'Yapıştır',
+ permissionsEdit: 'için izinleri düzenle',
+ permissionsSet: 'için izinleri ayarlayın',
+ permissionsSetForGroup: '%1% kullanıcı grubu için %0% için izinleri ayarla',
+ permissionsHelp: 'İzinlerini ayarlamak istediğiniz kullanıcı gruplarını seçin',
+ recycleBinDeleting:
+ 'Geri dönüşüm kutusundaki öğeler artık siliniyor. Lütfen bu işlem yapılırken bu pencereyi kapatmayın',
+ recycleBinIsEmpty: 'Geri dönüşüm kutusu artık boş',
+ recycleBinWarning:
+ 'Öğeler geri dönüşüm kutusundan silindiğinde bir daha geri gelmeyecek şekilde ortadan kaybolacaklar',
+ regexSearchError:
+ " regexlib.com 'un web hizmeti şu anda bazı sorunlar yaşıyor ve biz üzerinde kontrol yok. Bu rahatsızlıktan dolayı çok üzgünüz.",
+ regexSearchHelp: "Bir form alanına doğrulama eklemek için normal ifade arayın. Örnek: 'e-posta,'posta kodu','URL'",
+ removeMacro: 'Makroyu Kaldır',
+ requiredField: 'Gerekli Alan',
+ sitereindexed: 'Site yeniden dizine eklendi',
+ siterepublished:
+ 'Web sitesi önbelleği yenilendi. Tüm yayın içeriği artık güncel. Yayınlanmamış içeriğin tamamı hâlâ yayınlanmamış olsa da',
+ siterepublishHelp:
+ 'Web sitesi önbelleği yenilenecek. Yayınlanan tüm içerik güncellenecek, yayınlanmamış içerik ise yayınlanmayacak.',
+ tableColumns: 'Sütun sayısı',
+ tableRows: 'Satır sayısı',
+ thumbnailimageclickfororiginal: 'Tam boyutta görmek için resmi tıklayın',
+ treepicker: 'Öğe seçin',
+ viewCacheItem: 'Önbellek Öğesini Görüntüle',
+ relateToOriginalLabel: 'Orijinalle ilişkilendir',
+ includeDescendants: 'Torunları dahil et',
+ theFriendliestCommunity: 'En arkadaş canlısı topluluk',
+ linkToPage: 'Sayfaya bağla',
+ openInNewWindow: 'Bağlı belgeyi yeni bir pencerede veya sekmede açar',
+ linkToMedia: 'Medyaya bağlantı',
+ selectContentStartNode: 'İçerik başlangıç düğümünü seçin',
+ selectMedia: 'Medya seçin',
+ selectMediaType: 'Ortam türünü seçin',
+ selectIcon: 'Simge seçin',
+ selectItem: 'Öğeyi seçin',
+ selectLink: 'Bağlantı seçin',
+ selectMacro: 'Makro seçin',
+ selectContent: 'İçerik seçin',
+ selectContentType: 'İçerik türünü seçin',
+ selectMediaStartNode: 'Medya başlangıç düğümünü seçin',
+ selectMember: 'Üye seç',
+ selectMemberGroup: 'Üye grubu seçin',
+ selectMemberType: 'Üye türünü seçin',
+ selectNode: 'Düğüm seçin',
+ selectSections: 'Bölümleri seçin',
+ selectUser: 'Kullanıcı seçin',
+ selectUsers: 'Kullanıcıları seçin',
+ noIconsFound: 'Simge bulunamadı',
+ noMacroParams: 'Bu makro için parametre yok',
+ noMacros: 'Eklenecek makro yok',
+ externalLoginProviders: 'Harici giriş sağlayıcıları',
+ exceptionDetail: 'İstisna Ayrıntıları',
+ stacktrace: 'Yığın İzleme',
+ innerException: 'İç İstisna',
+ linkYour: 'Bağlayın',
+ unLinkYour: 'Bağlantınızı kaldırın',
+ account: 'hesap',
+ selectEditor: 'Düzenleyici seçin',
+ selectSnippet: 'Snippet seçin',
+ variantdeletewarning:
+ 'Bu, düğümü ve tüm dillerini silecektir. Yalnızca bir dili silmek istiyorsanız, bunun yerine düğümü o dilde yayından kaldırmalısınız.',
+ propertyuserpickerremovewarning: 'Bu, %0% kullanıcısını kaldıracaktır.',
+ userremovewarning: 'Bu, %0% kullanıcısını %1% grubundan kaldıracak',
+ yesRemove: 'Evet, kaldır',
+ },
+ dictionary: {
+ noItems: 'Sözlük öğesi yok.',
+ },
+ dictionaryItem: {
+ description: "Aşağıdaki sözlük öğesi '%0%' için farklı dil sürümlerini düzenleyin",
+ displayName: 'Kültür Adı',
+ changeKeyError: "'%0%' anahtarı zaten var.",
+ overviewTitle: 'Sözlüğe genel bakış',
+ },
+ examineManagement: {
+ configuredSearchers: 'Yapılandırılmış Arayıcılar',
+ configuredSearchersDescription:
+ 'Yapılandırılmış herhangi bir Searcher için özellikleri ve araçları gösterir (yani, çoklu dizin arayıcı gibi)',
+ fieldValues: 'Alan değerleri',
+ healthStatus: 'Sağlık durumu',
+ healthStatusDescription: 'Dizinin sağlık durumu ve okunabiliyorsa',
+ indexers: 'Dizin oluşturucular',
+ indexInfo: 'Dizin bilgisi',
+ indexInfoDescription: 'Dizinin özelliklerini listeler',
+ manageIndexes: 'İnceleme dizinlerini yönetin',
+ manageIndexesDescription:
+ 'Her dizinin ayrıntılarını görüntülemenizi sağlar ve dizinleri yönetmek için bazı araçlar sağlar',
+ rebuildIndex: 'Dizini yeniden oluştur',
+ rebuildIndexWarning:
+ '\n Bu, dizinin yeniden oluşturulmasına neden olacaktır. \n Sitenizde ne kadar içerik olduğuna bağlı olarak bu biraz zaman alabilir. \n Yüksek web sitesi trafiğinin olduğu zamanlarda veya editörler içeriği düzenlerken bir dizinin yeniden oluşturulması önerilmez.\n ',
+ searchers: 'Arayanlar',
+ searchDescription: 'Dizini arayın ve sonuçları görüntüleyin',
+ tools: 'Araçlar',
+ toolsDescription: 'Dizini yönetmek için araçlar',
+ fields: 'alanlar',
+ indexCannotRead: 'Dizin okunamıyor ve yeniden oluşturulması gerekecek',
+ processIsTakingLonger:
+ 'İşlem beklenenden uzun sürüyor, bu işlem sırasında herhangi bir hata olup olmadığını görmek için Umbraco günlüğünü kontrol edin',
+ indexCannotRebuild: 'Bu dizin, atanmış olmadığı için yeniden oluşturulamaz',
+ iIndexPopulator: 'IIndexPopulator',
+ },
+ placeholders: {
+ username: 'Kullanıcı adınızı girin',
+ password: 'Şifrenizi girin',
+ confirmPassword: 'Şifrenizi onaylayın',
+ nameentity: '%0% olarak adlandırın ...',
+ entername: 'Bir ad girin ...',
+ enteremail: 'Bir e-posta girin ...',
+ enterusername: 'Bir kullanıcı adı girin ...',
+ label: 'Etiket ...',
+ enterDescription: 'Bir açıklama girin ...',
+ search: 'Aramak için yazın ...',
+ filter: 'Filtrelemek için yazın ...',
+ enterTags: 'Etiket eklemek için yazın (her etiketten sonra enter tuşuna basın) ...',
+ email: 'E-postanızı girin',
+ enterMessage: 'Bir mesaj girin ...',
+ usernameHint: 'Kullanıcı adınız genellikle e-postanızdır',
+ anchor: '# değer veya? anahtar=değer',
+ enterAlias: 'Takma ad girin ...',
+ generatingAlias: 'Takma ad oluşturuluyor ...',
+ a11yCreateItem: 'Öğe oluştur',
+ a11yCreate: 'Oluştur',
+ a11yEdit: 'Düzenle',
+ a11yName: 'Ad',
+ },
+ editcontenttype: {
+ createListView: 'Özel liste görünümü oluştur',
+ removeListView: 'Özel liste görünümünü kaldır',
+ aliasAlreadyExists: 'Bu takma ada sahip bir içerik türü, medya türü veya üye türü zaten var',
+ },
+ renamecontainer: {
+ renamed: 'Yeniden adlandırıldı',
+ enterNewFolderName: 'Buraya yeni bir klasör adı girin',
+ folderWasRenamed: '%0%,%1% olarak yeniden adlandırıldı',
+ },
+ editdatatype: {
+ addPrevalue: 'Ön değer ekle',
+ dataBaseDatatype: 'Veritabanı veri türü',
+ guid: 'Özellik düzenleyici GUID',
+ renderControl: 'Mülk düzenleyici',
+ rteButtons: 'Düğmeler',
+ rteEnableAdvancedSettings: 'için gelişmiş ayarları etkinleştir',
+ rteEnableContextMenu: 'Bağlam menüsünü etkinleştir',
+ rteMaximumDefaultImgSize: 'Eklenen resimlerin maksimum varsayılan boyutu',
+ rteRelatedStylesheets: 'İlgili stil sayfaları',
+ rteShowLabel: 'Etiketi göster',
+ rteWidthAndHeight: 'Genişlik ve yükseklik',
+ selectFolder: 'Taşınacak klasörü seçin',
+ inTheTree: 'aşağıdaki ağaç yapısına',
+ wasMoved: 'altına taşındı',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Verileriniz kaydedildi, ancak bu sayfayı yayınlamadan önce düzeltmeniz gereken bazı hatalar var:',
+ errorChangingProviderPassword:
+ "Mevcut üyelik sağlayıcısı, şifre değiştirmeyi desteklemiyor (EnablePasswordRetrieval'in doğru olması gerekiyor)",
+ errorExistsWithoutTab: '%0% zaten var',
+ errorHeader: 'Hatalar vardı:',
+ errorHeaderWithoutTab: 'Hatalar vardı:',
+ errorInPasswordFormat:
+ 'Parola minimum %0% karakter uzunluğunda olmalı ve en az%1% alfa olmayan sayısal karakter (ler) içermelidir',
+ errorIntegerWithoutTab: '%0% tam sayı olmalıdır',
+ errorMandatory: '%1% sekmesindeki %0% alanı zorunludur',
+ errorMandatoryWithoutTab: '%0% zorunlu bir alandır',
+ errorRegExp: '%1% konumunda %0% doğru biçimde değil',
+ errorRegExpWithoutTab: '%0% doğru biçimde değil',
+ },
+ errors: {
+ receivedErrorFromServer: 'Sunucudan bir hata aldı',
+ dissallowedMediaType: 'Belirtilen dosya türüne yönetici tarafından izin verilmedi',
+ codemirroriewarning:
+ "NOT! CodeMirror yapılandırma ile etkinleştirilmiş olsa da, yeterince kararlı olmadığı için Internet Explorer'da devre dışı bırakılmıştır.",
+ contentTypeAliasAndNameNotNull: 'Lütfen yeni özellik türünde hem takma adı hem de adı girin!',
+ filePermissionsError: 'Belirli bir dosya veya klasöre okuma/yazma erişiminde sorun var',
+ macroErrorLoadingPartialView: 'Kısmi Görünüm komut dosyası yüklenirken hata oluştu (dosya: %0%)',
+ missingTitle: 'Lütfen bir başlık girin',
+ missingType: 'Lütfen bir tür seçin',
+ pictureResizeBiggerThanOrg:
+ 'Resmi orijinal boyutundan daha büyük yapmak üzeresiniz. Devam etmek istediğinizden emin misiniz?',
+ startNodeDoesNotExists: 'Başlangıç düğümü silindi, lütfen yöneticinizle iletişime geçin',
+ stylesMustMarkBeforeSelect: 'Lütfen stili değiştirmeden önce içeriği işaretleyin',
+ stylesNoStylesOnPage: 'Etkin stil yok',
+ tableColMergeLeft: 'Lütfen imleci birleştirmek istediğiniz iki hücrenin soluna yerleştirin',
+ tableSplitNotSplittable: 'Birleştirilmemiş bir hücreyi bölemezsiniz.',
+ propertyHasErrors: 'Bu özellik geçersiz',
+ },
+ general: {
+ options: 'Seçenekler',
+ about: 'Hakkında',
+ action: 'İşlem',
+ actions: 'İşlemler',
+ add: 'Ekle',
+ alias: 'Takma isim',
+ all: 'Tümü',
+ areyousure: 'Emin misiniz?',
+ back: 'Geri',
+ backToOverview: 'Gözden geçirmeye geri dön',
+ border: 'Kenarlık',
+ cancel: 'İptal',
+ cellMargin: 'Hücre kenar boşluğu',
+ choose: 'Seçin',
+ clear: 'Temizle',
+ close: 'Kapat',
+ closewindow: 'Pencereyi Kapat',
+ closepane: 'Pencereyi Kapat',
+ comment: 'Yorum',
+ confirm: 'Doğrula',
+ constrain: 'Sınırla',
+ constrainProportions: 'Oranları sınırlayın',
+ content: 'İçerik',
+ continue: 'Devam et',
+ copy: 'Kopyala',
+ create: 'Oluştur',
+ cropSection: 'Bölümü kırp',
+ database: 'Veritabanı',
+ date: 'Tarih',
+ default: 'Varsayılan',
+ delete: 'Sil',
+ deleted: 'Silindi',
+ deleting: 'Siliniyor ...',
+ design: 'Tasarım',
+ dictionary: 'Sözlük',
+ dimensions: 'Boyutlar',
+ discard: 'Gözden çıkar',
+ down: 'Aşağı',
+ download: 'İndir',
+ edit: 'Düzenle',
+ edited: 'Düzenlendi',
+ elements: 'Öğeler',
+ email: 'E-posta',
+ error: 'Hata',
+ field: 'Alan',
+ findDocument: 'Bul',
+ first: 'İlk',
+ focalPoint: 'Odak noktası',
+ general: 'Genel',
+ generic: 'Genel',
+ groups: 'Gruplar',
+ group: 'Grup',
+ height: 'Yükseklik',
+ help: 'Yardım',
+ hide: 'Gizle',
+ history: 'Geçmiş',
+ icon: 'Simge',
+ id: 'Belirleyici Numara',
+ import: 'İçe Aktar',
+ excludeFromSubFolders: 'Yalnızca bu klasörü ara',
+ info: 'Bilgi',
+ innerMargin: 'İç kenar boşluğu',
+ insert: 'Ekle',
+ install: 'Yükle',
+ invalid: 'Geçersiz',
+ justify: 'Yasla',
+ label: 'Etiket',
+ language: 'Dil',
+ last: 'Son',
+ layout: 'Düzen',
+ links: 'Bağlantılar',
+ loading: 'Yükleniyor',
+ locked: 'Kilitli',
+ login: 'Giriş',
+ logoff: 'Oturumu kapat',
+ logout: 'Çıkış',
+ macro: 'Makro',
+ mandatory: 'Zorunlu',
+ message: 'Mesaj',
+ move: 'Taşı',
+ name: 'Ad',
+ new: 'Yeni',
+ next: 'Sonraki',
+ no: 'Hayır',
+ of: 'arasında',
+ off: 'Kapalı',
+ ok: 'Tamam',
+ open: 'Aç',
+ on: 'Açık',
+ or: 'veya',
+ orderBy: 'Sıralama ölçütü',
+ password: 'Şifre',
+ path: 'Yol',
+ pleasewait: 'Bir dakika lütfen ...',
+ previous: 'Önceki',
+ properties: 'Özellikler',
+ rebuild: 'Yeniden Oluştur',
+ reciept: 'Form verilerini almak için e-posta',
+ recycleBin: 'Geri Dönüşüm Kutusu',
+ recycleBinEmpty: 'Geri dönüşüm kutunuz boş',
+ reload: 'Yeniden yükle',
+ remaining: 'Kalan',
+ remove: 'Kaldır',
+ rename: 'Yeniden adlandır',
+ renew: 'Yenile',
+ required: 'Gerekli',
+ retrieve: 'Al',
+ retry: 'Yeniden dene',
+ rights: 'daha',
+ scheduledPublishing: 'Planlanmış Yayınlama',
+ search: 'Ara',
+ searchNoResult: 'Üzgünüz, aradığınızı bulamıyoruz.',
+ noItemsInList: 'Hiçbir öğe eklenmedi',
+ server: 'Sunucu',
+ settings: 'Ayarlar',
+ show: 'Göster',
+ showPageOnSend: 'Sayfayı Gönderildiğinde Göster',
+ size: 'Boyut',
+ sort: 'Sırala',
+ status: 'Durum',
+ submit: 'Gönder',
+ success: 'Başarılı',
+ type: 'Tür',
+ typeToSearch: 'Aramak için yazın ...',
+ under: 'altında',
+ up: 'Yukarı',
+ update: 'Güncelle',
+ upgrade: 'Yükselt',
+ upload: 'Yükle',
+ url: 'URL',
+ user: 'Kullanıcı',
+ username: 'Kullanıcı adı',
+ value: 'Değer',
+ view: 'Görüntüle',
+ welcome: 'Hoş geldiniz ...',
+ width: 'Genişlik',
+ yes: 'Evet',
+ folder: 'Klasör',
+ searchResults: 'Arama sonuçları',
+ reorder: 'Yeniden sırala',
+ reorderDone: 'Yeniden sıralamayı tamamladım',
+ preview: 'Önizleme',
+ changePassword: 'Şifreyi değiştir',
+ to: 'için',
+ listView: 'Liste görünümü',
+ saving: 'Kaydediliyor ...',
+ current: 'mevcut',
+ embed: 'Göm',
+ selected: 'seçildi',
+ other: 'Diğer',
+ articles: 'Makaleler',
+ videos: 'Videolar',
+ },
+ colors: {
+ blue: 'Mavi',
+ },
+ shortcuts: {
+ addGroup: 'Grup ekle',
+ addProperty: 'Mülk ekle',
+ addEditor: 'Düzenleyici ekle',
+ addTemplate: 'Şablon ekle',
+ addChildNode: 'Alt düğüm ekle',
+ addChild: 'Çocuk ekle',
+ editDataType: 'Veri türünü düzenle',
+ navigateSections: 'Bölümlere git',
+ shortcut: 'Kısayollar',
+ showShortcuts: 'kısayolları göster',
+ toggleListView: 'Liste görünümünü değiştir',
+ toggleAllowAsRoot: 'Kök olarak izin ver arasında geçiş yap',
+ commentLine: 'Yorum / Yorum kaldırma satırları',
+ removeLine: 'Satırı kaldır',
+ copyLineUp: 'Satırları Yukarı Kopyala',
+ copyLineDown: 'Satırları Aşağı Kopyala',
+ moveLineUp: 'Satırları Yukarı Taşı',
+ moveLineDown: 'Satırları Aşağı Taşı',
+ generalHeader: 'Genel',
+ editorHeader: 'Düzenleyici',
+ toggleAllowCultureVariants: 'Kültür varyantlarına izin ver ',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Arka plan rengi',
+ bold: 'Kalın',
+ color: 'Metin rengi',
+ font: 'Yazı Tipi',
+ text: 'Metin',
+ },
+ headers: {
+ page: 'Sayfa',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Yükleyici veritabanına bağlanamıyor.',
+ databaseFound: 'Veritabanınız bulundu ve tanımlandı',
+ databaseHeader: 'Veritabanı yapılandırması',
+ databaseInstall: '\n Umbraco %0% veritabanını yüklemek için kur düğmesine basın\n ',
+ databaseInstallDone:
+ "Umbraco %0% artık veritabanınıza kopyalandı. Devam etmek için İleri'ye basın.",
+ databaseText:
+ 'Bu adımı tamamlamak için, veritabanı sunucunuzla ilgili bazı bilgileri bilmeniz gerekir ("bağlantı dizesi"). \n Lütfen gerekirse ISS\'niz ile iletişime geçin.\n Yerel bir makineye veya sunucuya kurulum yapıyorsanız, sistem yöneticinizden bilgi almanız gerekebilir.',
+ databaseUpgrade:
+ '\n
\n Veritabanınızı Umbraco %0% sürümüne yükseltmek için yükselt düğmesine basın
\n
\n Endişelenmeyin - hiçbir içerik silinmeyecek ve daha sonra her şey çalışmaya devam edecek!\n
\n ',
+ databaseUpgradeDone:
+ "Veritabanınız son sürüme %0% yükseltildi. için İleri 'ye basın\n ilerlemek. ",
+ databaseUpToDate:
+ "Mevcut veritabanınız güncel !. Yapılandırma sihirbazına devam etmek için ileri 'yi tıklayın",
+ defaultUserChangePass: ' Varsayılan kullanıcıların şifresinin değiştirilmesi gerekiyor! ',
+ defaultUserDisabled:
+ " Varsayılan kullanıcı devre dışı bırakıldı veya Umbraco'ya erişimi yok!
Başka işlem yapılmasına gerek yok. Devam etmek için İleri 'yi tıklayın.",
+ defaultUserPassChanged:
+ " Varsayılan kullanıcının şifresi kurulumdan bu yana başarıyla değiştirildi!
Başka işlem yapılmasına gerek yok. Devam etmek için İleri 'yi tıklayın.",
+ defaultUserPasswordChanged: 'Şifre değiştirildi!',
+ greatStart: 'Harika bir başlangıç yapın, tanıtım videolarımızı izleyin',
+ None: 'Henüz yüklenmedi.',
+ permissionsAffectedFolders: 'Etkilenen dosyalar ve klasörler',
+ permissionsAffectedFoldersMoreInfo:
+ 'Umbraco için izinlerin ayarlanmasıyla ilgili daha fazla bilgiyi burada bulabilirsiniz',
+ permissionsAffectedFoldersText: 'Aşağıdaki dosyalara / klasörlere ASP.NET değiştirme izinleri vermeniz gerekiyor',
+ permissionsAlmostPerfect:
+ " İzin ayarlarınız neredeyse mükemmel!
\n Umbraco'yu sorunsuz bir şekilde çalıştırabilirsiniz, ancak Umbraco'dan tam olarak yararlanmanız için önerilen paketleri kuramazsınız.",
+ permissionsHowtoResolve: 'Nasıl Çözümlenir',
+ permissionsHowtoResolveLink: 'Metin sürümünü okumak için burayı tıklayın',
+ permissionsHowtoResolveText:
+ 'Umbraco için klasör izinlerinin ayarlanmasıyla ilgili eğitim videosunu izleyin veya metin sürümünü okuyun.',
+ permissionsMaybeAnIssue:
+ " İzin ayarlarınız bir sorun olabilir! \n
\n Umbraco'yu sorunsuz bir şekilde çalıştırabilirsiniz, ancak Umbraco'dan tam olarak yararlanmanız için önerilen klasörler oluşturamaz veya paketleri yükleyemezsiniz.",
+ permissionsNotReady:
+ " İzin ayarlarınız Umbraco için hazır değil! \n
\n Umbraco'yu çalıştırmak için izin ayarlarınızı güncellemeniz gerekir.",
+ permissionsPerfect:
+ " İzin ayarlarınız mükemmel!
\n Umbraco'yu çalıştırmaya ve paketleri kurmaya hazırsınız!",
+ permissionsResolveFolderIssues: 'Klasör sorununu çözme',
+ permissionsResolveFolderIssuesLink:
+ 'ASP.NET ile ilgili sorunlar ve klasör oluşturma hakkında daha fazla bilgi için bu bağlantıyı takip edin',
+ permissionsSettingUpPermissions: 'Klasör izinlerini ayarlama',
+ permissionsText:
+ "\n Resimler ve PDF'ler gibi dosyaları depolamak için Umbraco'nun belirli dizinlere yazma / değiştirme erişimine ihtiyacı vardır.\n Ayrıca, web sitenizin performansını artırmak için geçici verileri önbellekte tutar.\n ",
+ runwayFromScratch: 'Sıfırdan başlamak istiyorum',
+ runwayFromScratchText:
+ '\n Web siteniz şu anda tamamen boş, bu nedenle sıfırdan başlamak ve kendi belge türlerinizi ve şablonlarınızı oluşturmak istiyorsanız bu mükemmel.\n (nasıl yapılacağını öğrenin )\n Yine de Runway\'i daha sonra kurmayı seçebilirsiniz. Lütfen Geliştirici bölümüne gidin ve Paketleri seçin.\n ',
+ runwayHeader: 'Temiz bir Umbraco platformu kurdunuz. Bundan sonra ne yapmak istiyorsunuz?',
+ runwayInstalled: 'Runway yüklendi',
+ runwayInstalledText:
+ '\n Temeliniz yerinde. Üzerine yüklemek istediğiniz modülleri seçin. \n Bu, önerilen modüller listemizdir, yüklemek istediklerinizi işaretleyin veya modüllerin tam listesi \n ',
+ runwayOnlyProUsers: 'Yalnızca deneyimli kullanıcılar için önerilir',
+ runwaySimpleSite: 'Basit bir web sitesiyle başlamak istiyorum',
+ runwaySimpleSiteText:
+ "\n
\n \"Runway\", bazı temel belge türlerini ve şablonlarını sunan basit bir web sitesidir. Yükleyici sizin için otomatik olarak Runway kurabilir,\n ancak kolayca düzenleyebilir, genişletebilir veya kaldırabilirsiniz. Bu gerekli değildir ve Umbraco'yu onsuz mükemmel bir şekilde kullanabilirsiniz. Ancak,\n Runway, her zamankinden daha hızlı başlamanız için en iyi uygulamalara dayalı kolay bir temel sunar.\n Runway'i kurmayı seçerseniz, Runway sayfalarınızı geliştirmek için isteğe bağlı olarak Pist Modülleri adı verilen temel yapı bloklarını seçebilirsiniz.\n
\n \n Runway'e Dahildir: Ana sayfa, Başlarken sayfası, Modülleri Takma sayfası. \n İsteğe Bağlı Modüller: Üst Gezinme, Site Haritası, İletişim, Galeri.\n \n ",
+ runwayWhatIsRunway: 'Runway Nedir',
+ step1: 'Adım 1/5 Lisansın kabulü',
+ step2: 'Adım 2/5: Veritabanı yapılandırması',
+ step3: 'Adım 3/5: Dosya izinlerini doğrulama',
+ step4: 'Adım 4/5: Umbraco güvenliğinin kontrolü',
+ step5: 'Adım 5/5: Umbraco, üzerinde çalışmaya başlamanız için hazır',
+ thankYou: "Umbraco'yu seçtiğiniz için teşekkürler",
+ theEndBrowseSite:
+ "
Yeni sitenize göz atın
\nRunway'i kurdunuz, öyleyse neden yeni web sitenizin nasıl göründüğüne bakmıyorsunuz.",
+ theEndFurtherHelp:
+ '
Daha fazla yardım ve bilgi
\nÖdüllü topluluğumuzdan yardım alın, belgelere göz atın veya basit bir sitenin nasıl oluşturulacağı, paketlerin nasıl kullanılacağı ve Umbraco terminolojisine yönelik hızlı bir kılavuzla ilgili bazı ücretsiz videolar izleyin',
+ theEndHeader: 'Umbraco %0% yüklendi ve kullanıma hazır',
+ theEndInstallSuccess:
+ 'Aşağıdaki "Umbraco\'yu Başlat" düğmesini tıklayarak anında başlayabilirsiniz . Umbraco\'da yeniyseniz ,\nbaşlangıç sayfalarımızda birçok kaynak bulabilirsiniz.',
+ theEndOpenUmbraco:
+ "
Umbraco’yu Başlat
\nWeb sitenizi yönetmek için, Umbraco'nun arka ofisini açın ve içerik eklemeye başlayın, şablonları ve stil sayfalarını güncelleyin veya yeni işlevler ekleyin",
+ Unavailable: 'Veritabanına bağlantı başarısız oldu.',
+ Version3: 'Umbraco Sürüm 3',
+ Version4: 'Umbraco Sürüm 4',
+ watch: 'İzle',
+ welcomeIntro:
+ 'Bu sihirbaz, yeni bir yükleme veya sürüm 3.0\'dan yükseltme için Umbraco %0% \'u yapılandırma sürecinde size yol gösterecektir.\n
\n Sihirbazı başlatmak için "ileri" seçeneğine basın.',
+ },
+ language: {
+ cultureCode: 'Kültür Kodu',
+ displayName: 'Kültür Adı',
+ },
+ lockout: {
+ lockoutWillOccur:
+ 'Herhangi bir işlem yapmadınız ve sistemden çıkış otomatik olarak şu belirtilen süre içinde gerçekleşecek',
+ renewSession: 'Çalışmanızı kaydetmek için şimdi yenileyin',
+ },
+ login: {
+ greeting0: 'Hoş geldiniz',
+ greeting1: 'Hoş geldiniz',
+ greeting2: 'Hoş geldiniz',
+ greeting3: 'Hoş geldiniz',
+ greeting4: 'Hoş geldiniz',
+ greeting5: 'Hoş geldiniz',
+ greeting6: 'Hoş geldiniz',
+ instruction: 'Aşağıda oturum açın',
+ signInWith: 'ile oturum açın',
+ timeout: 'Oturum zaman aşımına uğradı',
+ bottomText:
+ '
\n \n",
+ defaultInvitationMessage: 'Davetiye yeniden gönderiliyor ...',
+ deleteUser: 'Kullanıcıyı Sil',
+ deleteUserConfirmation: 'Bu kullanıcı hesabını silmek istediğinizden emin misiniz?',
+ stateAll: 'Tümü',
+ stateActive: 'Etkin',
+ stateDisabled: 'Devre Dışı',
+ stateLockedOut: 'Kilitlendi',
+ stateInvited: 'Davet edildi',
+ stateInactive: 'Etkin Değil',
+ sortNameAscending: 'Ad (AZ)',
+ sortNameDescending: 'Ad (ZA)',
+ sortCreateDateAscending: 'En eski',
+ sortCreateDateDescending: 'En yeni',
+ sortLastLoginDateDescending: 'Son giriş',
+ noUserGroupsAdded: 'Hiçbir kullanıcı grubu eklenmedi',
+ },
+ validation: {
+ validation: 'Doğrulama',
+ noValidation: 'Doğrulama yok',
+ validateAsEmail: 'E-posta adresi olarak doğrula',
+ validateAsNumber: 'Sayı olarak doğrula',
+ validateAsUrl: 'URL olarak doğrula',
+ enterCustomValidation: '... veya özel bir doğrulama girin',
+ fieldIsMandatory: 'Alan zorunludur',
+ mandatoryMessage: 'Özel bir doğrulama hata mesajı girin (isteğe bağlı)',
+ validationRegExp: 'Bir normal ifade girin',
+ validationRegExpMessage: 'Özel bir doğrulama hata mesajı girin (isteğe bağlı)',
+ minCount: 'En az eklemeniz gerekiyor',
+ maxCount: 'Yalnızca sahip olabilirsiniz',
+ addUpTo: 'En fazla ekle',
+ items: 'öğeler',
+ urls: 'url(ler)',
+ urlsSelected: 'url(ler) seçildi',
+ itemsSelected: 'öğe seçildi',
+ invalidDate: 'Geçersiz tarih',
+ invalidNumber: 'Sayı değil',
+ invalidEmail: 'Geçersiz e-posta',
+ customValidation: 'Özel doğrulama',
+ entriesShort: 'Minimum %0% giriş, %1% daha fazla gerektirir.',
+ entriesExceed: 'Maksimum %0% giriş, %1% çok fazla.',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Değer, önerilen değere ayarlandı: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "'%3%' yapılandırma dosyasında '%2%' için '%1%' değeri bekleniyordu, ancak '%0%' bulundu.",
+ checkErrorMessageUnexpectedValue: "'%3%' yapılandırma dosyasında '%2%' için beklenmeyen '%0%' değeri bulundu.",
+ macroErrorModeCheckSuccessMessage: "Makro Hatalar '%0%' olarak ayarlandı.",
+ macroErrorModeCheckErrorMessage:
+ 'MacroErrors, makrolarda herhangi bir hata olması durumunda sitenizdeki bazı veya tüm sayfaların tamamen yüklenmesini önleyecek olan \'%0%\' olarak ayarlanmıştır. Bunu düzeltmek, değeri "%1%" olarak ayarlayacaktır.',
+ httpsCheckValidCertificate: 'Web sitenizin sertifikası geçerlidir.',
+ httpsCheckInvalidCertificate: "Sertifika doğrulama hatası: '%0%'",
+ httpsCheckExpiredCertificate: 'Web sitenizin SSL sertifikasının süresi doldu.',
+ httpsCheckExpiringCertificate: 'Web sitenizin SSL sertifikasının süresi %0% gün içinde doluyor.',
+ healthCheckInvalidUrl: "URL %0% - '%1%' pinglenirken hata oluştu",
+ httpsCheckIsCurrentSchemeHttps: 'Şu anda HTTPS şemasını kullanarak siteyi %0% görüntülüyorsunuz.',
+ compilationDebugCheckSuccessMessage: 'Hata ayıklama derleme modu devre dışı.',
+ compilationDebugCheckErrorMessage:
+ 'Hata ayıklama derleme modu şu anda etkin. Yayınlanmadan önce bu ayarı devre dışı bırakmanız önerilir.',
+ clickJackingCheckHeaderFound:
+ 'Bir sitenin başka bir site tarafından IFRAMEd olup olmadığını kontrol etmek için kullanılan başlık veya meta etiketi X-Frame-Options .',
+ clickJackingCheckHeaderNotFound:
+ 'Bir sitenin başka bir site tarafından IFRAMEd olup olmadığını kontrol etmek için kullanılan başlık veya meta etiketi X-Frame-Options bulunamadı.',
+ noSniffCheckHeaderFound:
+ 'MIME koklama güvenlik açıklarına karşı koruma sağlamak için kullanılan başlık veya meta etiketi X-Content-Type-Options bulundu.',
+ noSniffCheckHeaderNotFound:
+ 'MIME koklama güvenlik açıklarına karşı koruma sağlamak için kullanılan başlık veya meta etiketi X-Content-Type-Options bulunamadı.',
+ hSTSCheckHeaderFound:
+ 'HSTS başlığı olarak da bilinen Strict-Transport-Security başlığı bulundu.',
+ hSTSCheckHeaderNotFound: ' Strict-Transport-Security başlığı bulunamadı.',
+ xssProtectionCheckHeaderFound: ' X-XSS-Protection başlığı bulundu.',
+ xssProtectionCheckHeaderNotFound: ' X-XSS-Protection başlığı bulunamadı.',
+ excessiveHeadersFound: 'Web sitesi teknolojisi hakkında bilgi veren şu başlıklar bulundu: %0%.',
+ excessiveHeadersNotFound: 'Web sitesi teknolojisi hakkında bilgi veren hiçbir başlık bulunamadı.',
+ smtpMailSettingsConnectionSuccess: 'SMTP ayarları doğru yapılandırıldı ve hizmet beklendiği gibi çalışıyor.',
+ notificationEmailsCheckSuccessMessage: 'Bildirim e-postası %0% olarak ayarlandı',
+ notificationEmailsCheckErrorMessage: 'Bildirim e-postası hâlâ varsayılan değer olan %0%.',
+ scheduledHealthCheckEmailBody:
+ '
%0% tarihinde %1% ile çalıştırılan planlanmış Umbraco Sağlık Kontrollerinin sonuçları aşağıdaki gibidir:
%2%',
+ scheduledHealthCheckEmailSubject: 'Umbraco Sağlık Kontrolü Durumu: %0%',
+ checkGroup: 'Grubu kontrol et',
+ helpText:
+ '\n
Durum denetleyicisi, sitenizin çeşitli alanlarını en iyi uygulama ayarları, yapılandırma, olası sorunlar vb. için değerlendirir. Sorunları bir düğmeye basarak kolayca düzeltebilirsiniz.\n Kendi sağlık kontrollerinizi ekleyebilir, özel durum kontrolleri hakkında daha fazla bilgi için belgeler .
\n ',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'URL izleyiciyi devre dışı bırakın',
+ enableUrlTracker: 'URL izleyiciyi etkinleştir',
+ originalUrl: 'Orijinal URL',
+ redirectedTo: 'Yönlendirildi',
+ redirectUrlManagement: 'URL Yönetimini Yeniden Yönlendir',
+ panelInformation: "Aşağıdaki URL'ler bu içerik öğesine yönlendiriyor:",
+ noRedirects: 'Yönlendirme yapılmadı',
+ noRedirectsDescription:
+ 'Yayınlanan bir sayfa yeniden adlandırıldığında veya taşındığında, yeni sayfaya otomatik olarak bir yönlendirme yapılır.',
+ redirectRemoved: "Yönlendirme URL'si kaldırıldı.",
+ redirectRemoveError: "Yönlendirme URL'sini kaldırma hatası.",
+ redirectRemoveWarning: 'Bu, yönlendirmeyi kaldırır',
+ confirmDisable: 'URL izleyiciyi devre dışı bırakmak istediğinizden emin misiniz?',
+ disabledConfirm: 'URL izleyici artık devre dışı bırakıldı.',
+ disableError: 'URL izleyici devre dışı bırakılırken hata oluştu, günlük dosyanızda daha fazla bilgi bulunabilir.',
+ enabledConfirm: 'URL izleyici artık etkinleştirildi.',
+ enableError: 'URL izleyici etkinleştirilirken hata oluştu, günlük dosyanızda daha fazla bilgi bulunabilir.',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Aralarından seçim yapabileceğiniz Sözlük öğesi yok',
+ },
+ textbox: {
+ characters_left: '%0% karakter kaldı.',
+ characters_exceed: 'Maksimum %0% karakter, %1% çok fazla.',
+ },
+ recycleBin: {
+ contentTrashed: 'Çöp kutusuna gönderilmiş içerik: {0} Şu kimliğe sahip orijinal ana içerikle ilgili: {1}',
+ mediaTrashed:
+ 'Şu kimliğe sahip çöp kutusuna gönderilen medya: {0} Şu kimliğe sahip orijinal ana medya öğesiyle ilgili: {1}',
+ itemCannotBeRestored: 'Bu öğe otomatik olarak geri yüklenemez',
+ itemCannotBeRestoredHelpText:
+ 'Bu öğenin otomatik olarak geri yüklenebileceği bir yer yok. Aşağıdaki ağacı kullanarak öğeyi manuel olarak taşıyabilirsiniz.',
+ wasRestored: 'altında geri yüklendi ,',
+ },
+ relationType: {
+ direction: 'Yön',
+ parentToChild: 'Ebeveynden alt öğeye',
+ bidirectional: 'Çift yönlü',
+ parent: 'Üst',
+ child: 'Çocuk',
+ count: 'Sayım',
+ relations: 'İlişkiler',
+ created: 'Oluşturuldu',
+ comment: 'Yorum',
+ name: 'Adı',
+ noRelations: 'Bu ilişki türü için ilişki yok.',
+ tabRelationType: 'İlişki Türü',
+ tabRelations: 'İlişkiler',
+ },
+ dashboardTabs: {
+ contentIntro: 'Başlarken',
+ contentRedirectManager: 'Yeniden Yönlendirme URL Yönetimi',
+ mediaFolderBrowser: 'İçerik',
+ settingsWelcome: 'Hoş Geldiniz',
+ settingsExamine: 'Yönetimi İnceleyin',
+ settingsPublishedStatus: 'Yayınlanma Durumu',
+ settingsModelsBuilder: 'Model Oluşturucu',
+ settingsHealthCheck: 'Durum Kontrolü',
+ settingsProfiler: 'Profil oluşturma',
+ memberIntro: 'Başlarken',
+ formsInstall: 'Umbraco Formlarını Yükleyin',
+ },
+ visuallyHiddenTexts: {
+ goBack: 'Geri dön',
+ activeListLayout: 'Etkin düzen:',
+ jumpTo: 'Git',
+ group: 'grup',
+ passed: 'geçti',
+ warning: 'uyarı',
+ failed: 'başarısız oldu',
+ suggestion: 'öneri',
+ checkPassed: 'Kontrol geçti',
+ checkFailed: 'Kontrol başarısız oldu',
+ openBackofficeSearch: 'Arka ofis aramasını aç',
+ openCloseBackofficeHelp: 'Backoffice yardımını Aç / Kapat',
+ openCloseBackofficeProfileOptions: 'Profil seçeneklerinizi açın / kapatın',
+ assignDomainDescription: '%0% için Kurulum Kültürü ve Ana Bilgisayar Adları',
+ createDescription: '%0% altında yeni düğüm oluştur',
+ protectDescription: '%0% üzerinde genel erişim kurun',
+ rightsDescription: '%0% için Kurulum İzinleri',
+ sortDescription: '%0% için sıralama düzenini değiştir',
+ createblueprintDescription: '%0% temelinde İçerik Şablonu oluşturun',
+ openContextMenu: 'için bağlam menüsünü aç',
+ currentLanguage: 'Mevcut dil',
+ switchLanguage: 'Dili değiştir',
+ createNewFolder: 'Yeni klasör oluştur',
+ newPartialView: 'Kısmi Görünüm',
+ newPartialViewMacro: 'Kısmi Görünüm Makrosu',
+ newMember: 'Üye',
+ newDataType: 'Veri türü',
+ redirectDashboardSearchLabel: 'Yönlendirme kontrol panelinde ara',
+ userGroupSearchLabel: 'Kullanıcı grubu bölümünde ara',
+ userSearchLabel: 'Kullanıcılar bölümünde ara',
+ createItem: 'Öğe oluştur',
+ create: 'Oluştur',
+ edit: 'Düzenle',
+ name: 'Reklam',
+ addNewRow: 'Yeni satır ekle',
+ tabExpand: 'Diğer seçenekleri görüntüleyin',
+ hasTranslation: 'Çeviri var',
+ noTranslation: 'Eksik çeviri',
+ dictionaryListCaption: 'Sözlük öğeleri',
+ },
+ references: {
+ tabName: 'Referanslar',
+ DataTypeNoReferences: 'Bu Veri Türünde referans yok.',
+ labelUsedByDocumentTypes: 'Belge Türlerinde Kullanılır',
+ labelUsedByMediaTypes: 'Medya Türlerinde Kullanılır',
+ labelUsedByMemberTypes: 'Üye Türlerinde Kullanılır',
+ usedByProperties: 'Kullanan',
+ labelUsedByDocuments: 'Belgelerde Kullanıldı',
+ labelUsedByMembers: 'Üyelerde Kullanıldı',
+ labelUsedByMedia: 'Medyada Kullanıldı',
+ },
+ logViewer: {
+ deleteSavedSearch: 'Kaydedilmiş Aramayı Sil',
+ logLevels: 'Günlük Düzeyleri',
+ selectAllLogLevelFilters: 'Hepsini seç',
+ deselectAllLogLevelFilters: 'Tüm seçimleri kaldır',
+ savedSearches: 'Kaydedilmiş Aramalar',
+ saveSearch: 'Aramayı Kaydet',
+ saveSearchDescription: 'Arama sorgunuz için kolay bir ad girin',
+ filterSearch: 'Aramayı Filtrele',
+ totalItems: 'Toplam Öğeler',
+ timestamp: 'Zaman damgası',
+ level: 'Seviye',
+ machine: 'Makine',
+ message: 'Mesaj',
+ exception: 'İstisna',
+ properties: 'Özellikler',
+ searchWithGoogle: 'Google ile Ara',
+ searchThisMessageWithGoogle: 'Bu mesajı Google ile ara',
+ searchWithBing: 'Bing ile Ara',
+ searchThisMessageWithBing: 'Bu iletiyi Bing ile ara',
+ searchOurUmbraco: "Umbraco'yu Arayın",
+ searchThisMessageOnOurUmbracoForumsAndDocs: 'Bu iletiyi Umbraco forumlarımızda ve belgelerimizde arayın',
+ searchOurUmbracoWithGoogle: "Google ile Umbraco'muzda arama yapın",
+ searchOurUmbracoForumsUsingGoogle: "Umbraco forumlarımızda Google'ı kullanarak arama yapın",
+ searchUmbracoSource: 'Umbraco Kaynağını Ara',
+ searchWithinUmbracoSourceCodeOnGithub: "Github'da Umbraco kaynak kodu içinde arama",
+ searchUmbracoIssues: 'Umbraco Sorunlarını Ara',
+ searchUmbracoIssuesOnGithub: "Github'da Umbraco Sorunlarını Ara",
+ deleteThisSearch: 'Bu aramayı sil',
+ findLogsWithRequestId: 'İstek Kimliği Olan Günlükleri Bul',
+ findLogsWithNamespace: 'Ad Alanına Sahip Günlükleri Bul',
+ findLogsWithMachineName: 'Makine Adına Sahip Günlükleri Bul',
+ open: 'Aç',
+ },
+ clipboard: {
+ labelForCopyAllEntries: '%0% Kopyala',
+ labelForArrayOfItemsFrom: "%0%, %1%'den",
+ labelForRemoveAllEntries: 'Tüm öğeleri kaldır',
+ labelForClearClipboard: 'Panoyu temizle',
+ },
+ propertyActions: {
+ tooltipForPropertyActionsMenu: 'Mülk Eylemlerini Aç',
+ tooltipForPropertyActionsMenuClose: 'Özellik Eylemlerini Kapat',
+ },
+ nuCache: {
+ refreshStatus: 'Durumu yenile',
+ memoryCache: 'Bellek Önbelleği',
+ memoryCacheDescription:
+ '\n Bu düğme, bellek içi önbelleği veritabanından tamamen yeniden yükleyerek yeniden yüklemenizi sağlar.\n önbellek (ancak bu veritabanı önbelleğini yeniden oluşturmaz). Bu nispeten hızlıdır.\n Bazı olaylardan sonra önbelleğin düzgün şekilde yenilenmediğini düşündüğünüzde kullanın.\n küçük bir Umbraco sorununu gösterecek olan & mdash;\n (not: bir LB ortamındaki tüm sunucularda yeniden yüklemeyi tetikler).\n ',
+ reload: 'Yeniden yükle',
+ databaseCache: 'Veritabanı Önbelleği',
+ databaseCacheDescription:
+ '\n Bu düğme, veritabanı önbelleğini, yani cmsContentNu tablosunun içeriğini yeniden oluşturmanıza olanak sağlar.\n Yeniden oluşturmak pahalı olabilir. \n Yeniden yükleme yeterli olmadığında ve veritabanı önbelleğinin yüklenmediğini düşündüğünüzde kullanın.\n uygun şekilde oluşturulmuş— bu bazı kritik Umbraco sorunlarına işaret eder.\n ',
+ rebuild: 'Yeniden Oluştur',
+ internals: 'Dahili',
+ internalsDescription:
+ '\n Bu düğme, bir NuCache anlık görüntü koleksiyonunu tetiklemenizi sağlar (bir fullCLR GC çalıştırdıktan sonra).\n Bunun ne anlama geldiğini bilmiyorsanız, muhtemelen kullanmanız gerekmez.\n ',
+ collect: 'Topla',
+ publishedCacheStatus: 'Yayınlanmış Önbellek Durumu',
+ caches: 'Önbellekler',
+ },
+ profiling: {
+ performanceProfiling: 'Performans profili oluşturma',
+ performanceProfilingDescription:
+ '\n
\n Umbraco şu anda hata ayıklama modunda çalışıyor. Bu, sayfaları işlerken performansı değerlendirmek için yerleşik performans profilleyicisini kullanabileceğiniz anlamına gelir.\n
\n
\n Profil oluşturucuyu belirli bir sayfa oluşturma için etkinleştirmek istiyorsanız, sayfayı talep ederken sorgu dizesine umbDebug=true eklemeniz yeterlidir.\n
\n
\n Profilcinin tüm sayfa görüntülemeleri için varsayılan olarak etkinleştirilmesini istiyorsanız, aşağıdaki geçişi kullanabilirsiniz.\n Tarayıcınızda, profil oluşturucuyu otomatik olarak etkinleştiren bir çerez ayarlayacaktır.\n Başka bir deyişle, profil oluşturucu yalnızca tarayıcınızda varsayılan olarak etkin olacaktır - diğer herkesin değil.\n
\n ',
+ activateByDefault: 'Profil oluşturucuyu varsayılan olarak etkinleştirin',
+ reminder: 'Kolay hatırlatma',
+ },
+ settingsDashboardVideos: {
+ trainingHeadline: 'Umbraco eğitim videolarının saatleri yalnızca bir tıklama uzaklıkta',
+ trainingDescription:
+ '\n
Umbraco\'da ustalaşmak mı istiyorsunuz? Umbraco\'nun kullanımıyla ilgili bu videolardan birini izleyerek en iyi uygulamaları öğrenmek için birkaç dakikanızı ayırın. Daha da fazla Umbraco videosu için umbraco.tv adresini ziyaret edin
\n ',
+ getStarted: 'Başlamak için',
+ },
+ settingsDashboard: {
+ start: 'Buradan başlayın',
+ startDescription:
+ 'Bu bölüm, Umbraco siteniz için yapı taşlarını içerir. Ayarlar bölümündeki öğelerle çalışma hakkında daha fazla bilgi edinmek için aşağıdaki bağlantıları izleyin',
+ more: 'Daha fazla bilgi edinin',
+ bulletPointOne:
+ '\n Ayarlar öğelerle çalışma hakkında daha fazla bilgi edinin Our Umbraco\'nun Dokümantasyon bölümünde \n ',
+ bulletPointTwo:
+ '\n Topluluk Forumu\'nda bir soru sorun\n ',
+ bulletPointThree:
+ '\n Eğitici videolarımızı izleyin (bazıları ücretsiz, bazıları abonelik gerektirir)\n ',
+ bulletPointFour:
+ '\n Üretkenliği artıran araçlarımız ve ticari desteğimiz hakkında bilgi edinin\n ',
+ bulletPointFive:
+ '\n Gerçek hayattaki eğitim ve sertifika fırsatları hakkında bilgi edinin\n ',
+ },
+ startupDashboard: {
+ fallbackHeadline: "Dost Canlısı CMS'e Hoş Geldiniz",
+ fallbackDescription:
+ "Umbraco'yu seçtiğiniz için teşekkür ederiz - bunun güzel bir şeyin başlangıcı olabileceğini düşünüyoruz. İlk başta bunaltıcı gibi görünse de, öğrenme eğrisini olabildiğince sorunsuz ve hızlı hale getirmek için çok şey yaptık.",
+ },
+ formsDashboard: {
+ formsHeadline: 'Umbraco Formları',
+ formsDescription:
+ 'Sezgisel bir sürükle ve bırak arayüzü kullanarak formlar oluşturun. E-postalar gönderen basit iletişim formlarından CRM sistemleriyle entegre olan gelişmiş anketlere kadar. Müşterileriniz buna bayılacak!',
+ },
+ blockEditor: {
+ headlineCreateBlock: 'Yeni blok oluştur',
+ headlineAddSettingsElementType: 'Bir ayarlar bölümü ekleyin',
+ headlineAddCustomView: 'Görünümü seçin',
+ headlineAddCustomStylesheet: 'Stil sayfasını seçin',
+ headlineAddThumbnail: 'Küçük resim seçin',
+ labelcreateNewElementType: 'Yeni oluştur',
+ labelCustomStylesheet: 'Özel stil sayfası',
+ addCustomStylesheet: 'Stil sayfası ekle',
+ headlineEditorAppearance: 'Düzenleyici görünümü',
+ headlineDataModels: 'Veri modelleri',
+ headlineCatalogueAppearance: 'Katalog görünümü',
+ labelBackgroundColor: 'Arka plan rengi',
+ labelIconColor: 'Simge rengi',
+ labelContentElementType: 'İçerik modeli',
+ labelLabelTemplate: 'Etiket',
+ labelCustomView: 'Özel görünüm',
+ labelSettingsElementType: 'Ayarlar modeli',
+ labelEditorSize: 'Yer paylaşımı düzenleyici boyutu',
+ addCustomView: 'Özel görünüm ekle',
+ addSettingsElementType: 'Ayarları ekle',
+ confirmDeleteBlockMessage: '%0% içeriğini silmek istediğinizden emin misiniz?',
+ confirmDeleteBlockTypeMessage: '%0% blok yapılandırmasını silmek istediğinizden emin misiniz?',
+ confirmDeleteBlockTypeNotice:
+ 'Bu bloğun içeriği hala mevcut olacak, bu içeriğin düzenlenmesi artık kullanılamayacak ve desteklenmeyen içerik olarak gösterilecek.',
+ blockConfigurationOverlayTitle: "'%0%' Konfigürasyonu",
+ thumbnail: 'Küçük Resim',
+ addThumbnail: 'Küçük resim ekle',
+ tabCreateEmpty: 'Boş oluştur',
+ tabClipboard: 'Pano',
+ tabBlockSettings: 'Ayarlar',
+ headlineAdvanced: 'Gelişmiş',
+ forceHideContentEditor: 'İçerik düzenleyiciyi gizlemeye zorla',
+ blockHasChanges: 'Bu içerikte değişiklikler yaptınız. Onları atmak istediğinizden emin misiniz?',
+ confirmCancelBlockCreationHeadline: 'Oluşturma iptal edilsin mi?',
+ confirmCancelBlockCreationMessage: 'Oluşturmayı iptal etmek istediğinizden emin misiniz.',
+ elementTypeDoesNotExistHeadline: 'Hata!',
+ elementTypeDoesNotExistDescription: "Bu bloğun ElementType'ı artık mevcut değil",
+ propertyEditorNotSupported: "'%0%' özelliği, bloklarda desteklenmeyen '%1%' düzenleyicisini kullanıyor.",
+ },
+ contentTemplatesDashboard: {
+ whatHeadline: 'İçerik Şablonları Nedir?',
+ whatDescription:
+ 'İçerik Şablonları, yeni bir içerik düğümü oluştururken seçilebilen önceden tanımlanmış içeriklerdir.',
+ createHeadline: 'Nasıl İçerik Şablonu oluşturabilirim?',
+ createDescription:
+ '\n
İçerik Şablonu oluşturmanın iki yolu vardır:
\n
\n
Bir içerik düğümünü sağ tıklayın ve yeni bir İçerik Şablonu oluşturmak için "İçerik Şablonu Oluştur" u seçin.
\n
Ayarlar bölümündeki İçerik Şablonları ağacını sağ tıklayın ve İçerik Şablonu oluşturmak istediğiniz Belge Türünü seçin.
\n
\n
Bir ad verildiğinde, editörler İçerik Şablonunu yeni sayfalarının temeli olarak kullanmaya başlayabilir.
\n ',
+ manageHeadline: 'İçerik Şablonlarını nasıl yönetirim?',
+ manageDescription:
+ 'Ayarlar bölümündeki "İçerik Şablonları" ağacından İçerik Şablonlarını düzenleyebilir ve silebilirsiniz. İçerik Şablonunun dayandığı Belge Türünü genişletin ve düzenlemek veya silmek için tıklayın.',
+ },
+} as UmbLocalizationDictionary;
diff --git a/src/Umbraco.Web.UI.Client/src/assets/lang/uk-ua.ts b/src/Umbraco.Web.UI.Client/src/assets/lang/uk-ua.ts
new file mode 100644
index 0000000000..d480b68234
--- /dev/null
+++ b/src/Umbraco.Web.UI.Client/src/assets/lang/uk-ua.ts
@@ -0,0 +1,1458 @@
+/**
+ * Creator Name: The Umbraco community
+ * Creator Link: https://docs.umbraco.com/umbraco-cms/extending/language-files
+ *
+ * Language Alias: uk
+ * Language Int Name: Ukrainian (UA)
+ * Language Local Name: Українська (UA)
+ * Language LCID:
+ * Language Culture: uk-UA
+ */
+import type { UmbLocalizationDictionary } from '@umbraco-cms/backoffice/localization-api';
+export default {
+ actions: {
+ assigndomain: 'Мови та домени',
+ auditTrail: 'Історія виправлень',
+ browse: 'Переглянути',
+ changeDocType: 'Змінити тип документу',
+ copy: 'Копіювати',
+ create: 'Створити',
+ createblueprint: 'Створити шаблон вмістимого',
+ createGroup: 'Створити групу',
+ createPackage: 'Створити пакет',
+ defaultValue: 'Значення за замовчуванням',
+ delete: 'Видалити',
+ disable: 'Відключити',
+ emptyrecyclebin: 'Очистити корзину',
+ enable: 'Включити',
+ export: 'Експорт',
+ exportDocumentType: 'Експортувати',
+ importdocumenttype: 'Імпортувати',
+ importPackage: 'Імпортувати пакет',
+ liveEdit: 'Правити на місці',
+ logout: 'Вийти',
+ move: 'Перемістити',
+ notify: 'Сповіщення',
+ protect: 'Публічний доступ',
+ publish: 'Опублікувати',
+ refreshNode: 'Оновити вузли',
+ rename: 'Переіменувати',
+ republish: 'Опублікувати весь сайт',
+ restore: 'Відновити',
+ rights: 'Дозволи',
+ rollback: 'Відкатити',
+ sendtopublish: 'Надіслати на публікацію',
+ sendToTranslate: 'Надіслати на переклад',
+ setGroup: 'Задати групу',
+ setPermissions: 'Задати права',
+ sort: 'Сортувати',
+ translate: 'Перекласти',
+ unpublish: 'Скасувати публікацію',
+ unlock: 'Разблокувати',
+ update: 'Оновити',
+ },
+ actionCategories: {
+ content: 'Вміст',
+ administration: 'Адміністрування',
+ structure: 'Структура',
+ other: 'Інше',
+ },
+ actionDescriptions: {
+ assignDomain: 'Дозволити доступ до призначення мов і доменів',
+ auditTrail: 'Дозволити доступ до журналу історії вузла',
+ browse: 'Дозволити доступ до перегляду вузла',
+ changeDocType: 'Дозволити доступ до зміни типу документа для вузла',
+ copy: 'Дозволити доступ до копіювання вузла',
+ create: 'Дозволити доступ до створення вузлів',
+ delete: 'Дозволити доступ до видалення вузлів',
+ move: 'Дозволити доступ до переміщення вузла',
+ protect: 'Дозволити доступ до встановлення та зміни правил публічного доступу для вузла',
+ publish: 'Дозволити доступ до публікації вузла',
+ rights: 'Дозволити доступ до зміни прав доступу до вузла',
+ rollback: 'Дозволити доступ на повернення до попередніх станів вузла',
+ sendtopublish: 'Дозволити доступ до відправки вузла на схвалення перед публікацією',
+ sendToTranslate: 'Дозволити доступ до відправки вузла на переклад даних',
+ sort: 'Дозволити доступ до зміни порядку сортування вузлів',
+ translate: 'Дозволити доступ до перекладу даних вузла',
+ update: 'Дозволити доступ до збереження вузла',
+ createblueprint: 'Дозволити доступ до створення шаблону вмісту',
+ },
+ assignDomain: {
+ addNew: 'Додати новий домен',
+ domain: 'Домен',
+ domainCreated: "Створено новий домен '%0%'",
+ domainDeleted: "Домен '%0%' видалено",
+ domainExists: "Домен із іменем '%0%' вже існує",
+ domainUpdated: "Домен '%0%' оновлено",
+ duplicateDomain: 'Такий домен вже призначено.',
+ inherit: 'Успадкувати',
+ invalidDomain: 'Неприпустимий формат домену.',
+ invalidNode: 'Неприпустимий вузол.',
+ language: 'Мова',
+ orEdit: 'Редагувати існуючі домени',
+ permissionDenied: 'Недостатньо повноважень.',
+ remove: 'видалити',
+ setDomains: 'Домени',
+ setLanguage: 'Мова (культура)',
+ setLanguageHelp:
+ 'Встановіть мову (культуру) для всіх дочірніх вузлів, бо успадкуйте мову від батьківських вузлів. \n\t\tЦе налаштування буде застосовано також і до поточного вузла, якщо для нього нижче явно не заданий домен.',
+ },
+ auditTrails: {
+ atViewingFor: 'Спостерігати за',
+ },
+ blueprints: {
+ createBlueprintFrom: 'Створити новий шаблон вмісту з %0%',
+ blankBlueprint: 'Порожній',
+ selectBlueprint: 'Вибрати шаблон вмісту',
+ createdBlueprintHeading: 'Шаблон вмісту створено',
+ createdBlueprintMessage: "Створено шаблон вмісту з '%0%'",
+ duplicateBlueprintMessage: 'Інший шаблон вмісту з такою самою назвою вже існує',
+ blueprintDescription:
+ 'Шаблон вмісту — це набір даних, який редактор може використовувати для початкового заповнення властивостей при створенні вузлів вмісту.',
+ },
+ bulk: {
+ done: 'Завершено',
+ deletedItem: 'Видалений %0% елемент',
+ deletedItems: 'Видалено %0% елементів',
+ deletedItemOfItem: 'Видалений %0% з %1% елементів',
+ deletedItemOfItems: 'Видалено %0% з %1% елементів',
+ publishedItem: 'Опублікований %0% елемент',
+ publishedItems: 'Опубліковано %0% елементів',
+ publishedItemOfItem: 'Опублікований %0% з %1% елементів',
+ publishedItemOfItems: 'Опубліковано %0% з %1% елементів',
+ unpublishedItem: 'Скасовано публікацію %0% елементу',
+ unpublishedItems: 'Скасовано публікацію %0% елементів',
+ unpublishedItemOfItem: 'Скасовано публікацію %0% з %1% елементів',
+ unpublishedItemOfItems: 'Скасовано публікацію %0% з %1% елементів',
+ movedItem: 'Перенесений %0% елемент',
+ movedItems: 'Перенесено %0% елементів',
+ movedItemOfItem: 'Перенесений %0% з %1% елементів',
+ movedItemOfItems: 'Перенесено %0% з %1% елементів',
+ copiedItem: 'Скопійований %0% елемент',
+ copiedItems: 'Скопійовано %0% елементів',
+ copiedItemOfItem: 'Скопійований %0% з %1% елементів',
+ copiedItemOfItems: 'Скопійовано %0% з %1% елементів',
+ },
+ buttons: {
+ bold: 'Напівжирний',
+ clearSelection: 'Очистити виділення',
+ deindent: 'Зменшити відступ',
+ formFieldInsert: 'Вставити поле форми',
+ graphicHeadline: 'Вставити графічний заголовок',
+ htmlEdit: 'Редагувати код HTML',
+ indent: 'Збільшити відступ',
+ italic: 'Курсив',
+ justifyCenter: 'По центру',
+ justifyLeft: 'Ліворуч',
+ justifyRight: 'Праворуч',
+ linkInsert: 'Вставити посилання',
+ linkLocal: 'Вставити якір (локальне посилання)',
+ listBullet: 'Маркований список',
+ listNumeric: 'Нумерований список',
+ macroInsert: 'Вставити макрос',
+ pictureInsert: 'Вставити зображення',
+ redo: 'Повторити',
+ relations: "Правити зв'язки",
+ returnToList: 'Повернутись до списку',
+ save: 'Зберегти',
+ saveAndGenerateModels: 'Зберегти та побудувати моделі',
+ saveAndPublish: 'Опублікувати',
+ saveToPublish: 'Надіслати на публікацію',
+ saveListView: 'Зберегти список',
+ select: 'Вибрати',
+ saveAndPreview: 'Попередній перегляд',
+ showPageDisabled: 'Попередній перегляд заборонено, тому що документу не зіставлено шаблон',
+ somethingElse: 'Інші дії',
+ styleChoose: 'Вибрати стиль',
+ styleShow: 'Показати стилі',
+ tableInsert: 'Вставити таблицю',
+ undo: 'Скасувати',
+ },
+ colorpicker: {
+ noColors: 'Ви не вказали жодного допустимого кольору',
+ },
+ colors: {
+ blue: 'Синій',
+ },
+ content: {
+ about: 'Про цю сторінку',
+ alias: 'Аліас',
+ alternativeTextHelp: '(як би Ви описали зображення по телефону)',
+ alternativeUrls: 'Альтернативні посилання',
+ altTextOptional: "Альтернативний текст (необов'язково)",
+ childItems: 'Елементи списку',
+ clickToEdit: 'Натисніть для редагування цього елемента',
+ contentRoot: 'Початковий вузол з вмістом',
+ createBy: 'Створено користувачем',
+ createByDesc: 'Початковий автор',
+ createDate: 'Дата створення',
+ createDateDesc: 'Дата/час створення документа',
+ documentType: 'Тип документа',
+ editing: 'Редагування',
+ expireDate: 'Приховати',
+ getUrlException:
+ 'УВАГА: неможливо отримати URL-адресу документа (внутрішня помилка - подробиці в системному журналі)',
+ isPublished: 'Опубліковано',
+ isSensitiveValue:
+ "Це значення приховано. Якщо Вам потрібний доступ до цього значення, зв'яжіться з адміністратором веб-сайту.",
+ isSensitiveValue_short: 'Це значення приховано.',
+ itemChanged: 'Цей документ було змінено після публікації',
+ itemNotPublished: 'Цей документ не опубліковано',
+ lastPublished: 'Документ опубліковано',
+ noItemsToShow: 'Немає елементів.',
+ listViewNoItems: 'У цьому списку поки що немає елементів.',
+ listViewNoContent: 'Вміст поки що не додано',
+ listViewNoMembers: 'Учасники поки що не додані',
+ mediaLinks: 'Посилання на медіа-елементи',
+ mediatype: 'Тип медіа-контенту',
+ membergroup: 'Група учасників',
+ memberof: 'Включено в групу(и)',
+ memberrole: 'Роль учасника',
+ membertype: 'Тип учасника',
+ nestedContentDeleteItem: 'Ви впевнені, що хочете видалити цей елемент?',
+ nestedContentEditorNotSupported:
+ "Властивість '%0%' використовує редактор '%1%', який не підтримується для вкладеного вмісту.",
+ noChanges: 'Не було зроблено жодних змін',
+ noDate: 'Дата не вказана',
+ nodeName: 'Заголовок сторінки',
+ noMediaLink: 'Цей медіа-елемент не містить посилання',
+ notmemberof: 'Доступні групи',
+ otherElements: 'Властивості',
+ parentNotPublished:
+ "Цей документ опубліковано, але приховано, тому що його батьківський документ '%0%' не опублікований",
+ parentNotPublishedAnomaly:
+ 'УВАГА: цей документ опубліковано, але його немає у глобальному кеші (внутрішня помилка - подробиці в системному журналі)',
+ publish: 'Опублікувати',
+ published: 'Опубліковано',
+ publishedPendingChanges: 'Опубліковано (є зміни)',
+ publishStatus: 'Стан публікації',
+ releaseDate: 'Опублікувати',
+ removeDate: 'Очистити дату',
+ routeError: 'УВАГА: цей документ опубліковано, але його URL такий самий як в документа %0%',
+ scheduledPublishServerTime: 'Цей час буде відповідати наступному часу на сервері:',
+ scheduledPublishDocumentation:
+ 'Що це означає?',
+ setDate: 'Задати дату',
+ sortDone: 'Порядок сортування оновлено',
+ sortHelp:
+ 'Для сортування вузлів просто перетягуйте вузли або натисніть на заголовок стовпця. Ви можете вибрати кілька вузлів, утримуючи клавіші "shift" або "ctrl" при виборі',
+ statistics: 'Статистика',
+ target: 'Ціль',
+ titleOptional: "Заголовок (необов'язково)",
+ type: 'Тип',
+ unpublish: 'Скасувати публікацію',
+ unpublished: 'Публікацію скасовано',
+ unpublishDate: 'Скасувати публікацію',
+ updateDate: 'Останнє редагування',
+ updateDateDesc: 'Дата/час редагування документа',
+ updatedBy: 'Оновлено',
+ uploadClear: 'Видалити файл',
+ urls: 'Посилання на документ',
+ addTextBox: 'Додати нове текстове поле',
+ removeTextBox: 'Видалити це текстове поле',
+ saveModalTitle: 'Зберегти',
+ },
+ contentPicker: {
+ pickedTrashedItem: 'Вибрано елемент вмісту, який вилучено або знаходиться в корзині.',
+ pickedTrashedItems: 'Вибрані елементи вмісту, які в даний час видалені або знаходяться в корзині',
+ },
+ contentTypeEditor: {
+ compositions: 'Композиції',
+ noGroups: 'Ви не додали жодної вкладки',
+ inheritedFrom: 'Успадковано від',
+ addProperty: 'Додати властивість',
+ requiredLabel: "Обов'язкова позначка",
+ enableListViewHeading: 'Відображення у форматі списку',
+ enableListViewDescription:
+ 'Встановлює подання документа даного типу у вигляді сортованого списку дочірніх документів з функцією пошуку, на відміну від звичайного подання дочірніх документів у вигляді дерева',
+ allowedTemplatesHeading: 'Допустимі шаблони',
+ allowedTemplatesDescription: 'Виберіть список допустимих шаблонів для зіставлення документів цього типу',
+ allowAsRootHeading: 'Дозволити як кореневий елемента',
+ allowAsRootDescription: 'Дозволяє створювати документи цього типу у самому корені дерева вмісту',
+ childNodesHeading: 'Допустимі типи дочірніх документів',
+ childNodesDescription:
+ 'Дозволяє вказати перелік типів документів, допустимих для створення документів, дочірніх до цього типу',
+ chooseChildNode: 'Вибрати дочірній вузол',
+ compositionsDescription:
+ 'Успадкувати вкладки та властивості з існуючого типу документів. Вкладки будуть або додані до створюваного типу, або у разі збігу назв вкладок будуть додані успадковані властивості.',
+ compositionInUse: 'Цей тип документів вже бере участь у композиції іншого типу, тому сам може бути композицією.',
+ compositionUsageHeading: 'Де використовується ця композиція?',
+ compositionUsageSpecification: 'Ця композиція зараз використовується при створенні таких типів документів:',
+ noAvailableCompositions: 'Наразі немає типів документів, допустимих побудови композиції.',
+ availableEditors: 'Доступні редактори',
+ reuse: 'Перевикористати',
+ editorSettings: 'Налаштування редактора',
+ configuration: 'Конфігурування',
+ yesDelete: 'ТАК, видалити',
+ movedUnderneath: 'переміщені всередину',
+ copiedUnderneath: 'скопійовані всередину',
+ folderToMove: 'Вибрати папку для переміщення',
+ folderToCopy: 'Вибрати папку для копіювання',
+ structureBelow: 'у структурі дерева',
+ allDocumentTypes: 'Всі типи документів',
+ allDocuments: 'Всі документи',
+ allMediaItems: 'Всі медіа-елементи',
+ usingThisDocument:
+ ', що використовують цей тип документів, будуть безповоротно видалені, будь ласка, підтвердьте цю дію.',
+ usingThisMedia: ', що використовують цей тип медіа, будуть безповоротно видалені, будь ласка, підтвердьте цю дію.',
+ usingThisMember:
+ ', що використовують цей тип учасників, будуть безповоротно видалені, будь ласка, підтвердьте цю дію.',
+ andAllDocuments: 'і всі документи, які використовують цей тип',
+ andAllMediaItems: 'і всі медіа-елементи, які використовують цей тип',
+ andAllMembers: 'і всі учасники, які використовують цей тип',
+ memberCanEdit: 'Учасник може змінити',
+ memberCanEditDescription: 'Дозволяє редагування значення цієї властивості учасником у своєму профілі',
+ isSensitiveData: 'Конфіденційні дані',
+ isSensitiveDataDescription:
+ 'Приховує значення цієї властивості від редакторів вмісту, які не мають доступу до конфіденційної інформації',
+ showOnMemberProfile: 'Показати у профілі користувача',
+ showOnMemberProfileDescription: 'Дозволяє показ цієї властивості у профілі учасника',
+ tabHasNoSortOrder: 'для вкладки не вказано порядок сортування',
+ },
+ create: {
+ chooseNode: 'Де ви хочете створити новий %0%',
+ createContentBlueprint: 'Виберіть тип документів, для якого потрібно створити шаблон вмісту',
+ createUnder: 'Створити у вузлі',
+ newFolder: 'Нова папка',
+ newDataType: 'Новий тип даних',
+ noDocumentTypes:
+ 'Немає жодного дозволеного типу документів для створення. Необхідно дозволити потрібні Вам типи у секції "Налаштування" в дереві "Типи документів".',
+ noMediaTypes:
+ 'Немає жодного дозволеного типу медіа-матеріалів для створення. Необхідно дозволити потрібні Вам типи у секції "Налаштування" в дереві "Типы медіа-матеріалів".',
+ updateData: 'Виберіть тип та заголовок',
+ documentTypeWithoutTemplate: 'Тип документа без зіставленого шаблону',
+ newJavascriptFile: 'Новий файл javascript',
+ newEmptyPartialView: 'Нове порожнє часткове представлення',
+ newPartialViewMacro: 'Новий макрос-представлення',
+ newPartialViewFromSnippet: 'Нове часткове представлення за зразком (сніпетом)',
+ newPartialViewMacroFromSnippet: 'Нове макрос-представлення за зразком (сніпетом)',
+ newPartialViewMacroNoMacro: 'Нове макрос-представлення (без реєстрації макроса)',
+ },
+ dashboard: {
+ browser: 'Огляд сайту',
+ dontShowAgain: '- Приховати - ',
+ nothinghappens:
+ 'Якщо адміністративна панель не завантажується, Вам, можливо, слід дозволити спливаючі вікна даного сайту',
+ openinnew: 'було відкрито у новому вікні',
+ restart: 'Перезапустити',
+ visit: 'Відвідати',
+ welcome: 'Вітаємо',
+ },
+ defaultdialogs: {
+ anchorInsert: 'Назва',
+ assignDomain: 'Управління доменами',
+ closeThisWindow: 'Закрити це вікно',
+ confirmdelete: 'Ви впевнені, що хочете видалити',
+ confirmdisable: 'Ви впевнені, що хочете заборонити',
+ confirmlogout: 'Ви впевнені?',
+ confirmSure: 'Ви впевнені?',
+ cut: 'Вирізати',
+ editDictionary: 'Редагувати статтю словника',
+ editLanguage: 'Змінити мову',
+ insertAnchor: 'Вставити локальне посилання (якір)',
+ insertCharacter: 'Вставити символ',
+ insertgraphicheadline: 'Вставити графічний заголовок',
+ insertimage: 'Вставити зображення',
+ insertlink: 'Вставити посилання',
+ insertMacro: 'Вставити макрос',
+ inserttable: 'Вставити таблицю',
+ lastEdited: 'Остання зміна',
+ link: 'Посилання',
+ linkinternal: 'Внутрішнє посилання',
+ linklocaltip: 'Для визначення локального посилання, використовуйте "#" першим символом',
+ linknewwindow: 'Відкрити у новому вікні?',
+ macroDoesNotHaveProperties: 'Цей макрос не має властивостей, що редагуються.',
+ nodeNameLinkPicker: 'Заголовок посилання',
+ noIconsFound: 'Жодної піктограми не знайдено',
+ paste: 'Вставити',
+ permissionsEdit: 'Змінити дозволи для',
+ permissionsSet: 'Встановити дозволи для',
+ permissionsSetForGroup: "Встановити права доступу до '%0%' для групи користувачів '%1%'",
+ permissionsHelp: 'Виберіть групу (и) користувачів, для яких потрібно встановити дозвіл',
+ recycleBinDeleting:
+ 'Всі елементи у кошику зараз видаляються. Будь ласка, не закривайте це вікно до закінчення процесу видалення',
+ recycleBinIsEmpty: 'Корзина порожня',
+ recycleBinWarning: 'Ви більше не зможете відновити елементи, видалені з кошика',
+ regexSearchError:
+ "Сервіс regexlib.com недоступний, це незалежить від нас. Просимо вибачити за завдані незручності.",
+ regexSearchHelp:
+ "Використовуйте пошук регулярних виразів, щоб додати сервіс перевірки до поля Вашої форми. Наприклад: 'email, 'zip-code', 'URL'",
+ removeMacro: 'Видалити макрос',
+ requiredField: "Обов'язкове поле",
+ sitereindexed: 'Сайт переіндексований',
+ siterepublished:
+ 'Кеш сайту було оновлено. Весь опублікований вміст приведено в актуальний стан, у той час як неопублікований вміст, як і раніше, не опубліковано',
+ siterepublishHelp:
+ 'Кеш сайту буде повністю оновлено. Весь опублікований вміст буде оновлено, тоді як неопублікований вміст, як і раніше, залишиться неопублікованим.',
+ tableColumns: 'Кількість стовпців',
+ tableRows: 'Кількість рядків',
+ thumbnailimageclickfororiginal: 'Клацніть на зображенні, щоб побачити повнорозмірну версію',
+ treepicker: 'Виберіть елемент',
+ urlLinkPicker: 'Посилання',
+ viewCacheItem: 'Перегляд елемента кешу',
+ relateToOriginalLabel: "Зв'язати із оригіналом",
+ includeDescendants: 'Включаючи всі дочірні',
+ theFriendliestCommunity: 'Найдружелюбніша спільнота',
+ linkToPage: 'Посилання на сторінку',
+ openInNewWindow: 'Відкривати посилання у новому вікні або вкладці браузера',
+ linkToMedia: 'Посилання на медіа-елемент',
+ selectMedia: 'Вибрати медіа',
+ selectMediaStartNode: 'Вибрати початковий вузол медіа-бібліотеки',
+ selectIcon: 'Вибрати піктограму',
+ selectItem: 'Вибрати елемент',
+ selectLink: 'Вибрати посилання',
+ selectMacro: 'Вибрати макрос',
+ selectContent: 'Вибрати вміст',
+ selectContentStartNode: 'Вибрати початковий вузол вмісту',
+ selectMember: 'Вибрати учасника',
+ selectMemberGroup: 'Вибрати групу учасників',
+ selectNode: 'Вибрати вузол',
+ selectSections: 'Вибрати розділи',
+ selectUsers: 'Вибрати користувачів',
+ noMacroParams: 'Це макрос без параметрів',
+ noMacros: 'Немає макросів, доступних для вставки в редактор',
+ externalLoginProviders: 'Провайдери автентифікації',
+ exceptionDetail: 'Детальне повідомлення про помилку',
+ stacktrace: 'Трасування стеку',
+ innerException: 'Внутрішня помилка',
+ linkYour: "Зв'язати",
+ unLinkYour: "Розірвати зв'язок",
+ account: 'облікового запису',
+ selectEditor: 'Вибрати редактор',
+ selectSnippet: 'Вибрати зразок',
+ },
+ dictionaryItem: {
+ description:
+ "Ниже Ви можете вказати різні переклади даної статті словника '%0%'. Додати інші мови можна, скориставшись пунктом 'Мови' в меню зліва.",
+ displayName: 'Назва мови (культури)',
+ changeKeyError: "Ключ '%0%' вже існує у словнику.",
+ overviewTitle: 'Огляд словника',
+ },
+ editcontenttype: {
+ createListView: 'Створити список користувача',
+ removeListView: 'Видалити список користувача',
+ },
+ editdatatype: {
+ addPrevalue: 'Додати попередньо встановлене значення',
+ dataBaseDatatype: 'Тип даних у БД',
+ guid: 'GUID типу даних',
+ renderControl: 'Редактор властивості',
+ rteButtons: 'Кнопки',
+ rteEnableAdvancedSettings: 'Увімкнути розширені налаштування для',
+ rteEnableContextMenu: 'Увімкнути контекстне меню',
+ rteMaximumDefaultImgSize: 'Максимальний розмір для зображень за замовчуванням',
+ rteRelatedStylesheets: 'Зіставлені стилі CSS',
+ rteShowLabel: 'Показати мітку',
+ rteWidthAndHeight: 'Ширина та висота',
+ selectFolder: 'Виберіть папку, щоб перемістити до неї',
+ inTheTree: 'у структурі дерева нижче',
+ wasMoved: 'був переміщений до папки',
+ },
+ emptyStates: {
+ emptyDictionaryTree: 'Немає доступних елементів словника',
+ },
+ errorHandling: {
+ errorButDataWasSaved:
+ 'Ваші дані збережені, але для того, щоб опублікувати цей документ, Ви повинні спочатку виправити такі помилки:',
+ errorExistsWithoutTab: '%0% вже існує',
+ errorHeader: 'Виявлено такі помилки:',
+ errorHeaderWithoutTab: 'Виявлено такі помилки:',
+ errorInPasswordFormat: 'Пароль повинен складатися як мінімум з %0% символів, хоча б %1% з яких не є літерами',
+ errorIntegerWithoutTab: '%0% має бути цілочисельним значенням',
+ errorMandatory: "%0% в %1% є обов'язковим полем",
+ errorMandatoryWithoutTab: "%0% є обов'язковим полем",
+ errorRegExp: '%0% в %1%: дані у некоректному форматі',
+ errorRegExpWithoutTab: '%0% - дані у некоректному форматі',
+ },
+ errors: {
+ receivedErrorFromServer: 'Отримано повідомлення про помилку від сервера',
+ codemirroriewarning:
+ 'ПРЕДУПРЕЖДЕНИЕ! Незважаючи на те, що CodeMirror за замовчуванням дозволено в цій конфігурації, він, як і раніше, відключений для браузерів Internet Explorer через нестабільну роботу',
+ contentTypeAliasAndNameNotNull: "Вкажіть, будь ласка, аліас та ім'я для цієї властивості!",
+ dissallowedMediaType: 'Використання даного типу файлів на сайті заборонено адміністратором',
+ filePermissionsError: 'Помилка доступу до вказаного файлу або папки',
+ macroErrorLoadingPartialView: 'Помилка завантаження коду у частковому преставленні (файл: %0%)',
+ missingTitle: 'Вкажіть заголовок',
+ missingType: 'Виберіть тип',
+ pictureResizeBiggerThanOrg:
+ 'Ви намагаєтеся збільшити зображення порівняно з його вихідним розміром. Впевнені, що хочете це зробити?',
+ startNodeDoesNotExists: "Початковий вузол було видалено, зв'яжіться з Вашим адміністратором",
+ stylesMustMarkBeforeSelect: 'Для зміни стилю відзначте фрагмент тексту',
+ stylesNoStylesOnPage: 'Не визначено жодного доступного стилю',
+ tableColMergeLeft: "Помістіть курсор у ліву з двох комірок, які хочете об'єднати",
+ tableSplitNotSplittable: "Не можна розділити комірку, яка не була до цього об'єднана",
+ },
+ general: {
+ about: 'Про систему',
+ action: 'Дія',
+ actions: 'Дії',
+ add: 'Додати',
+ alias: 'Аліас',
+ all: 'Все',
+ areyousure: 'Ви впевнені?',
+ back: 'Назад',
+ border: 'Межі',
+ by: 'користувачем',
+ cancel: 'Відміна',
+ cellMargin: 'Відступ комірки',
+ choose: 'Вибрати',
+ close: 'Закрити',
+ closewindow: 'Закрити вікно',
+ comment: 'Примітка',
+ confirm: 'Підтвердити',
+ constrain: 'Зберігати пропорції',
+ constrainProportions: 'Зберігати пропорції',
+ continue: 'Далі',
+ copy: 'Копіювати',
+ create: 'Створити',
+ database: 'База даних',
+ date: 'Дата',
+ default: 'За замовчуванням',
+ delete: 'Видалити',
+ deleted: 'Видалено',
+ deleting: 'Видаляється...',
+ design: 'Дизайн',
+ dictionary: 'Словник',
+ dimensions: 'Розміри',
+ down: 'Вниз',
+ download: 'Завантажити',
+ edit: 'Змінити',
+ edited: 'Змінено',
+ elements: 'Елементи',
+ email: 'Email адреса',
+ error: 'Помилка',
+ findDocument: 'Знайти',
+ first: 'Початок',
+ general: 'Загальне',
+ groups: 'Групи',
+ folder: 'Папка',
+ height: 'Висота',
+ help: 'Довідка',
+ hide: 'Приховати',
+ history: 'Історія',
+ icon: 'Піктограма',
+ import: 'Імпорт',
+ info: 'Інфо',
+ innerMargin: 'Внутрішній відступ',
+ insert: 'Вставити',
+ install: 'Встановити',
+ invalid: 'Невірно',
+ justify: 'Вирівнювання',
+ label: 'Назва',
+ language: 'Мова',
+ last: 'Кінець',
+ layout: 'Макет',
+ links: 'Посилання',
+ loading: 'Завантаження',
+ locked: 'БЛОКУВАННЯ',
+ login: 'Увійти',
+ logoff: 'Вийти',
+ logout: 'Вихід',
+ macro: 'Макрос',
+ mandatory: "Обов'язково",
+ message: 'Повідомлення',
+ move: 'Перемістити',
+ name: 'Назва',
+ new: 'Новий',
+ next: 'Наст.',
+ no: 'Ні',
+ noItemsInList: 'Тут поки що немає елементів',
+ of: 'з',
+ off: 'Вимк',
+ ok: 'Ok',
+ open: 'Відкрити',
+ on: 'Вкл',
+ options: 'Варіанти',
+ or: 'або',
+ orderBy: 'Сортування за',
+ password: 'Пароль',
+ path: 'Шлях',
+ pleasewait: 'Хвилинку...',
+ previous: 'Попер.',
+ properties: 'Властивості',
+ reciept: 'Email адреса для отримання даних',
+ recycleBin: 'Корзина',
+ recycleBinEmpty: 'Ваша корзина порожня',
+ remaining: 'Залишилось',
+ remove: 'Видалити',
+ rename: 'Перейменувати',
+ renew: 'Оновити',
+ required: "Обов'язкове",
+ retrieve: 'Отримати',
+ retry: 'Повторити',
+ rights: 'Дозволи',
+ scheduledPublishing: 'Публікація за розкладом',
+ search: 'Пошук',
+ searchNoResult: 'На жаль, нічого не знайшлося',
+ searchResults: 'Результати пошуку',
+ server: 'Сервер',
+ show: 'Показати',
+ showPageOnSend: 'Показати сторінку при надсиланні',
+ size: 'Розмір',
+ sort: 'Сортувати',
+ status: 'Стан',
+ submit: 'Відправити',
+ type: 'Тип',
+ typeToSearch: 'Що шукати?',
+ up: 'Вгору',
+ update: 'Оновити',
+ upgrade: 'Оновлення',
+ upload: 'Завантажити',
+ url: 'Інтернет-посилання',
+ user: 'Користувач',
+ username: "Ім'я користувача",
+ value: 'Значення',
+ view: 'Перегляд',
+ welcome: 'Ласкаво просимо...',
+ width: 'Ширина',
+ yes: 'Так',
+ reorder: 'Пересортувати',
+ reorderDone: 'Пересортування завершено',
+ preview: 'Попередній перегляд',
+ changePassword: 'Змінити пароль',
+ to: 'до',
+ listView: 'Список',
+ saving: 'Збереження...',
+ current: 'поточний',
+ selected: 'вибрано',
+ embed: 'Вбудувати',
+ },
+ graphicheadline: {
+ backgroundcolor: 'Колір фону',
+ bold: 'Напівжирний',
+ color: 'Колір тексту',
+ font: 'Шрифт',
+ text: 'Текст',
+ },
+ grid: {
+ media: 'Зображення',
+ macro: 'Макрос',
+ addElement: 'Додати вміст',
+ dropElement: 'Скинути вміст',
+ addGridLayout: 'Додати шаблон сітки',
+ addGridLayoutDetail: 'Налаштуйте шаблон, задаючи ширину колонок або додаючи додаткові розділи',
+ addRowConfiguration: 'Додати конфігурацію рядка',
+ addRowConfigurationDetail: 'Налаштуйте рядок, задаючи ширину комірок або додаючи додаткові комірки',
+ addRows: 'Додати нові рядки',
+ allowAllEditors: 'Доступні всі редактори',
+ allowAllRowConfigurations: 'Доступні всі конфігурації рядків',
+ chooseLayout: 'Виберіть шаблон',
+ clickToEmbed: 'Клацніть для вбудовування',
+ clickToInsertImage: 'Натисніть, щоб вставити зображення',
+ columns: 'Колонки',
+ contentNotAllowed: 'Неприпустимий тип вмісту',
+ contentAllowed: 'Даний тип вмісту дозволено',
+ columnsDetails: 'Сумарна кількість колонок у шаблоні сітки',
+ gridLayouts: 'Шаблони сітки',
+ gridLayoutsDetail:
+ 'Шаблони є робочим простором для редактора сітки, зазвичай Вам знадобиться не більше одного або двох шаблонів.',
+ insertControl: 'Вставити елемент',
+ placeholderWriteHere: 'Напишіть...',
+ rowConfigurations: 'Конфігурації рядків',
+ rowConfigurationsDetail: 'Рядки - це послідовності комірок з горизонтальним розташуванням',
+ settings: 'Налаштування',
+ settingsApplied: 'Налаштування застосовані',
+ settingsDetails: 'Вкажіть налаштування, доступні редакторам для зміни',
+ styles: 'Стилі',
+ stylesDetails: 'Вкажіть стилі, доступні редакторам для зміни',
+ setAsDefault: 'Встановити за замовчуванням',
+ chooseExtra: 'Вибрати додатково',
+ chooseDefault: 'Вибрати за замовчуванням',
+ areAdded: 'додані',
+ maxItemsDescription: 'Залиште порожнім або задайте 0 для зняття ліміту',
+ maxItems: 'Максимальна кількість',
+ },
+ headers: {
+ page: 'Сторінка',
+ },
+ healthcheck: {
+ checkSuccessMessage: "Для параметра встановлено рекомендоване значення: '%0%'.",
+ checkErrorMessageDifferentExpectedValue:
+ "Очікуване значення '%1%' для параметра '%2%' в файлі конфігурації '%3%', знайдене значення: '%0%'.",
+ checkErrorMessageUnexpectedValue:
+ "Знайдено неочікуване значення '%0%' для параметра '%2%' в файлі конфігурації '%3%'.",
+ macroErrorModeCheckSuccessMessage: "Параметр 'MacroErrors' встановлений в '%0%'.",
+ macroErrorModeCheckErrorMessage:
+ "Параметр 'MacroErrors' встановлений в '%0%', що може спричинити неповну обробку частини сторінок або всіх сторінок сайту за наявності помилок у макросах. Усунути це можна шляхом встановлення значення в '%1%'.",
+ httpsCheckValidCertificate: 'Сертифікат вашого веб-сайту відзначений як перевірений.',
+ httpsCheckInvalidCertificate: "Помилка перевірки сертифіката: '%0%'",
+ httpsCheckIsCurrentSchemeHttps: 'Зараз Ви %0% переглядаєте сайт, використовуючи протокол HTTPS.',
+ compilationDebugCheckSuccessMessage: 'Режим компіляції з налагодженням вимкнено.',
+ compilationDebugCheckErrorMessage:
+ 'Режим компіляції з налагодженням зараз увімкнено. Перед розміщенням сайту в мережі рекомендується вимкнути.',
+ clickJackingCheckHeaderFound:
+ 'Заголовок або мета-тег X-Frame-Options, що використовується для управління можливістю розміщувати сайт у IFRAME на іншому сайті, знайдено.',
+ clickJackingCheckHeaderNotFound:
+ 'Заголовок або мета-тег X-Frame-Options, що використовується для управління можливістю розміщувати сайт у IFRAME на іншому сайті, не знайдено.',
+ noSniffCheckHeaderFound:
+ 'Заголовок або мета-тег X-Content-Type-Options, що використовується для захисту від MIME-уязвимостей, знайдено.',
+ noSniffCheckHeaderNotFound:
+ 'Заголовок або мета-тег X-Content-Type-Options, що використовується для захисту від MIME-уязвимостей, не знайдено.',
+ hSTSCheckHeaderFound:
+ 'Заголовок Strict-Transport-Security, відомий також як HSTS-header, знайдено.',
+ hSTSCheckHeaderNotFound: 'Заголовок Strict-Transport-Security не знайдено.',
+ xssProtectionCheckHeaderFound: 'Заголовок X-XSS-Protection знайдено.',
+ xssProtectionCheckHeaderNotFound: 'Заголовок X-XSS-Protection не знайдено.',
+ excessiveHeadersFound:
+ "Виявлено наступні заголовки, що дозволяють з'ясувати базову технологію сайту: %0%.",
+ excessiveHeadersNotFound: "Заголовки, які дають змогу з'ясувати базову технологію сайту, не виявлено.",
+ smtpMailSettingsConnectionSuccess:
+ 'Параметри надсилання електронної пошти (SMTP) налаштовані коректно, сервіс працює як очікується.',
+ notificationEmailsCheckSuccessMessage: 'Адреса для надсилання повідомлень є наступною: %0%.',
+ notificationEmailsCheckErrorMessage:
+ 'Адреса для надсилання повідомлень все ще встановлена за замовчуванням %0%.',
+ scheduledHealthCheckEmailBody:
+ '
Зафіксовано такі результати автоматичної перевірки стану Umbraco за розкладом, запущеним %0% в %1%:
%2%',
+ scheduledHealthCheckEmailSubject: 'Результат перевірки стану Umbraco: %0%',
+ },
+ help: {
+ theBestUmbracoVideoTutorials: 'Найкращі навчальні відео-курси з Umbraco',
+ },
+ imagecropper: {
+ reset: 'Скинути',
+ },
+ installer: {
+ databaseErrorCannotConnect: 'Програма інсталяції не може встановити підключення до бази даних.',
+ databaseFound: 'База даних виявлена та ідентифікована як',
+ databaseHeader: 'Конфігурація бази даних',
+ databaseInstall: '\n\t\tНатисніть кнопку Встановити щоб встановити базу даних Umbraco %0%\n\t\t',
+ databaseInstallDone:
+ 'Ваша База даних налаштована для роботи Umbraco %0%. Натисніть кнопку Далі для продовження.',
+ databaseText:
+ 'Для завершення цього кроку Вам потрібно мати деяку інформацію про Ваш сервер бази даних\n\t\t(рядок підключення "connection string") \n\t\tБудь ласка, зв\'яжіться з Вашим хостинг-провайдером, якщо є необхідність, а якщо встановлюєте на локальну робочу станцію або сервер, отримайте інформацію у Вашого системного адміністратора.',
+ databaseUpgrade:
+ '\n\t\t
Натисніть кнопку Оновлення\n\t\tдля того, щоб привести Вашу базу даних\n\t\tу відповідність до версії Umbraco %0%
\n\t\t
Будь ласка, не хвилюйтеся, жодного рядка Вашої бази даних\n\t\tне буде втрачено при цій операції, і після її завершення все буде працювати!
\n\t\t',
+ databaseUpgradeDone:
+ 'Вашу базу даних успішно оновлено до останньої версії %0%. Натисніть Далі для продовження. ',
+ databaseUpToDate:
+ 'Вказана Вами база даних знаходиться в актуальному стані. Натисніть кнопку Далі для продовження роботи майстра налаштувань',
+ defaultUserChangePass: 'Пароль користувача за замовчуванням необхідно змінити!',
+ defaultUserDisabled:
+ 'Користувач за замовчуванням заблокований або не має доступу до Umbraco!
Не буде вжито жодних подальших дій. Натисніть кнопку Далі для продовження.',
+ defaultUserPassChanged:
+ 'Пароль користувача за умовчанням успішно змінено в процесі встановлення!
Немає потреби у будь-яких подальших діях. Натисніть кнопку Далі для продовження.',
+ defaultUserPasswordChanged: 'Пароль змінений!',
+ greatStart: 'Для початкового огляду можливостей системи рекомендуємо переглянути відеоматеріали для ознайомлення',
+ None: 'Система не встановлена.',
+ permissionsAffectedFolders: 'Зачеплені файли та папки',
+ permissionsAffectedFoldersMoreInfo: 'Більш детально про встановлення дозволів для Umbraco розказано тут',
+ permissionsAffectedFoldersText:
+ 'Вам слід встановити дозволи для облікового запису ASP.NET на модифікацію наступних файлів та папок',
+ permissionsAlmostPerfect:
+ 'Налаштування дозволів у Вашій системі майже повністю відповідають вимогам Umbraco!\n\t\t
Ви маєте можливість запускати Umbraco без проблем, проте не зможете скористатися такою сильною стороною системи Umbraco, як встановлення додаткових пакетів розширень та доповнень.',
+ permissionsHowtoResolve: 'Як вирішити проблему',
+ permissionsHowtoResolveLink: 'Натисніть тут, щоб прочитати текстову версію документа',
+ permissionsHowtoResolveText:
+ 'Будь ласка, подивіться наш відео-матеріал, присвячений установці дозволів для файлів та папок в Umbraco або прочитайте текстову версію документа.',
+ permissionsMaybeAnIssue:
+ 'Налаштування дозволів у Вашій файловій системі можуть бути неправильними!\n\t\t
Ви маєте можливість запускати Umbraco без проблем,\n\t\tоднак не зможете скористатися такою сильною стороною системи Umbraco як встановлення додаткових пакетів розширень та доповнень.',
+ permissionsNotReady:
+ 'Установки дозволів у файловій системі не підходять для роботи Umbraco!\n\t\t
Якщо Ви хочете продовжити роботу з Umbraco,\n\t\tВам необхідно скоригувати налаштування дозволів.',
+ permissionsPerfect:
+ 'Налаштування дозволів у Вашій системі ідеальні!\n\t\t
Ви маєте можливість працювати з Umbraco в повному обсязі, включаючи встановлення додаткових пакетів розширень і доповнень!',
+ permissionsResolveFolderIssues: 'Вирішення проблеми з папками',
+ permissionsResolveFolderIssuesLink:
+ 'Скористайтеся цим посиланням для отримання більш детальної інформації про проблеми створення папок від імені облікового запису ASP.NET',
+ permissionsSettingUpPermissions: 'Встановлення дозволів на папки',
+ permissionsText:
+ '\n\t\tСистемі Umbraco необхідні права на читання та запис файлів до деяких папок, щоб зберігати в них такі матеріали як, наприклад, зображення або документи PDF.\n\t\tТакож подібним чином система зберігає кешовані дані вашого сайту з метою підвищення його продуктивності.\n\t\t',
+ runwayFromScratch: "Я хочу почати з 'чистої сторінки'",
+ runwayFromScratchText:
+ '\n\t\tНа даний момент Ваш сайт абсолютно порожній, що є найкращим варіантом для старту\n\t\t"з чистої сторінки", щоб почати створювати власні типи документів і шаблони.\n\t\t(Тут можна дізнатися про це детальніше) Ви також можете відкласти установку "Runway" на більш пізній час. Перейдіть до розділу "Розробка" та виберіть пункт "Пакети".\n\t\t',
+ runwayHeader: 'Ви тільки що встановили чисту платформу Umbraco. Який крок буде наступним?',
+ runwayInstalled: '"Runway" встановлений',
+ runwayInstalledText:
+ '\n\t\tБазовий пакет системи встановлено. Виберіть, які модулі Ви хочете встановити поверх\n\t\tбазового пакету. Нижче наведено список модулів, рекомендованих до встановлення, змініть його за необхідності, або ознайомтеся з повним списком модулів\n\t\t',
+ runwayOnlyProUsers: 'Рекомендовано лише для досвідчених користувачів',
+ runwaySimpleSite: 'Я хочу почати з встановлення простого демонстраційного сайту',
+ runwaySimpleSiteText:
+ '\n\t\t
"Runway" - це простий демонстраційний сайт, що надає базовий перелік шаблонів та типів документів.\n\t\tПрограма установки може налаштувати "Runway" для Вас автоматично,\n\t\tале Ви можете надалі вільно змінювати, розширювати чи видалити його.\n\t\tЦей демонстраційний сайт не є необхідною частиною, і Ви можете вільно\n\t\tвикористовувати Umbraco без нього. Однак, "Runway" надає Вам можливість\n\t\tмаксимально швидко познайомитися з базовими принципами та технікою побудови сайтів\n\t\tна основі Umbraco. Якщо Ви оберете варіант із встановленням "Runway",\n\t\tВам буде запропоновано вибір базових будівельних блоків (т.зв. модулів Runway) для розширення можливостей сторінок сайту Runway.
\n\t\tВ "Runway" входять:"Домашня" (головна) сторінка, сторінка "Початок роботи",\n\t\tсторінка встановлення модулів. Додаткові модулі:Базова навігація, Карта сайту, Форма зворотнього зв\'язку, Галерея.\n\t\t',
+ runwayWhatIsRunway: 'Що таке "Runway"',
+ step1: 'Крок 1 з 5: Ліцензійна угода',
+ step2: 'Крок 2 з 5: конфігурація бази даних',
+ step3: 'Крок 3 з 5: перевірка файлових дозволів',
+ step4: 'Крок 4 з 5: перевірка безпеки',
+ step5: 'Крок 5 з 5: система готова для початку роботи',
+ thankYou: 'Дякуємо, що вибрали Umbraco',
+ theEndBrowseSite:
+ '
Огляд Вашого нового сайту
Ви встановили "Runway",\n\t\tчому б не подивитися, як виглядає Ваш новий сайт?',
+ theEndFurtherHelp:
+ '
Подальше вивчення та допомога
\n\t\tОтримуйте допомогу від нашої чудової спільноти користувачів, вивчайте документацію або переглядайте наші вільно розповсюджувані відео-матеріали про те, як створити власний нескладний сайт, використовувати розширення та пакети, а також короткий посібник з термінології Umbraco.',
+ theEndHeader: 'Система Umbraco %0% встановлена та готова до роботи',
+ theEndInstallSuccess:
+ 'Ви можете розпочати роботу прямо зараз,\n\t\tскориставшись посиланням "Почати роботу з Umbraco". Якщо Ви новачок у світі Umbraco, Ви зможете знайти багато корисних посилань на ресурси на сторінці "Початок роботи".',
+ theEndOpenUmbraco:
+ '
Почніть роботу з Umbraco
\n\t\tДля того, щоб почати адмініструвати свій сайт, просто відкрийте адміністративну панель Umbraco та почніть оновлювати контент, змінювати шаблони сторінок та стилі CSS або додавати нову функціональність',
+ Unavailable: "Спроба з'єднання з базою даних зазнала невдачі.",
+ Version3: 'Версія Umbraco 3',
+ Version4: 'Версія Umbraco 4',
+ watch: 'Дивитись',
+ welcomeIntro:
+ 'Цей майстер проведе Вас через конфігураційний процес\n\t\tUmbraco %0% у формі "чистого" встановлення або оновлення попередньої версії 3.x.\n\t\t
Натисніть кнопку "Далі" для початку роботи майстра.',
+ },
+ language: {
+ cultureCode: 'Код мови',
+ displayName: 'Назва мови',
+ },
+ lockout: {
+ lockoutWillOccur: 'Ви були відсутній деякий час. Було здійснено автоматичний вихід у',
+ renewSession: 'Оновіть зараз, щоб зберегти зроблені зміни',
+ },
+ login: {
+ bottomText:
+ '
\n\t\t\t\n\t\t\n ",
+ },
+ main: {
+ dashboard: 'Панель керування',
+ sections: 'Розділи',
+ tree: 'Вміст',
+ },
+ media: {
+ clickToUpload: 'Натисніть, щоб завантажити',
+ disallowedFileType: 'Неможливе завантаження цього файлу, цей тип файлів не дозволяється для завантаження',
+ orClickHereToUpload: 'або натисніть тут, щоб вибрати файли',
+ maxFileSize: 'Максимально допустимий розмір файлу: ',
+ mediaRoot: 'Початковий вузол медіа',
+ },
+ mediaPicker: {
+ pickedTrashedItem: 'Вибрано медіа-елемент, який в даний час видалено або знаходиться в кошику',
+ pickedTrashedItems: 'Вибрані медіа-елементи, які в даний час видалені або знаходяться в кошику',
+ },
+ member: {
+ createNewMember: 'Створити нового учасника',
+ allMembers: 'Всі учасники',
+ },
+ modelsBuilder: {
+ buildingModels: 'Побудова моделей',
+ waitingMessage: 'це може зайняти деякий час, будь ласка, зачекайте',
+ modelsGenerated: 'Моделі побудовані',
+ modelsGeneratedError: 'Моделі не можуть бути побудовані',
+ modelsExceptionInUlog: 'Процес побудови моделей завершився помилкою, подробиці у системному журналі Umbraco',
+ },
+ moveOrCopy: {
+ choose: 'Виберіть сторінку...',
+ copyDone: 'Вузол %0% був скопійований в %1%',
+ copyTo: 'Виберіть, куди має бути скопійований вузол %0%',
+ moveDone: 'Вузол %0% був переміщений в %1%',
+ moveTo: 'Виберіть, куди має бути переміщений вузол %0%',
+ nodeSelected: "був обраний як батьківський вузол для нового елемента, натисніть 'Ок'.",
+ noNodeSelected: "Не вибраний вузол! Будь ласка, оберіть вузол призначення, перш ніж натиснути 'Ок'.",
+ notAllowedAtRoot: 'Поточний вузол не може бути розміщений безпосередньо в корені дерева',
+ notAllowedByContentType:
+ 'Поточний вузол не може бути розміщений у вибраному Вами вузлі через невідповідність типів.',
+ notAllowedByPath: 'Поточний вузол не може бути переміщений усередину своїх дочірніх вузлів',
+ notValid:
+ 'Ця дія не може бути здійснена, оскільки Ви не маєте достатніх прав для здійснення дій над одним або більше дочірніми документами.',
+ relateToOriginal: "Пов'язати нові копії з оригіналами",
+ },
+ notifications: {
+ editNotifications: 'Ви можете змінити повідомлення для %0%',
+ notificationsSavedFor: 'Повідомлення збережено для %0%',
+ notifications: 'Сповіщення',
+ },
+ packager: {
+ chooseLocalPackageText:
+ "\n\t\tВиберіть файл пакета на своєму комп'ютері, натиснувши кнопку 'Огляд' \n\t\tта вказавши на потрібний файл. Пакети Umbraco зазвичай є архівами із розширенням '.zip'.\n\t\t",
+ packageLicense: 'Ліцензія',
+ installedPackages: 'Встановлені пакети',
+ noPackages: 'Жодного пакету ще не встановлено',
+ noPackagesDescription:
+ "Ви поки що не встановлювали жодного пакету. Ви можете встановити локальний пакет, вибравши файл на Вашому комп'ютері, так і пакет з репозиторію, натиснувши на значок 'Packages' зверху праворуч",
+ packageSearch: 'Пошук по пакетам',
+ packageSearchResults: 'Результати пошуку по',
+ packageNoResults: 'Нічого не знайдено за запитом',
+ packageNoResultsDescription:
+ 'Будь ласка, повторіть пошук, уточнивши запит, або скористайтесь переглядом за категоріями',
+ packagesPopular: 'Популярні',
+ packagesNew: 'Нещодавно створені',
+ packageHas: 'має на рахунку',
+ packageKarmaPoints: 'очок карми',
+ packageInfo: 'Інформація',
+ packageOwner: 'Власник',
+ packageContrib: 'Співавтори',
+ packageCreated: 'Створено',
+ packageCurrentVersion: 'Поточна версія',
+ packageNetVersion: 'Версія .NET',
+ packageDownloads: 'Завантажень',
+ packageLikes: 'Подобається',
+ packageCompatibility: 'Сумісність',
+ packageCompatibilityDescription:
+ 'Цей пакет сумісний з наступними версіями Umbraco за повідомленнями учасників спільноти. Повна сумісність не гарантується для версій зі значенням нижче 100%',
+ packageExternalSources: 'Зовнішні джерела',
+ packageAuthor: 'Автор',
+ packageDocumentation: 'Документація (опис)',
+ packageMetaData: 'Мета-дані пакету',
+ packageName: 'Назва пакету',
+ packageNoItemsHeader: 'Пакет нічого не містить',
+ packageNoItemsText:
+ 'Цей файл пакета не містить жодного елемента\n\t\tдля видалення.
Ви можете безпечно видалити цей пакет із системи, натиснувши на кнопку "Деінсталювати пакет".',
+ packageOptions: 'Опції пакету',
+ packageReadme: 'Короткий огляд пакету',
+ packageRepository: 'Репозиторій пакету',
+ packageUninstallConfirm: 'Підтвердження деінсталяції пакету',
+ packageUninstalledHeader: 'Пакет деінстальований',
+ packageUninstalledText: 'Вказаний пакет успішно видалено із системи',
+ packageUninstallHeader: 'Деінсталювати пакет',
+ packageUninstallText:
+ 'Сейчас Ви можете зняти позначки з тих опцій пакета, які НЕ бажаєте видаляти. Після натискання кнопки "Підтвердження деінсталяції" всі зазначені опції будуть видалені. \n\t\tЗверніть увагу: всі документи, медіа-файли та інший контент, що залежить від цього пакета, перестане нормально працювати, що може призвести до нестабільної поведінки системи,\n\t\tтому видаляйте пакети дуже обережно. За наявності сумнівів, зв\'яжіться з автором пакета.',
+ packageVersion: 'Версія пакету',
+ },
+ paste: {
+ doNothing: 'Вставити, повністю зберігши форматування (не рекомендується)',
+ errorMessage:
+ 'Текст, який Ви намагаєтесь вставити, містить спеціальні символи та/або елементи форматування. Це можливо, якщо ви вставляєте текст, скопійований з Microsoft Word або подібного редактора. Система може видалити ці елементи автоматично, щоб зробити текст, що вставляється, більш придатним для веб-публікації.',
+ removeAll: 'Вставити як простий текст без форматування',
+ removeSpecialFormattering: 'Вставити з очищенням форматування (рекомендується)',
+ },
+ placeholders: {
+ confirmPassword: 'Підтвердіть пароль',
+ email: 'Вкажіть Ваш email...',
+ enterDescription: 'Вкажіть опис...',
+ enteremail: 'Вкажіть email...',
+ enterMessage: 'Вкажіть повідомлення...',
+ entername: "Вкажіть ім'я...",
+ enterTags: 'Вкажіть теги (натискайте Enter після кожного тега)...',
+ enterusername: "Вкажіть ім'я користувача...",
+ filter: 'Вкажіть фільтр...',
+ label: 'Мітка...',
+ nameentity: 'Назвіть %0%...',
+ password: 'Вкажіть пароль',
+ search: 'Що шукати...',
+ username: "Вкажіть ім'я користувача",
+ usernameHint: "Ім'я користувача (зазвичай це Ваша email-адреса)",
+ },
+ prompt: {
+ stay: 'Залишитися',
+ discardChanges: 'Відмінити зміни',
+ unsavedChanges: 'Є незбережені зміни',
+ unsavedChangesWarning: 'Ви впевнені, що хочете піти з цієї сторінки? - на ній є незбережені зміни',
+ },
+ publicAccess: {
+ paAdvanced: 'Розширений: Захист на основі ролей (груп)',
+ paAdvancedHelp:
+ 'Застосовуйте, якщо бажаєте контролювати доступ до документа на основі рольової моделі безпеки, із використанням груп учасників Umbraco.',
+ paAdvancedNoGroups: 'Вам необхідно створити хоча б одну групу для застосування рольової моделі безпеки.',
+ paErrorPage: 'Сторінка повідомлення про помилку',
+ paErrorPageHelp:
+ 'Використовується у випадку, коли користувач авторизований у системі, але не має доступу до документа.',
+ paHowWould: 'Виберіть спосіб обмеження доступу до документа',
+ paIsProtected: 'Правила доступу до документа %0% встановлені',
+ paIsRemoved: 'Правила доступу до документа %0% видалені',
+ paLoginPage: 'Сторінка авторизації (входу)',
+ paLoginPageHelp: 'Використовуйте як сторінку з формою для авторизації користувачів',
+ paRemoveProtection: 'Зняти захист',
+ paSelectPages: 'Виберіть сторінки авторизації та повідомлень про помилки',
+ paSelectRoles: 'Виберіть ролі користувачів, які мають доступ до документа',
+ paSetLogin: "Встановіть ім'я користувача та пароль для доступу до цього документа",
+ paSimple: 'Простий: Захист по імені користувача та паролю',
+ paSimpleHelp:
+ "Застосовуйте, якщо хочете встановити найпростіший спосіб доступу до документа - явно вказані ім'я користувача та пароль",
+ },
+ publish: {
+ contentPublishedFailedAwaitingRelease:
+ '\n Документ %0% не можна опубліковати зараз, оскільки для нього встановлено розклад публікації.\n ',
+ contentPublishedFailedByEvent:
+ '\n\t\tДокумент %0% не можна опубліковати. Операцію скасував встановлений у системі пакет доповнень.\n\t\t',
+ contentPublishedFailedExpired:
+ '\n Документ %0% не можна опубліковати, тому що поточна інформація в ньому застаріла.\n ',
+ contentPublishedFailedByParent:
+ '\n Документ %0% не можна опубліковати, тому що не опубліковано його батьківський документ.\n ',
+ contentPublishedFailedInvalid:
+ '\n Документ %0% не можна опубліковати, тому що не всі його властивості пройшли перевірку згідно з встановленими правилами валідації.\n ',
+ includeUnpublished: 'Включно з неопублікованими дочірніми документами',
+ inProgress: 'Йде публікація. Будь ласка зачекайте...',
+ inProgressCounter: '%0% з %1% документів опубліковано...',
+ nodePublish: 'Документ %0% опубліковано.',
+ nodePublishAll: 'Документ %0% та його дочірні документи опубліковані',
+ publishAll: 'Опублікувати документ %0% та всі його дочірні документи',
+ publishHelp:
+ 'Натисніть кнопку Опублікувати для публікації документа %0%.\n\t\tТаким чином Ви зробите вміст документа доступним для перегляду.
\n\t\tВи можете опублікувати цей документ та всі його дочірні документи, відмітивши опцію Опублікувати усі дочірні документи.\n\t\tЩоб опублікувати раніше неопубліковані документи серед дочірніх, відмітьте опцію Включаючи неопубліковані дочірні документи.\n\t\t',
+ },
+ redirectUrls: {
+ disableUrlTracker: 'Зупинити відстеження URL',
+ enableUrlTracker: 'Запустити відстеження URL',
+ originalUrl: 'Початковий URL',
+ redirectedTo: 'Перенаправлено в',
+ noRedirects: 'На даний момент немає жодного перенаправлення',
+ noRedirectsDescription:
+ 'Якщо опублікований документ перейменовується або змінює розташування в дереві, а отже, змінюється адреса (URL), автоматично створюється перенаправлення на нове розташування цього документа.',
+ redirectRemoved: 'Перенаправлення видалено.',
+ redirectRemoveError: 'Помилка видалення перенаправлення.',
+ confirmDisable: 'Ви впевнені, що хочете зупинити відстеження URL?',
+ disabledConfirm: 'Відстеження URL зараз зупинено.',
+ disableError: 'Помилка зупинки відстеження URL, докладніші відомості знаходяться в системному журналі.',
+ enabledConfirm: 'Відстеження URL зараз запущено.',
+ enableError: 'Помилка запуску відстеження URL, докладніші відомості знаходяться в системному журналі.',
+ },
+ relatedlinks: {
+ caption: 'Заголовок',
+ captionPlaceholder: 'Вкажіть заголовок посилання',
+ chooseInternal: 'вибрати сторінку сайту',
+ enterExternal: 'вказати зовнішнє посилання',
+ externalLinkPlaceholder: 'Вкажіть посилання',
+ link: 'Посилання',
+ newWindow: 'Відкрити у новому вікні',
+ },
+ renamecontainer: {
+ renamed: 'Перейменована',
+ enterNewFolderName: 'Вкажіть тут нову назву для папки',
+ folderWasRenamed: "'%0%' була перейменована на '%1%'",
+ },
+ rollback: {
+ diffHelp:
+ 'Тут показано різницю між останньою версією документа і обраною Вами версією. Червоним відзначено текст, якого вже немає в останній версії, зеленим - текст, який був доданий',
+ documentRolledBack: 'Зроблено відкат до ранньої версії',
+ htmlHelp: 'Поточна версія показана як HTML. Щоб переглянути відмінності у версіях, виберіть режим порівняння',
+ rollbackTo: 'Відкатати до версії',
+ selectVersion: 'Виберіть версію',
+ view: 'Перегляд',
+ },
+ scripts: {
+ editscript: 'Редагувати файл скрипта',
+ },
+ sections: {
+ concierge: 'Консьєрж',
+ content: 'Вміст',
+ courier: "Кур'єр",
+ developer: 'Розробка',
+ forms: 'Форми',
+ help: 'Допомога',
+ installer: 'Майстер конфігурування Umbraco',
+ media: 'Медіа-матеріали',
+ member: 'Учасники',
+ newsletters: 'Розсилки',
+ settings: 'Налаштування',
+ statistics: 'Статистика',
+ translation: 'Переклад',
+ users: 'Користувачі',
+ },
+ settings: {
+ addIcon: 'Додати піктограму',
+ contentTypeEnabled: 'Батьківський тип контенту дозволено',
+ contentTypeUses: 'Цей тип контенту використовує',
+ defaulttemplate: 'Шаблон за замовчуванням',
+ importDocumentTypeHelp:
+ 'Щоб імпортувати тип документа, знайдіть файл ".udt" на своєму комп\'ютері, натиснувши кнопку "Огляд", потім натисніть "Імпортувати" (на наступному екрані буде запитано підтвердження для цієї операції).',
+ newtabname: 'Заголовок нової вкладки',
+ nodetype: 'Тип вузла (документу)',
+ noPropertiesDefinedOnTab:
+ 'Для цієї вкладки не визначено характеристики. Клацніть на посилання "Click here to add a new property" зверху, щоб створити нову властивість.',
+ objecttype: 'Тип',
+ script: 'Скрипт',
+ stylesheet: 'Стилі CSS',
+ tab: 'Вкладка',
+ tabname: 'Заголовок вкладки',
+ tabs: 'Вкладки',
+ },
+ shortcuts: {
+ addGroup: 'Додати вкладку',
+ addProperty: 'Додати властивість',
+ addEditor: 'Додати редактор',
+ addTemplate: 'Додати шаблон',
+ addChildNode: 'Додати дочірній вузол',
+ addChild: 'Додати дочірній',
+ editDataType: 'Змінити тип даних',
+ navigateSections: 'Навігація по розділам',
+ shortcut: 'Ярлики',
+ showShortcuts: 'показати ярлики',
+ toggleListView: 'У форматі списку',
+ toggleAllowAsRoot: 'Дозволити як кореневий',
+ commentLine: 'Закоментувати/розкоментувати рядки',
+ removeLine: 'Видалити рядок',
+ copyLineUp: 'Копіювати рядки вгору',
+ copyLineDown: 'Копіювати рядки вниз',
+ moveLineUp: 'Перемістити рядки вгору',
+ moveLineDown: 'Перемістити рядки вниз',
+ generalHeader: 'Загальне',
+ editorHeader: 'Редактор',
+ },
+ sort: {
+ sortOrder: 'Порядок сортування',
+ sortCreationDate: 'Дата створення',
+ sortDone: 'Сортування завершено',
+ sortHelp:
+ 'Перетягуйте елементи на потрібне місце вгору або вниз для визначення потрібного порядку сортування. Також можна використовувати заголовки стовпців, щоб відсортувати всі елементи одразу.',
+ sortPleaseWait: 'Зачекайте, будь ласка... Сторінки сортуються, це може зайняти деякий час.',
+ },
+ speechBubbles: {
+ contentPublishedFailedByEvent: 'Процес публікації скасовано встановленим пакетом доповнень.',
+ contentTypeDublicatePropertyType: 'Така властивість вже існує.',
+ contentTypePropertyTypeCreated: 'Властивість створена',
+ contentTypePropertyTypeCreatedText: 'Назва: %0% Тип даних: %1%',
+ contentTypePropertyTypeDeleted: 'Властивість видалена',
+ contentTypeSavedHeader: 'Тип документа збережено',
+ contentTypeTabCreated: 'Вкладка створена',
+ contentTypeTabDeleted: 'Вкладка видалена',
+ contentTypeTabDeletedText: 'Вкладка з ідентифікатором (id): %0% видалена',
+ contentUnpublished: 'Документ прихований (публікацію скасовано)',
+ cssErrorHeader: 'Стиль CSS не збережено',
+ cssSavedHeader: 'Стиль CSS збережено',
+ cssSavedText: 'Стиль CSS збережено без помилок',
+ dataTypeSaved: 'Тип даних збережено',
+ dictionaryItemSaved: 'Стаття у словнику збережена',
+ editContentPublishedFailedByParent: 'Публікацію не завершено, оскільки батьківський документ не опубліковано',
+ editContentPublishedHeader: 'Документ опубліковано',
+ editContentPublishedText: 'і є доступним',
+ editContentSavedHeader: 'Документ збережено',
+ editContentSavedText: 'Не забудьте опублікувати, щоб зробити доступним',
+ editContentSendToPublish: 'Надіслано на затвердження',
+ editContentSendToPublishText: 'Зміни надіслані на затвердження',
+ editMediaSaved: 'Медіа-елемент збережено',
+ editMediaSavedText: 'Медіа-елемент збережено без помилок',
+ editMemberSaved: 'Учасник збережений',
+ editStylesheetPropertySaved: 'Правило стилю CSS збережено',
+ editStylesheetSaved: 'Стиль CSS збережено',
+ editTemplateSaved: 'Шаблон збережено',
+ editUserError: 'При збереженні користувача виникла помилка (перевірте журнали помилок)',
+ editUserGroupSaved: 'Група користувачів збережена',
+ editUserSaved: 'Користувач збережений',
+ editUserTypeSaved: 'Тип користувачів збережено',
+ fileErrorHeader: 'Файл не збережено',
+ fileErrorText: 'Файл не може бути збережений. Будь ласка, перевірте налаштування файлових дозволів',
+ fileSavedHeader: 'Файл збережено',
+ fileSavedText: 'Файл збережено без помилок',
+ invalidUserPermissionsText: 'У поточного користувача недостатньо прав, неможливо завершити операцію',
+ languageSaved: 'Мова збережена',
+ mediaTypeSavedHeader: 'Тип медіа збережено',
+ memberTypeSavedHeader: 'Тип учасника збережено',
+ operationCancelledHeader: 'Скасовано',
+ operationCancelledText: 'Операцію скасовано встановленим стороннім розширенням або блоком коду',
+ operationFailedHeader: 'Помилка',
+ operationSavedHeader: 'Збережено',
+ partialViewErrorHeader: 'Представлення не збережено',
+ partialViewErrorText: 'Виникла помилка при збереженні файлу',
+ partialViewSavedHeader: 'Представлення збережено',
+ partialViewSavedText: 'Представлення збережено без помилок',
+ permissionsSavedFor: 'Права доступу збережені для',
+ templateErrorHeader: 'Шаблон не збережено',
+ templateErrorText: 'Будь ласка, перевірте, що немає двох шаблонів з одним і тим самим аліасом (назвою)',
+ templateSavedHeader: 'Шаблон збережено',
+ templateSavedText: 'Шаблон збережено без помилок',
+ validationFailedHeader: 'Перевірка значень',
+ validationFailedMessage:
+ 'Помилки, знайдені під час перевірки значень, мають бути виправлені, щоб було можливо зберегти документ',
+ deleteUserGroupsSuccess: 'Видалено %0% груп користувачів',
+ deleteUserGroupSuccess: "'%0%' була видалена",
+ enableUsersSuccess: 'Активовано %0% користувачів',
+ disableUsersSuccess: 'Заблоковано %0% користувачів',
+ enableUserSuccess: "'%0%' активований",
+ disableUserSuccess: "'%0%' заблокований",
+ setUserGroupOnUsersSuccess: 'Групи користувачів встановлені',
+ unlockUsersSuccess: 'Розблоковано %0% користувачів',
+ unlockUserSuccess: "'%0%' зараз розблоковано",
+ memberExportedSuccess: 'Дані учасника успішно експортовано у файл',
+ memberExportedError: 'Під час експорту даних учасника сталася помилка',
+ },
+ stylesheet: {
+ aliasHelp: 'Використовується синтаксис селекторів CSS, наприклад: h1, .redHeader, .blueTex',
+ editstylesheet: 'Змінити стиль CSS',
+ editstylesheetproperty: 'Змінити правило стилю CSS',
+ nameHelp: 'Назва правила для відображення у редакторі документа',
+ preview: 'Попередній перегляд',
+ styles: 'Стилі',
+ },
+ template: {
+ edittemplate: 'Змінити шаблон',
+ insertSections: 'Секції',
+ insertContentArea: 'Вставити контент-область',
+ insertContentAreaPlaceHolder: 'Вставити контейнер (placeholder)',
+ insert: 'Вставити',
+ insertDesc: 'Виберіть, що хочете вставити в шаблон',
+ insertDictionaryItem: 'Статтю словника',
+ insertDictionaryItemDesc:
+ 'Стаття словника - це контейнер для частини тексту, що перекладається різними мовами, це дозволяє спростити створення багатомовних сайтів.',
+ insertMacro: 'Макрос',
+ insertMacroDesc:
+ '\n Макроси - це компоненти, що мають налаштування, які добре підходять для\n реалізації блоків, що перевикористовуються, (особливо, якщо необхідно змінювати їх зовнішній вигляд і/або поведінку за допомогою параметрів)\n таких як галереї, форми, списки тощо.\n ',
+ insertPageField: 'Значення поля',
+ insertPageFieldDesc:
+ 'Відображає значення вказаного поля даних поточної сторінки,\n з можливістю вказати альтернативні поля та/або підстановку константи.\n ',
+ insertPartialView: 'Часткове представлення',
+ insertPartialViewDesc:
+ '\n Часткове представлення - це шаблон в окремому файлі, який може бути викликаний для відображення всередині\n іншого шаблону, добре підходить для реалізації фрагментів розмітки, що перевикористовуються, або для розбиття складних шаблонів на складові частини.\n ',
+ mastertemplate: 'Майстер-шаблон',
+ noMaster: 'Не вибраний',
+ renderBody: 'Вставити дочірній шаблон',
+ renderBodyDesc:
+ '\n Відображає вміст дочірнього шаблону за допомогою вставки конструкції\n @RenderBody() у вибраному місці.\n ',
+ defineSection: 'Визначити іменовану секцію',
+ defineSectionDesc:
+ '\n Визначає спеціальну область шаблону як іменовану секцію шляхом огортання її в конструкцію\n @section { ... }. Така секція може бути відображена в потрібному місці батьківського шаблону\n за допомогою конструкції @RenderSection.\n ',
+ renderSection: 'Вставити іменовану секцію',
+ renderSectionDesc:
+ '\n Відображає вміст іменованої області дочірнього шаблону за допомогою вставки конструкції @RenderSection(name).\n Таким чином, з дочірнього шаблону відображається вміст усередині конструкції. @section [name]{ ... }.\n ',
+ sectionName: 'Назва секції',
+ sectionMandatory: "Секція є обов'язковою",
+ sectionMandatoryDesc:
+ "\n Якщо секція позначена як обов'язкова, дочірній шаблон повинен обов'язково містити її визначення @section, інакше генерується помилка.\n ",
+ queryBuilder: 'Генератор запитів',
+ itemsReturned: 'елементів в результаті, за',
+ iWant: 'Мені потрібні',
+ allContent: 'всі документи',
+ contentOfType: 'документи типу "%0%"',
+ from: 'з',
+ websiteRoot: 'всього сайту',
+ where: 'де',
+ and: 'та',
+ is: 'є',
+ isNot: 'не є',
+ before: 'до',
+ beforeIncDate: 'до (включаючи вибрану дату)',
+ after: 'після',
+ afterIncDate: 'після (включаючи обрану дату)',
+ equals: 'дорівнює',
+ doesNotEqual: 'не дорівнює',
+ contains: 'містить',
+ doesNotContain: 'не містить',
+ greaterThan: 'більше ніж',
+ greaterThanEqual: 'більше або дорівнює',
+ lessThan: 'менше ніж',
+ lessThanEqual: 'менше або дорівнює',
+ id: 'Id',
+ name: 'Назва',
+ createdDate: 'Створено',
+ lastUpdatedDate: 'Оновлено',
+ orderBy: 'сортувати',
+ ascending: 'за зростанням',
+ descending: 'за спаданням',
+ template: 'Шаблон',
+ },
+ templateEditor: {
+ addDefaultValue: 'Додати значення за замовчуванням',
+ defaultValue: 'Значення за замовчуванням',
+ alternativeField: 'Поле заміни',
+ alternativeText: 'Значення за замовчуванням',
+ casing: 'Реєстр',
+ chooseField: 'Вибрати поле',
+ convertLineBreaks: 'Перетворити розриви рядків',
+ convertLineBreaksHelp: "Змінює розриви рядків на тег html 'br'",
+ customFields: 'Користувальницькі',
+ dateOnly: 'Тільки дата',
+ encoding: 'Кодування',
+ formatAsDate: 'Форматувати як дату',
+ htmlEncode: 'Кодування HTML',
+ htmlEncodeHelp: 'Замінює спецсимволи еквівалентами у форматі HTML',
+ insertedAfter: 'Буде вставлено після поля',
+ insertedBefore: 'Буде вставлено перед полем',
+ lowercase: 'У нижньому регістрі',
+ none: '-Не вказано-',
+ outputSample: 'Приклад результату',
+ postContent: 'Вставити після поля',
+ preContent: 'Вставити перед полем',
+ recursive: 'Рекурсивно',
+ recursiveDescr: 'Так, використовувати рекурсію',
+ standardFields: 'Стандартні',
+ uppercase: 'У верхньому регістрі',
+ urlEncode: 'Кодування URL',
+ urlEncodeHelp: 'Форматування спеціальних символів у URL',
+ usedIfAllEmpty: 'Це значення буде використано лише якщо попередні поля порожні',
+ usedIfEmpty: 'Це значення буде використано лише якщо первинне поле порожнє',
+ withTime: 'Дата і час',
+ },
+ textbox: {
+ characters_left: 'символів залишилося',
+ },
+ translation: {
+ details: 'Подробиці перекладу',
+ DownloadXmlDTD: 'Загрузити xml DTD',
+ fields: 'Поля',
+ includeSubpages: 'Включити дочірні документи',
+ mailBody:
+ "\n\t\tВітаємо, %0%.\n\n\t\tЦей автоматично згенерований лист був відправлений, щоб поінформувати Вас про те,\n\t\tщо документ '%1%' був надісланий для перекладу на '%5%' мову користувачем %2%.\n\n\t\tПерейдіть за посиланням http://%3%/translation/details.aspx?id=%4% для редагування.\n\n\t\tАбо авторизуйтесь для перегляду Ваших завдань з перекладу\n\t\thttp://%3%.\n\n\t\tУспіхів!\n\n\t\tГенератор повідомлень Umbraco.\n\t\t",
+ noTranslators:
+ 'Користувачів-перекладачів не виявлено. Будь ласка, створіть користувача з роллю перекладача, перш ніж надсилати вміст на переклад',
+ pageHasBeenSendToTranslation: "Документ '%0%' був відправлений на переклад",
+ sendToTranslate: "Надіслати документ '%0%' на переклад",
+ totalWords: 'Усього слів',
+ translateTo: 'Перекласти на',
+ translationDone: 'Переклад завершено.',
+ translationDoneHelp:
+ 'Ви можете переглянути документи, перекладені Вами, натиснувши посилання нижче. Якщо буде знайдено оригінал документа, Ви побачите його та переведений варіант у режимі порівняння.',
+ translationFailed: 'Переклад не збережено, файл xml може бути пошкоджено',
+ translationOptions: 'Опції перекладу',
+ translator: 'Перекладач',
+ uploadTranslationXml: 'Завантажити перекладений xml',
+ },
+ treeHeaders: {
+ cacheBrowser: 'Огляд кешу',
+ content: 'Матеріали',
+ contentBlueprints: 'Шаблони вмісту',
+ contentRecycleBin: 'Корзина',
+ createdPackages: 'Створені пакети',
+ dataTypes: 'Типи даних',
+ dictionary: 'Словник',
+ installedPackages: 'Встановлені пакети',
+ installSkin: 'Встановити тему',
+ installStarterKit: 'Встановити стартовий набір',
+ languages: 'Мови',
+ localPackage: 'Встановити локальний пакет',
+ macros: 'Макроси',
+ media: 'Медіа-матеріали',
+ mediaTypes: 'Типи медіа-матеріалів',
+ member: 'Учасники',
+ memberGroups: 'Групи учасників',
+ memberRoles: 'Ролі учасників',
+ memberTypes: 'Типи учасників',
+ documentTypes: 'Типи документів',
+ packager: 'Пакети доповнень',
+ packages: 'Пакети доповнень',
+ partialViews: 'Часткові представлення',
+ partialViewMacros: 'Файли макросів',
+ relationTypes: "Типи зв'язків",
+ repositories: 'Встановити з репозиторію',
+ runway: 'Встановити Runway',
+ runwayModules: 'Модулі Runway ',
+ scripting: 'Файли скриптів',
+ scripts: 'Скрипти',
+ stylesheets: 'Стилі CSS',
+ templates: 'Шаблони',
+ users: 'Користувачі',
+ },
+ update: {
+ updateAvailable: 'Доступні оновлення',
+ updateDownloadText: 'Оновлення %0% готово, натисніть для завантаження',
+ updateNoServer: "Немає зв'язку із сервером",
+ updateNoServerError:
+ 'Під час перевірки оновлень виникла помилка. Будь ласка, перегляньте журнал для отримання додаткової інформації.',
+ },
+ user: {
+ access: 'Доступ',
+ accessHelp:
+ 'На підставі встановлених груп та призначених початкових вузлів, користувач має доступ до наступних вузлів.',
+ administrators: 'Адміністратор',
+ assignAccess: 'Призначення доступу',
+ backToUsers: 'Повернутись до користувачів',
+ categoryField: 'Поле категорії',
+ change: 'Змінити',
+ changePassword: 'Змінити пароль',
+ changePasswordDescription:
+ "Ви можете змінити свій пароль для доступу до адміністративної панелі Umbraco, заповнивши нижченаведені поля та натиснувши кнопку 'Змінити пароль'",
+ changePhoto: 'Змінити аватар',
+ confirmNewPassword: 'Підтвердження нового пароля',
+ contentChannel: 'Канал вмісту',
+ createAnotherUser: 'Створити ще одного користувача',
+ createDate: 'Створено',
+ createUser: 'Створити користувача',
+ createUserHelp:
+ 'Створюйте нових користувачів, яким потрібний доступ до адміністративної панелі Umbraco. При створенні користувача генерується новий первинний пароль, який потрібно повідомити користувачеві.',
+ descriptionField: 'Поле опису',
+ disabled: 'Вимкнути користувача',
+ documentType: 'Тип документа',
+ editors: 'Редактор',
+ excerptField: 'Виключити поле',
+ failedPasswordAttempts: 'Невдалих спроб входу',
+ goToProfile: 'До профілю користувача',
+ groupsHelp: 'Додайте користувача до групи(ів), щоб визначити права доступу',
+ inviteEmailCopySubject: 'Запрошення до панелі адміністрування Umbraco',
+ inviteEmailCopyFormat:
+ "
Здравствуйте, %0%,
Ви були запрошені користувачем %1%, та Вам надано доступ до панелі адміністрування Umbraco.
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tВи були запрошені користувачем %1% в панель адміністрування веб-сайту.\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tПовідомлення від користувача %1%:\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t \n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t%2%\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t